2

我正在为 Lua 制作一个序列化库,并且我正在使用 LPeg 来解析字符串。我已经让 K/V 对工作(使用明确命名的键),但现在我要添加自动索引。

它会像这样工作:

@"value"
@"value2"

将评估为

{
  [1] = "value"
  [2] = "value2"
}

我已经使值匹配工作(字符串、表格、数字和布尔值都可以正常工作),所以我不需要帮助;我正在寻找的是索引。对于@[value pattern] 的每个匹配,它应该捕获找到的@[value pattern] 的数量 - 换句话说,我可以匹配一系列值(“@”value1“@”value2”)但我不'不知道如何根据匹配数为它们分配索引。如果还不够清楚,请发表评论,我会尝试更好地解释它。

这是我当前模式的样子(使用压缩符号):

local process = {} -- Process a captured value
  process.number = tonumber
  process.string = function(s) return s:sub(2, -2) end -- Strip of opening and closing tags
  process.boolean = function(s) if s == "true" then return true else return false end

number = [decimal number, scientific notation] / process.number
string = [double or single quoted string, supports escaped quotation characters] / process.string
boolean = P("true") + "false" / process.boolean
table = [balanced brackets] / [parse the table]

type = number + string + boolean + table

at_notation = (P("@") * whitespace * type) / [creates a table that includes the key and value]

正如您在最后一行代码中看到的那样,我有一个执行此操作的函数:

k,v matched in the pattern
-- turns into --
{k, v}
-- which is then added into an "entry table" (I loop through it and add it into the return table)
4

1 回答 1

3

根据您到目前为止所描述的内容,您应该能够使用简单的捕获和表格捕获来完成此操作。

这是我敲出的一个简化示例来说明:

lpeg = require 'lpeg'
l = lpeg.locale(lpeg)


whitesp = l.space ^ 0
bool_val    = (l.P "true" + "false") / function (s) return s == "true" end
num_val     = l.digit ^ 1 / tonumber
string_val  = '"' * l.C(l.alnum ^ 1) * '"'
val = bool_val + num_val + string_val
at_notation = l.Ct( (l.P "@" * whitesp * val * whitesp) ^ 0 )

local testdata = [[
@"value1"
  @42
@  "value2"
@true
]]

local res = l.match(at_notation, testdata)

匹配返回一个包含内容的表:

{
  [1] = "value1",
  [2] = 42,
  [3] = "value2",
  [4] = true
}
于 2013-10-23T23:18:19.897 回答