0

我有这张桌子:

no_table ={
        {a="3", b="22", c="18", d="ABC"},
        {a="4", b="12", c="25", d="ABC"},
        {a="5", b="15", c="16", d="CDE"},
               }

这个功能:

function testfoo()
    i = 1
    while no_table[i] ~= nil do
        foo(no_table[i])
        i = i + 1
    end
end

和 foo 函数:

function foo(a,b,c,d)
    if no_table[i][4] ~= no_table[i-1][4]
        then
           print (a+b)
    elseif no_table[i][4] == no_table[i-1][4]
        then
           print (b+c)
    end
end

你能帮我找到吗?:

  1. 一种能够检查两个表是否相等的方法(目前它让我无法索引 nil)

  2. 如果等式为真,则仅执行“print (b+c)”代码,或者如果不为真,则首先执行“print (a+b)”,然后再执行“print (b+c)”而不复制代码.

4

1 回答 1

2

我在这方面看到了很多问题。首先,我永远不会依赖在i外部函数中进行设置,它确实应该是一个局部变量,并在需要时作为参数传递。也就是说,您需要no_table[x]在尝试访问之前检查是否存在no_table[x][y]。所以,因为foo你有:

function foo(a,b,c,d)
    if not (no_table[i] and no_table[i-1] and no_table[i][4] == no_table[i-1][4])
        then
           print (a+b)
    elseif no_table[i] and no_table[i-1] and no_table[i][4] == no_table[i-1][4]
        then
           print (b+c)
    end
end

此外,对于表中的数字,如果要进行算术运算,则需要删除引号:

no_table ={
        {a=3, b=22, c=18, d="ABC"},
        {a=4, b=12, c=25, d="ABC"},
        {a=5, b=15, c=16, d="CDE"},
               }

接下来,在 in 中testfoo,您要传递一个表,因此您需要在函数调用中拆分 a、b、c 和 d 的值,或者您可以只传递表本身并在 foo 中处理它:

function foo(t)
    if not (no_table[i] and no_table[i-1] and no_table[i][4] == no_table[i-1][4])
        then
           print (t.a+t.b)
    elseif no_table[i] and no_table[i-1] and no_table[i][4] == no_table[i-1][4]
        then
           print (t.b+t.c)
    end
end

这导致:

> testfoo()
25
37
31

编辑:最后一次清理,由于条件相同,您可以使用 anelse而不是 an elseif

function foo(t)
    if no_table[i] and no_table[i-1] and no_table[i][4] == no_table[i-1][4]
        then
           print (t.b+t.c)
    else
           print (t.a+t.b)
    end
end
于 2011-09-03T22:45:39.483 回答