Pretty cool problem. I struggled in understanding exactly how and why - ‘replacing’ the numbers could be interpreted as simply ‘removing’ them - until I re-read the problem. Our objective is to minimize the where
To achieve this, we can try to shrink the array in all sides, and just check which combinations of , is the minimum - this is our answer.
Note:
the regular problem is solved via sorting (so that we get access to the top 4 and bottom 4 values) - which would take time. A better approach is the use the heap’s
nlargest
andnsmallest
functions which return iterables.
Note2:
the heap functions are faster for smaller values of N, for larger values please use the
A.sort()
.
Code
Python3 (Heap - faster than sort)
def minDifference(self, A: List[int]) -> int:
if len(A) <= 3: return 0
return min(b - a for a, b in zip(nsmallest(4, A), nlargest(4, A)[::-1]))
Python3 (Sort)
def minDifference(self, A: List[int]) -> int:
if len(A) <= 3: return 0
A.sort()
return min(b - a for a, b in zip(A[:4], A[-4:]))
Big O Analysis
-
Runtime
The runtime complexity here is for the heap solution since heapify takes N time. The sorting solution takes .
-
Memory
The memory usage is since we use the zip function which returns an iterable.
— A