The concept is to simplify the given condition:

As per this simplification, for every we need to find the updated range .

In Python, the bisect module has bisect_left and bisect_right functions that help up with this. They find an index within a subarray where any element x could be fitted. _left gives the leftmost index, and _right gives the rightmost index.

Code

Python3

def countFairPairs(self, N: List[int], lower: int, upper: int) -> int:
    '''
    bisect_left: find the leftmost index where x could be inserted
 
    bisect_right: find the rightmost index where x could be inserted
    '''
 
    N.sort()
    count = 0
 
    for j in range(len(N)):
 
        left = bisect_left(N, lower - N[j], 0, j)
 
        right = bisect_right(N, upper - N[j], 0, j)
 
        count += (right - left)
 
    return count

Big O Analysis

  • Runtime

    The runtime complexity here is since bisect_left and bisect_right take logarithmic time, which happen for each element N times.

  • Memory

    The memory usage is since there is no extra space used - unless you take the N.sort() into consideration.

— A

GitHub | Twitter