[modified] refactored insert_sorted to get PR #18 merged

This commit is contained in:
Max Cahill 2021-04-30 11:46:51 +10:00
parent 5601d9415b
commit 826a2797c8

View File

@ -48,68 +48,50 @@ function tablex.unshift(t, v)
return t return t
end end
function tablex.is_sorted(t) --default comparison; hoisted for clarity
local sorted = true --(shared with sort.lua and suggests the sorted functions below should maybe be refactored there)
for i = 1, #t - 1 do local function default_less(a, b)
if t[i] > t[i + 1] then return a < b
sorted = false end
break
end --check if a function is sorted based on a "less" or "comes before" ordering comparison
end --if any item is "less" than the item before it, we are not sorted
return sorted --(use stable_sort to )
function tablex.is_sorted(t, less)
less = less or default_less
for i = 1, #t - 1 do
if less(t[i + 1], t[i]) then
return false
end
end
return true
end end
--insert to the first position before the first larger element in the table --insert to the first position before the first larger element in the table
--if this is used on an already sorted table, the table will remain sorted and not need re-sorting --if this is used on an already sorted table, the table will remain sorted and not need re-sorting
--todo: make it do binary search rather than linear to improve performance --(you can check if the table is sorted and sort if needed if you don't know)
--return the table for possible chaining --return the table for possible chaining
function tablex.insert_sorted(t, v, less) function tablex.insert_sorted(t, v, less)
local inserted = false less = less or default_less
local low = 1
-- to use binary search is necessary as precondition that local high = #t
-- the table is sorted local match
if not tablex.is_sorted(t) then while low <= high do
for i = 1, #t do local mid = math.floor((low + high) / 2)
if less(v, t[i]) then local mid_val = t[mid]
table.insert(t, i, v) if less(v, mid_val) then
inserted = true high = mid - 1
break elseif less(mid_val, v) then
end low = mid + 1
end else
if not inserted then match = mid
table.insert(t, v)
end
return t
end
local l = 1
local r = #t
if r < l then
table.insert(t,v)
return t
end
while l <= r do
local mid = math.floor(l + (r - l) / 2)
if (less(v, t[mid]) or v == t[mid]) and (mid == 1 or less(t[mid - 1], v) or t[mid - 1] == v) then
table.insert(t, mid, v)
inserted = true
break break
elseif less(t[mid], v) then
l = mid + 1
elseif less(v, t[mid - 1]) then
r = mid - 1
end end
end end
table.insert(t, match or low, v)
if not inserted then
table.insert(t, l, v)
end
return t return t
end end
--find the index in a sequential table that a resides at --find the index in a sequential table that a resides at
--or nil if nothing was found --or nil if nothing was found
function tablex.index_of(t, a) function tablex.index_of(t, a)