我想从Lua中的字符串中删除所有空格。这就是我的尝试:
string.gsub(str, "", "")
string.gsub(str, "% ", "")
string.gsub(str, "%s*", "")
这似乎不起作用。如何删除所有空格?
答案 0 :(得分:30)
它有效,你只需要分配实际的结果/返回值。使用以下变体之一:
str = str:gsub("%s+", "")
str = string.gsub(str, "%s+", "")
我使用%s+
因为替换空匹配没有意义(即没有空格)。这没有任何意义,所以我寻找至少一个空格字符(使用+
量词)。
答案 1 :(得分:4)
最快的方法是使用trim.c编译的trim.so:
/* trim.c - based on http://lua-users.org/lists/lua-l/2009-12/msg00951.html
from Sean Conner */
#include <stddef.h>
#include <ctype.h>
#include <lua.h>
#include <lauxlib.h>
int trim(lua_State *L)
{
const char *front;
const char *end;
size_t size;
front = luaL_checklstring(L,1,&size);
end = &front[size - 1];
for ( ; size && isspace(*front) ; size-- , front++)
;
for ( ; size && isspace(*end) ; size-- , end--)
;
lua_pushlstring(L,front,(size_t)(end - front) + 1);
return 1;
}
int luaopen_trim(lua_State *L)
{
lua_register(L,"trim",trim);
return 0;
}
编译类似:
gcc -shared -fpic -O -I/usr/local/include/luajit-2.1 trim.c -o trim.so
更详细(与其他方法相比):http://lua-users.org/wiki/StringTrim
<强>用法:强>
local trim15 = require("trim")--at begin of the file
local tr = trim(" a z z z z z ")--anywhere at code
答案 2 :(得分:1)
您使用以下功能:
function all_trim(s)
return s:match"^%s*(.*)":match"(.-)%s*$"
end
或更短:
function all_trim(s)
return s:match( "^%s*(.-)%s*$" )
end
用法:
str=" aa "
print(all_trim(str) .. "e")
输出是:
aae
答案 3 :(得分:1)
对于LuaJIT来说,Lua wiki中的所有方法(可能是原生C / C ++除外)在我的测试中都非常慢。此实现显示了最佳性能:
function trim (str)
if str == '' then
return str
else
local startPos = 1
local endPos = #str
while (startPos < endPos and str:byte(startPos) <= 32) do
startPos = startPos + 1
end
if startPos >= endPos then
return ''
else
while (endPos > 0 and str:byte(endPos) <= 32) do
endPos = endPos - 1
end
return str:sub(startPos, endPos)
end
end
end -- .function trim
答案 4 :(得分:-1)
如果有人希望删除一串字符串中的所有空格,并删除字符串中间的空格,那么这对我有用:
function noSpace(str)
local normalisedString = string.gsub(str, "%s+", "")
return normalisedString
end
test = "te st"
print(noSpace(test))
虽然可能有更简单的方法,但我不是专家!