Longest subarray whose elements form a continuous sequence

后端 未结 7 851
没有蜡笔的小新
没有蜡笔的小新 2021-01-31 05:52

Given an unsorted array of positive integers, find the length of the longest subarray whose elements when sorted are continuous. Can you think of an O(n) solution?

Examp

相关标签:
7条回答
  • 2021-01-31 06:30

    Algorithm to solve original problem in O(n) without duplicates. Maybe, it helps someone to develop O(n) solution that deals with duplicates.

    Input: [a1, a2, a3, ...]

    Map original array as pair where 1st element is a value, and 2nd is index of array.

    Array: [[a1, i1], [a2, i2], [a3, i3], ...]

    Sort this array of pairs with some O(n) algorithm (e.g Counting Sort) for integer sorting by value. We get some another array:

    Array: [[a3, i3], [a2, i2], [a1, i1], ...]

    where a3, a2, a1, ... are in sorted order.

    Run loop through sorted array of pairs

    In linear time we can detect consecutive groups of numbers a3, a2, a1. Consecutive group definition is next value = prev value + 1. During that scan keep current group size (n), minimum value of index (min), and current sum of indices (actualSum).

    On each step inside consecutive group we can estimate sum of indices, because they create arithmetic progression with first element min, step 1, and size of group seen so far n. This sum estimate can be done in O(1) time using formula for arithmetic progression:

    estimate sum = (a1 + an) * n / 2;

    estimate sum = (min + min + (n - 1)) * n / 2;

    estimate sum = min * n + n * (n - 1) / 2;

    If on some loop step inside consecutive group estimate sum equals to actual sum, then seen so far consecutive group satisfy the conditions. Save n as current maximum result, or choose maximum between current maximum and n.

    If on value elements we stop seeing consecutive group, then reset all values and do the same.

    Code example: https://gist.github.com/mishadoff/5371821

    0 讨论(0)
提交回复
热议问题