您好,我试图将存储在.obj文件中的顶点转换为实际可以在lua中使用的表。
这就是.obj文件的样子:
# Blender v2.77 (sub 0) OBJ File: ''
# www.blender.org
mtllib pyramid.mtl
o Cube
v 1.000000 0.000000 -1.000000
v 1.000000 0.000000 1.000000
v -1.000000 0.000000 1.000000
v -1.000000 0.000000 -1.000000
v -0.000000 2.000000 0.000000
vn 0.0000 -1.0000 0.0000
vn 0.8944 0.4472 0.0000
vn -0.0000 0.4472 0.8944
vn -0.8944 0.4472 -0.0000
vn 0.0000 0.4472 -0.8944
usemtl Material
s off
f 1//1 2//1 3//1 4//1
f 1//2 5//2 2//2
f 2//3 5//3 3//3
f 3//4 5//4 4//4
f 5//5 1//5 4//5
我需要的只是以v开头的5行看起来像这样:
Node1= {x=1.000000, y=0.000000, z=-1.000000}
Node2= {x=1.000000, y=0.000000, z=1.000000}
Node3= {x=-1.000000, y=0.000000, z=1.000000}
Node4= {x=-1.000000, y=0.000000, z=-1.000000}
Node5= {x=-0.000000, y=2.000000, z=0.000000}
使用我编写的代码,我将输出设置为如下所示:
Node1= {x=1.000000 0.000000 -1.000000}
Node2= {x=1.000000 0.000000 1.000000}
Node3= {x=-1.000000 0.000000 1.000000}
Node4= {x=-1.000000 0.000000 -1.000000}
Node5= {x=-0.000000 2.000000 0.000000}
这就是我正在做的工作的代码:
inputFile = io.open("file.txt", "r")
io.input(inputFile)
string = io.read("*all")
io.close(inputFile)
outputFile = io.open("object.lua", "a")
io.output(otputFile)
i = 1
for word in
string.gmatch(string, " .?%d.%d%d%d%d%d%d .?%d.%d%d%d%d%d%d .?%d.%d%d%d%d%d%d") do
print(word)
-- outputFile:write("Node"..i.. "= {" ..word.. "}\n")
outputFile:write("Node"..i.. "= {" ..string.gsub(word, "(%s)", "x=", 1).. "}\n")
i = i + 1
end
首先打开.obj文件并将所有内容存储在" string"中。 比它创造" object.lua"。对于匹配此模式的每个字符串:
1.000000 0.000000 -1.000000
在string中,string.gmatch会找到它并将其写入输出文件。但首先它必须重新格式化字符串。如您所见,我设法用" x ="替换第一个空格(%s)。此外,第二个空间需要替换为",y ="第三个用",z ="。 但是,我无法看到如何使用string.gsub,它可以进行多种不同的替换。
这是正确的方法吗?我只是做错了什么? 或者还有另一种方法可以完成这项任务吗?
答案 0 :(得分:2)
整体方法的变体,但结果相同。
PATTERN = '^v (%S+) (%S+) (%S+)$'
fo = io.open('object.lua','w')
i = 1
for line in io.lines('file.txt') do
if line:match(PATTERN) then
line = line:gsub(PATTERN,'Node'..i..'= {x=%1, y=%2, z=%3}')
print(line)
fo:write(line,'\n')
i = i + 1
end
end
fo:close()
答案 1 :(得分:1)
主要问题在于gsub调用。您宁愿匹配数字本身([^%s]
),而不是开头的空格。这样做了:
string.gsub(word, "([^%s]) ([^%s]) ([^%s])", "x=%1 y=%2 z=%3", 1)
gmatch
也可以这样简化:
string.gmatch(s, "v [0-9.-]* [0-9.-]* [0-9.-]*")