对于Lua中的函数循环,Computercraft

时间:2015-04-10 17:42:15

标签: function lua computercraft

我正在学习计算机技术(我的世界)中的编程,并且在阅读一些存储单元时遇到了一些麻烦。

我正在处理的函数应遍历所有单元格,并将存储容量加到for循环中的变量中。

这是我到目前为止所得到的

local cell1 = peripheral.wrap("tile_thermalexpansion_cell_reinforced_name_2")
local cell2 = peripheral.wrap("tile_thermalexpansion_cell_reinforced_name_3")
local cell3 = peripheral.wrap("tile_thermalexpansion_cell_reinforced_name_4")
local cell4 = peripheral.wrap("tile_thermalexpansion_cell_reinforced_name_5")
local cell5 = peripheral.wrap("tile_thermalexpansion_cell_reinforced_name_6")
local cell6 = peripheral.wrap("tile_thermalexpansion_cell_reinforced_name_7")

cells = {"cell1", "cell2", "cell3", "cell4", "cell5", "cell6"}

local totStorage

function getTotStorage(table)
    for key = 1,6 do
        x = table[key]
        totStorage = totStorage + x.getMaxEnergyStored()        
    end
    print(totStorage)
end

我在这一行收到错误

totStorage = totStorage + x.getMaxEnergyStored()    

说“尝试拨打零”。 有什么建议?

1 个答案:

答案 0 :(得分:1)

cells = {"cell1", "cell2", "cell3", "cell4", "cell5", "cell6"}

简写:

cells = {
-- key   value
   [1] = "cell1", 
   [2] = "cell2", 
   [3] = "cell3", 
   [4] = "cell4", 
   [5] = "cell5", 
   [6] = "cell6"
}

假设您的getTotStorage来电与以下类似(您没有发布)

getTotStorage(cells)

在循环中,您尝试在x上调用一个字符串值的方法:

for key = 1,6 do
   x = table[key]
   totStorage = totStorage + x.getMaxEnergyStored()        
end

这基本上是在尝试:

totStorage = totStorage + ("cell1").getMaxEnergyStored()

您可以做的是重新排列代码,使值为peripheral.wrap返回的对象:

local cells = {
  peripheral.wrap("tile_thermalexpansion_cell_reinforced_name_2"),
  peripheral.wrap("tile_thermalexpansion_cell_reinforced_name_3"),
  peripheral.wrap("tile_thermalexpansion_cell_reinforced_name_4"),
  peripheral.wrap("tile_thermalexpansion_cell_reinforced_name_5"),
  peripheral.wrap("tile_thermalexpansion_cell_reinforced_name_6"),
  peripheral.wrap("tile_thermalexpansion_cell_reinforced_name_7"),
}

function getTotStorage(t)
  local totStorage = 0
  for i,v in ipairs(t) do
     totStorage = totStorage + v.getMaxEnergyStored()
  end
  print(totStorage)
end

一些观察结果:

  • 尽可能使用local(即totStorage)来限制变量的范围(不需要将循环计数器作为全局)
  • 不要命名与标准Lua库发生冲突的变量(即stringtablemath
  • ipairs是循环序列的更好方法