读取字符串时如何匹配浮点数
How to match a floating point number when reading a string
如何在处理字符串时匹配 1.234
或使用 1.23e04
等 "E notation" 的浮点数?
举个例子,假设我想从如下数据文件中读取数字:
0.0 1.295e-03
0.1 1.276e-03
0.2 1.261e-03
0.3 1.247e-03
0.4 1.232e-03
0.5 1.218e-03
目前我写了自己的函数来转换它包含的每一行的数字,但它不是很优雅并且根本不便携:具有不同"layout"的数据文件会出错。
这是一个简单的例子,它读取已经呈现的数据文件并打印以筛选数字:
function read_line(str)
local a, b, c, d, e = str:match(
"^%s*(%d+)%.(%d+)%s+(%d+)%.(%d+)[Ee]%-*(%d+)")
if str:match("%-") then
e = -tonumber(e)
end
local v1 = a + .1*b
local v2 = (c + .001*d) * 10^e
return v1, v2
end
for line in io.lines("data.txt") do
print(read_line(line))
end
结果是:
0 0.001295
0.1 0.001276
0.2 0.001261
0.3 0.001247
0.4 0.001232
0.5 0.001218
这确实是我想要达到的结果,但是有没有更优雅更通用的方法来处理这个问题?
注意:数据文件可以有两列以上的数字,可以有两者浮点表示和"E notation".
假设每一行只包含空格分隔的数字,您可以让 tonumber
完成繁重的工作而不是手动匹配数字:
function split_number(str)
local t = {}
for n in str:gmatch("%S+") do
table.insert(t, tonumber(n))
end
return table.unpack(t)
end
for line in io.lines("data.txt") do
print(split_number(line))
end
这适用于 lua REPL。
a = tonumber('4534.432')
b = tonumber('4534.432')
a==b
所以你的答案就是使用 tonumber.
Lua可以直接读数字:
f=assert(io.open("data.txt"))
while true do
local a,b=f:read("*n","*n")
if b==nil then break end
print(a,b)
end
f:close()
如何在处理字符串时匹配 1.234
或使用 1.23e04
等 "E notation" 的浮点数?
举个例子,假设我想从如下数据文件中读取数字:
0.0 1.295e-03
0.1 1.276e-03
0.2 1.261e-03
0.3 1.247e-03
0.4 1.232e-03
0.5 1.218e-03
目前我写了自己的函数来转换它包含的每一行的数字,但它不是很优雅并且根本不便携:具有不同"layout"的数据文件会出错。
这是一个简单的例子,它读取已经呈现的数据文件并打印以筛选数字:
function read_line(str)
local a, b, c, d, e = str:match(
"^%s*(%d+)%.(%d+)%s+(%d+)%.(%d+)[Ee]%-*(%d+)")
if str:match("%-") then
e = -tonumber(e)
end
local v1 = a + .1*b
local v2 = (c + .001*d) * 10^e
return v1, v2
end
for line in io.lines("data.txt") do
print(read_line(line))
end
结果是:
0 0.001295
0.1 0.001276
0.2 0.001261
0.3 0.001247
0.4 0.001232
0.5 0.001218
这确实是我想要达到的结果,但是有没有更优雅更通用的方法来处理这个问题?
注意:数据文件可以有两列以上的数字,可以有两者浮点表示和"E notation".
假设每一行只包含空格分隔的数字,您可以让 tonumber
完成繁重的工作而不是手动匹配数字:
function split_number(str)
local t = {}
for n in str:gmatch("%S+") do
table.insert(t, tonumber(n))
end
return table.unpack(t)
end
for line in io.lines("data.txt") do
print(split_number(line))
end
这适用于 lua REPL。
a = tonumber('4534.432')
b = tonumber('4534.432')
a==b
所以你的答案就是使用 tonumber.
Lua可以直接读数字:
f=assert(io.open("data.txt"))
while true do
local a,b=f:read("*n","*n")
if b==nil then break end
print(a,b)
end
f:close()