给定带有一些空白行的多行字符串,如何迭代Lua 中的行,包括空行?
local s = "foo\nbar\n\njim"
for line in magiclines(s) do
print( line=="" and "(blank)" or line)
end
--> foo
--> bar
--> (blank)
--> jim
此代码不包含空行:
for line in string.gmatch(s,'[^\r\n]+') do print(line) end
--> foo
--> bar
--> jim
此代码包含额外的虚假空行:
for line in string.gmatch(s,"[^\r\n]*") do
print( line=="" and "(blank)" or line)
end
--> foo
--> (blank)
--> bar
--> (blank)
--> (blank)
--> jim
--> (blank)
答案 0 :(得分:5)
试试这个:
function magiclines(s)
if s:sub(-1)~="\n" then s=s.."\n" end
return s:gmatch("(.-)\n")
end
答案 1 :(得分:4)
这是一个利用LPEG的解决方案:
local lpeg = require "lpeg"
local lpegmatch = lpeg.match
local P, C = lpeg.P, lpeg.C
local iterlines
do
local eol = P"\r\n" + P"\n\r" + P"\n" + P"\r"
local line = (1 - eol)^0
iterlines = function (str, f)
local lines = ((line / f) * eol)^0 * (line / f)
return lpegmatch (lines, str)
end
end
你得到的是一个可以用来代替迭代器的函数。 它的第一个参数是你要迭代的字符串,第二个参数 是每场比赛的动作:
--- print each line
iterlines ("foo\nbar\n\njim\n\r\r\nbaz\rfoo\n\nbuzz\n\n\n\n", print)
--- count lines while printf
local n = 0
iterlines ("foo\nbar\nbaz", function (line)
n = n + 1
io.write (string.format ("[%2d][%s]\n", n, line))
end)
答案 2 :(得分:4)
这是另一个lPeg
解决方案,因为我似乎在与phg同时编写它。但由于语法更漂亮,我仍然会把它给你!
local lpeg = require "lpeg"
local C, V, P = lpeg.C, lpeg.V, lpeg.P
local g = P({ "S",
S = (C(V("C")^0) * V("N"))^0 * C(V("C")^0),
C = 1 - V("N"),
N = P("\r\n") + "\n\r" + "\n" + "\r",
})
像这样使用:
local test = "Foo\n\nBar\rfoo\r\n\n\n\rbar"
for k,v in pairs({g:match(test)}) do
print(">", v);
end
当然只是print(g:match(test))
答案 3 :(得分:2)
以下模式应匹配每一行,包括空行和一个警告:该字符串必须包含终止CR
或LF
。
local s = "foo\nbar\n\njim\n" -- added terminating \n
for line in s:gmatch("([^\r\n]*)[\r\n]") do
print(line == "" and "(blank)" or line)
end
--> foo
--> bar
--> (blank)
--> jim
不需要尾随CR
或LF
的替代模式会在最后一行产生一个空行(因为它可以接受任何内容)。
local s = "foo\nbar\n\njim"
for line in s:gmatch("([^\r\n]*)[\r\n]?") do
print(line == "" and "(blank)" or line)
end
--> foo
--> bar
--> (blank)
--> jim
--> (blank)
答案 4 :(得分:1)
查看此magiclines
实施是否适合您的帐单:
local function magiclines( str )
local pos = 1;
return function()
if not pos then return nil end
local p1, p2 = string.find( str, "\r?\n", pos )
local line
if p1 then
line = str:sub( pos, p1 - 1 )
pos = p2 + 1
else
line = str:sub( pos )
pos = nil
end
return line
end
end
您可以使用以下代码对其进行测试:
local text = [[
foo
bar
jim
woof
]]
for line in magiclines( text ) do
print( line=="" and "(blank)" or line)
end
<强>输出:强>
foo bar (blank) jim (blank) woof (blank)
答案 5 :(得分:0)
@lhf的答案做了一些优化:
function magiclines(s)
return s:gmatch("(.-)$")
end