2019-05-22 22:57:34 -05:00
|
|
|
function copy(t)
|
2020-10-06 12:14:00 -05:00
|
|
|
-- returns deep copy of t (as opposed to the shallow copy you get from var = t)
|
2019-05-22 22:57:34 -05:00
|
|
|
if type(t) ~= "table" then return t end
|
2020-11-06 19:49:44 -06:00
|
|
|
local meta = getmetatable(t)
|
|
|
|
local target = {}
|
|
|
|
for k, v in pairs(t) do target[k] = v end
|
|
|
|
setmetatable(target, meta)
|
|
|
|
return target
|
2019-05-22 22:57:34 -05:00
|
|
|
end
|
|
|
|
|
2020-10-06 12:14:00 -05:00
|
|
|
function strTrueValues(tbl)
|
|
|
|
-- returns a concatenation of all the keys in tbl with value true, separated with spaces
|
2019-05-22 22:57:34 -05:00
|
|
|
str = ""
|
|
|
|
for k, v in pairs(tbl) do
|
|
|
|
if v == true then
|
|
|
|
str = str .. k .. " "
|
|
|
|
end
|
|
|
|
end
|
|
|
|
return str
|
|
|
|
end
|
|
|
|
|
2020-10-06 12:14:00 -05:00
|
|
|
function frameTime(min, sec, hth)
|
|
|
|
-- returns a time in frames from a time in minutes-seconds-hundredths format
|
|
|
|
if min == nil then min = 0 end
|
|
|
|
if sec == nil then sec = 0 end
|
|
|
|
if hth == nil then hth = 0 end
|
|
|
|
return min*3600 + sec*60 + math.ceil(hth * 0.6)
|
2019-05-22 22:57:34 -05:00
|
|
|
end
|
|
|
|
|
|
|
|
function vAdd(v1, v2)
|
2020-10-06 12:14:00 -05:00
|
|
|
-- returns the sum of vectors v1 and v2
|
2019-05-22 22:57:34 -05:00
|
|
|
return {
|
|
|
|
x = v1.x + v2.x,
|
|
|
|
y = v1.y + v2.y
|
|
|
|
}
|
|
|
|
end
|
|
|
|
|
|
|
|
function vNeg(v)
|
2020-10-06 12:14:00 -05:00
|
|
|
-- returns the opposite of vector v
|
2019-05-22 22:57:34 -05:00
|
|
|
return {
|
|
|
|
x = -v.x,
|
|
|
|
y = -v.y
|
|
|
|
}
|
|
|
|
end
|
|
|
|
|
|
|
|
function formatTime(frames)
|
2020-10-06 12:14:00 -05:00
|
|
|
-- returns a mm:ss:hh (h=hundredths) representation of the time in frames given
|
2019-05-22 22:57:34 -05:00
|
|
|
if frames < 0 then return formatTime(0) end
|
2020-10-06 12:14:00 -05:00
|
|
|
local min, sec, hund
|
|
|
|
min = math.floor(frames/3600)
|
|
|
|
sec = math.floor(frames/60) % 60
|
|
|
|
hund = math.floor(frames/.6) % 100
|
|
|
|
str = string.format("%02d:%02d.%02d", min, sec, hund)
|
2019-05-22 22:57:34 -05:00
|
|
|
return str
|
|
|
|
end
|
|
|
|
|
|
|
|
function formatBigNum(number)
|
2020-10-06 12:14:00 -05:00
|
|
|
-- returns a string representing a number with commas as thousands separator (e.g. 12,345,678)
|
2019-05-22 22:57:34 -05:00
|
|
|
local s = string.format("%d", number)
|
|
|
|
local pos = string.len(s) % 3
|
|
|
|
if pos == 0 then pos = 3 end
|
|
|
|
return string.sub(s, 1, pos)
|
|
|
|
.. string.gsub(string.sub(s, pos+1), "(...)", ",%1")
|
2020-10-10 18:42:56 -05:00
|
|
|
end
|
|
|
|
|
|
|
|
function Mod1(n, m)
|
2020-11-06 19:49:44 -06:00
|
|
|
-- returns a number congruent to n modulo m in the range [1;m] (as opposed to [0;m-1])
|
|
|
|
return ((n-1) % m) + 1
|
2019-05-22 22:57:34 -05:00
|
|
|
end
|