lua當變量做爲函數的參數進行傳遞時,相似的也是boolean,string,number類型的變量進行值傳遞。而table,function,userdata類型的變量進行引用傳遞。故而當table進行賦值操做之時,table A函數
賦值給table B,對錶B中元素進行操做天然也會對A產生影響,固然對B表自己進行處理例如B =nil或者將表B指向另外一個表,則對A是沒什麼影響的;下面便是對lua table的深度拷貝。lua
deepcopy = function(object) local lookup_table = {} local function _copy(object) if type(object) ~= "table" then return object elseif lookup_table[object] then return lookup_table[object] end local new_table = {} lookup_table[object] = new_table for index, value in pairs(object) do new_table[_copy(index)] = _copy(value) end return setmetatable(new_table, getmetatable(object)) end return _copy(object) end local testA = {1,2,3,4,5} local testB = testA testB[2] = "我擦" local testC = deepcopy(testA) testC[2] = "我勒個去" for k , v in ipairs (testA) do print("testA",k, v ) end print("============================") for k , v in ipairs (testC) do print("testC",k, v ) end
運行結果以下:spa
testA 1 1
testA 2 我擦
testA 3 3
testA 4 4
testA 5 5
============================
testC 1 1
testC 2 我勒個去
testC 3 3
testC 4 4
testC 5 5code