Continuing to learn Lua.
I have wrote a function that removes the first sentence from each line and returns the result as a table of modified lines, where the first sentence was removed. Strangely, table.insert
behaves weird in such function.
function mypackage.remove_first(table_of_lines)
local lns = table_of_lines
local new_lns = {}
for i=1,#lns do
table.insert(new_lns,string.gsub(lns[i],"^[^.]+. ","",1))
end
return new_lns
end
Unexpectedly, this gave me the following error.
[string "function mypackage.remove_first(table_of_lines)..."]:5: bad argument #2 to 'insert' (number expected, got string)
Why is "number expected" in the first place?
From table.insert
docs
Inserts element value at position pos in list, shifting up the elements list[pos], list[pos+1], ···, list[#list]. The default value for pos is #list+1, so that a call table.insert(t,x) inserts x at the end of list t.
Nothing is said about type requirements for table.insert
. Ok, I decided to modify the example.
function mypackage.remove_first(table_of_lines)
local lns = table_of_lines
local new_lns = {}
for i=1,#lns do
local nofirst = string.gsub(lns[i],"^[^.]+. ","",1)
table.insert(new_lns,nofirst)
end
return new_lns
end
And now everything works. Can you explain what is going on here?
The problem is a bit complicated. It's a collision of three factors:
string.gsub
returns two parameters; the second parameter is the number of matches.table.insert
can take 3 parameters. When it is given 3 parameters, the second parameter is expected to be an integer offset defining where to insert the object.When you do this:
func1(func2())
, all of the return values offunc2
are passed tofunc1
, so long as you don't pass arguments afterfunc2
infunc1
's argument list. Sofunc1(func2(), something_else)
will get only 2 arguments.Therefore, when you do
table.insert(ins, string.gsub(...))
, this will invoke the 3-argument version, which expects the second argument to be the index to insert the object into. Hence the problem.If you want to ensure discarding, then you can wrap the expression in parenthesis: