Search code examples
arraysalgorithmmathtime-complexityspace-complexity

Triplet whose sum in range (1,2)


Given n positive real numbers in an array, find whether there exists a triplet among this set such that, the sum of the triplet is in the range (1, 2). Do it in linear time and constant space.

  • the array is not ordered.
  • numbers are positive
  • numbers are real numbers

Any help would be greatly appreciated. Thanks.


Solution

  • The trick is to figure out a way to categorize the possible solutions and come up with a linear-time constant-space solution for each.

    Consider the three ranges X = (0,2/3), Y = [2/3,1], Z = (1,2). At most one value can come from Z (if two values came from Z, then the sum would exceed 1+1=2). Similarly, at least one value must come from X. Suppose there were 3 values a <= b <= c so that 1 <= a+b+c <= 2 . Then, consider what possible classes of solutions are feasible:

    A) `a \in X, b \in X, C \in X` 
    B) `a \in X, b \in X, C \in Y` 
    C) `a \in X, b \in X, C \in Z` 
    D) `a \in X, b \in Y, C \in Y` 
    E) `a \in X, b \in Y, C \in Z` 
    

    So how can we test each case?

    Case A is incredibly easy to test: the sum is guaranteed to be below 2, so we just need to test the largest sum (largest 3 elements in X) exceeds 1.

    Case C is incredibly easy to test: since the sum is guaranteed to be above 1, we only need to check if the sum is below 2. So in order to do that, we just need to test the smallest 2 values in X and the smallest value in Z

    Cases D and E are similar to C (since the sum must be at least 4/3 > 1, choose the smallest possible values in each class).

    Case B is the only tricky case. 0 < a+b < 4/3 and 2/3 <= c <= 1. To handle case B, we consider these intervals : X1 = (0, 1/2), X2 = [1/2 2/3), Y = [2/3, 1].

    This results in following three valid cases :

    B1. a in X1, b in X2, c in Y

    B2. a in X1, b in X1, c in Y

    B3. a in X2, b in X2, c in Y

    Case B1 & B3 : Sum of three numbers is always greater than 1 so we take minimum values and check if it is smaller than 2 or not.

    Case B2 : Sum of three numbers is always less than 2, so we take maximum sum and check if is greater than 1 or not.

    So to summarize, the tests are:

    • |X| >= 3 and Xmax(1) + Xmax(2) + Xmax(3) >= 1
    • |X| >= 2, |Z| >= 1, and Xmin(1)+Xmin(2)+Zmin(1) <= 2
    • |X| >= 1, |Y| >= 2, and Xmin(1)+Ymin(1)+Ymin(2) <= 2
    • |X| >= 1, |Y| >= 1, |Z| >= 1, and Xmin(1)+Ymin(1)+Zmin(1) <= 2
    • |X| >= 2, |Y| >= 1, and Xmax(1) + Xmax(2) + Ymin(1) < 2
    • |X| >= 2, |Y| >= 1, and Xmin(1) + Xmin(2) + Ymax(1) > 1)

    Each test can be performed in linear time and constant space (you only need to find Xmax(1), Xmax(2), Xmax(3), Xmin(1), Xmin(2), Ymin(1), Ymin(2), Ymax(1), Zmin(1), all of which can be found in one pass even if the data is not sorted)