2020-08-13
The Closest Prior: A conversation#
So recently Hrishi came up to me and asked how I'd write a sort function that would, given a number x
, sort a list such that the first item would be the one closest to, but smaller than, x
. He wanted to use this in a function to get the closest prior from a list. Basically:
var ls = [3, 6, 2, 1, 7, 3, 5, 9];
get_closest_prior(8, ls) >> 7;
get_closest_prior(5, ls) >> 5;
The conversation went something like this.
So in my mind there's two parts to this. You want all numbers greater than x
to be at the end of the list. Then, at the front of the list, you want all numbers smaller than x
to be sorted in reverse order. Basically, given a sorted list with x
in the middle:
You want to sort the list something like this:
I gave him this sorting function, with an appropriate try/catch block to handle divide by zero errors. Using try/catch means that the additional comparisons (ie whether a or b is equal to x) are only performed when necessary, instead of every time.
function sort_closest_prior(x, a, b) {
if (1 / (a - x) > 1 / (b - x)) {
return 1;
} else {
return -1;
}
}
This sort function is basically normal sort, on a transformed array. Each array element e
is transformed by . Subtracting x
recenters the array so that x
= zero,
and then dividing by that inverts the magnitude of each number, to leave the closest prior as the smallest item in the transformed array.
abs
. abs(e-x)
? x
, not the closest number less
than x
. x
is smaller than every element in
the array? None
. filter
out
all elements greater than x
, then sort descending? And that's one story of how easy it is to complicate something far beyond necessity.