Lua可变长参数(Variable Number of Arguments)

翻译文档

一. 基本使用

假如我们系统没有stdout (文件操作),现在我们需要重新定义print方法,把传入的参数存取到全局变量,以便稍后使用,我们可以这样:

printResult = ""
function print (...)
    for i,v in ipairs(arg) do
        printResult = printResult .. tostring(v) .. "\t"
    end
    printResult = printResult .. "\n"
end
  • 但是在lua5.1以后,不再使用这种处理方式,它不会再为每一个可变长参数生成一个table;如果我们还想要使用arg,我们最好使用如下写法
function func(...)
    local arg={...}
end

二. arg

  • 这些点(...)表明这个函数有一个可变长参数。
  • 它所有的参数存储在一个单独的table,在函数内,可以通过arg访问
  • arg有一个额外的字段:n,表示参数的个数
function myprint (...)
    for i,v in pairs(arg) do
        printResult = printResult .. tostring(v) .. "\t"
    end
    print(arg.n)  --4
    printResult = printResult .. "\n"
end

myprint(1,0,"a",true)
print(printResult)  --1 0   a   true    4,最后一个为n

三.多返回值

有些函数返回固定个数的返回值,但有时,我们只需要第二个参数。

1. 第一种方法时使用虚变量(dummy variable)
--虚变量以单个下划线(“_”)来命名,用它来丢弃不需要的数据,仅仅起到占位符的作用。
local _, x = string.find("hello hello", " hel")
2. 另外一种方法是定义select函数
function select (n, ...)
      return arg[n]
end

print(string.find("hello hello", " hel"))         --> 6  9
print(select(1, string.find("hello hello", " hel"))) --> 6
print(select(2, string.find("hello hello", " hel"))) --> 9

--注意,如果使用lua自带的select方法,输出结果如下:
--6 9
--6 9
--9

--自带select定义为:
--如果第一个参数为number类型,返回从该索引下的参数到最后一个参数。
--否则,第一个参数只能是"#",此时返回参数的个数

三. 传递可变长参数

function fwrite (fmt, ...)
      return io.write(string.format(fmt, unpack(arg)))
end

--在比如
function g(...)
end
 
function f(...)
    local arg={...}
    g(unpack(ard))
end

你可能感兴趣的:(Lua可变长参数(Variable Number of Arguments))