如何隔离 Lua 中用空格分隔的非英语单词?
How to isolate non english words separated by spaces in Lua?
我有这个字符串
"Hello there, this is some line-aa."
如何将它切片成这样的数组?
Hello
there,
this
is
some
line-aa.
这是我目前尝试过的方法
function sliceSpaces(arg)
local list = {}
for k in arg:gmatch("%w+") do
print(k)
table.insert(list, k)
end
return list
end
local sentence = "مرحبا يا اخوتي"
print("sliceSpaces")
print(sliceSpaces(sentence))
此代码适用于英文文本,但不适用于阿拉伯文,我怎样才能使其也适用于阿拉伯文?
Lua 字符串是字节序列,而不是 Unicode 字符。模式 %w
匹配字母数字字符,但它仅适用于 ASCII。
而是使用 %S
来匹配非空白字符:
for k in arg:gmatch("%S+") do
我有这个字符串
"Hello there, this is some line-aa."
如何将它切片成这样的数组?
Hello
there,
this
is
some
line-aa.
这是我目前尝试过的方法
function sliceSpaces(arg)
local list = {}
for k in arg:gmatch("%w+") do
print(k)
table.insert(list, k)
end
return list
end
local sentence = "مرحبا يا اخوتي"
print("sliceSpaces")
print(sliceSpaces(sentence))
此代码适用于英文文本,但不适用于阿拉伯文,我怎样才能使其也适用于阿拉伯文?
Lua 字符串是字节序列,而不是 Unicode 字符。模式 %w
匹配字母数字字符,但它仅适用于 ASCII。
而是使用 %S
来匹配非空白字符:
for k in arg:gmatch("%S+") do