序列化
我么常常需要将某些数据序列化/串行化,即将数据转换为字节流或字符流,以便将其存储到文件中或通过网络传输。我们也可以将序列化的数据表示为Lua代码,当这些代码运行时,被序列化的数据就可以在读取程序中得到重建。
function serialize(o)
if type(o) == "number' then
io.write(tostring(o))
else other cases
end
end
我们可以使用一种安全的方法来括住一个字符串,那就是使用函数string.format的"%q"选项,该选项被设计为一种能够让Lua语言安全地反序列化字符串的方式来序列化字符串,它用双引号括住字符串并正确地转义其中的双引号和换行符等其他字符。
a = 'a "problematic"\\string'
print(string.format("%q", a))
Lua5.3.3对格式选项进行了扩展,使其他也可以用于数值、nil和Boolean类型,进而使它们能够正确地被序列化和反序列化
function serialize (o)
local t = type (o)
if t == "number" or t == "string" or t == "boolean" or t == "nil" then
io.write(string.format("%q",o))
else other cases
end
end