forked from koreader/koreader
-
Notifications
You must be signed in to change notification settings - Fork 0
/
dump.lua
75 lines (67 loc) · 2.34 KB
/
dump.lua
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
--[[--
A simple serialization function which won't do uservalues, functions, or loops.
If you need a more full-featured variant, serpent is available in ffi/serpent ;).
]]
local insert = table.insert
local indent_prefix = " "
local function _serialize(what, outt, indent, max_lv, history, pairs_func)
if not max_lv then
max_lv = math.huge
end
if indent > max_lv then
return
end
local datatype = type(what)
if datatype == "table" then
history = history or {}
for up, item in ipairs(history) do
if item == what then
insert(outt, "nil --[[ LOOP:\n")
insert(outt, string.rep(indent_prefix, indent - up))
insert(outt, "^------- ]]")
return
end
end
local new_history = { what, unpack(history) }
local didrun = false
insert(outt, "{")
for k, v in pairs_func(what) do
insert(outt, "\n")
insert(outt, string.rep(indent_prefix, indent+1))
insert(outt, "[")
_serialize(k, outt, indent+1, max_lv, new_history, pairs_func)
insert(outt, "] = ")
_serialize(v, outt, indent+1, max_lv, new_history, pairs_func)
insert(outt, ",")
didrun = true
end
if didrun then
insert(outt, "\n")
insert(outt, string.rep(indent_prefix, indent))
end
insert(outt, "}")
elseif datatype == "string" then
insert(outt, string.format("%q", what))
elseif datatype == "number" then
insert(outt, tostring(what))
elseif datatype == "boolean" then
insert(outt, tostring(what))
elseif datatype == "function" then
insert(outt, tostring(what))
elseif datatype == "nil" then
insert(outt, "nil")
end
end
--[[--Serializes whatever is in `data` to a string that is parseable by Lua.
You can optionally specify a maximum recursion depth in `max_lv`.
@function dump
@param data the object you want serialized (table, string, number, boolean, nil)
@param max_lv optional maximum recursion depth
--]]
local function dump(data, max_lv, ordered)
local out = {}
local pairs_func = ordered and require("ffi/util").orderedPairs or pairs
_serialize(data, out, 0, max_lv, nil, pairs_func)
return table.concat(out)
end
return dump