我想格式化一个数字看起来如下“1,234”或“1,234,432”或“123,456,789”,你明白了。我尝试这样做如下;
function reformatint(i)
local length = string.len(i)
for v = 1, math.floor(length/3) do
for k = 1, 3 do
newint = string.sub(mystring, -k*v)
end
newint = ','..newint
end
return newint
end
正如你所看到我尝试失败,问题是我无法弄清楚我正在运行此程序的错误是什么,拒绝向我发回错误。
答案 0 :(得分:10)
这是一个将负数和小数部分考虑在内的函数:
function format_int(number)
local i, j, minus, int, fraction = tostring(number):find('([-]?)(%d+)([.]?%d*)')
-- reverse the int-string and append a comma to all blocks of 3 digits
int = int:reverse():gsub("(%d%d%d)", "%1,")
-- reverse the int-string back remove an optional comma and put the
-- optional minus and fractional part back
return minus .. int:reverse():gsub("^,", "") .. fraction
end
assert(format_int(1234) == '1,234')
assert(format_int(1234567) == '1,234,567')
assert(format_int(123456789) == '123,456,789')
assert(format_int(123456789.1234) == '123,456,789.1234')
assert(format_int(-123456789.) == '-123,456,789')
assert(format_int(-123456789.1234) == '-123,456,789.1234')
assert(format_int('-123456789.1234') == '-123,456,789.1234')
print('All tests passed!')
答案 1 :(得分:4)
好吧,让我们自上而下吧。首先,它失败了,因为你有一个参考错误:
...
for k = 1, 3 do
newint = string.sub(mystring, -k*v) -- What is 'mystring'?
end
...
您很可能希望i
在那里,而不是mystring
。
其次,将mystring
替换为i
会修复错误,但仍然无法正常运行。
> =reformatint(100)
,100
> =reformatint(1)
,000
这显然不对。看起来你要做的就是通过字符串,并添加逗号来构建新字符串。但是有一些问题......
function reformatint(i)
local length = string.len(i)
for v = 1, math.floor(length/3) do
for k = 1, 3 do -- What is this inner loop for?
newint = string.sub(mystring, -k*v) -- This chops off the end of
-- your string only
end
newint = ','..newint -- This will make your result have a ',' at
-- the beginning, no matter what
end
return newint
end
通过一些返工,你可以得到一个有效的功能。
function reformatint(integer)
for i = 1, math.floor((string.len(integer)-1) / 3) do
integer = string.sub(integer, 1, -3*i-i) ..
',' ..
string.sub(integer, -3*i-i+1)
end
return integer
end
上述功能似乎正常工作。然而,它相当令人费解......可能想让它更具可读性。
作为旁注,quick google search找到了一个已经为此做过的函数:
function comma_value(amount)
local formatted = amount
while true do
formatted, k = string.gsub(formatted, "^(-?%d+)(%d%d%d)", '%1,%2')
if (k==0) then
break
end
end
return formatted
end
答案 2 :(得分:1)
你可以不用循环:
function numWithCommas(n)
return tostring(math.floor(n)):reverse():gsub("(%d%d%d)","%1,")
:gsub(",(%-?)$","%1"):reverse()
end
assert(numWithCommas(100000) == "100,000")
assert(numWithCommas(100) == "100")
assert(numWithCommas(-100000) == "-100,000")
assert(numWithCommas(10000000) == "10,000,000")
assert(numWithCommas(10000000.00) == "10,000,000")
第二个gsub需要避免 - ,生成100个。
答案 3 :(得分:1)
我记得在LÖVE forums中讨论这件事......让我来看看......
这适用于正整数:
function reformatInt(i)
return tostring(i):reverse():gsub("%d%d%d", "%1,"):reverse():gsub("^,", "")
end
在上面的链接中,您可以阅读有关实施的详细信息。