神奇的Lua:从pairs和ipairs解析for循环

如果不用pairs/ipairs/for如何来实现遍历数组的操作呢?下面实现了一下,没有实用意义,仅仅为了理解lua的for循环。

-- 实现 pairs ipairs for 三个函数
local function ipairs_next_func(tab, key)
	key = key + 1
	value = tab[key]
	if value then
		return key, value
	end
end
local function ipairs_func(tab)
	return ipairs_next_func, tab, 0
end

local function pairs_next_func(tab, key)
	key = next(tab, key)
	value = tab[key]
	if value then
		return key, value
	end
end
local function pairs_func(tab, key)
	return pairs_next_func, tab, nil
end
local function for_func(iter_func, test_table, user_func)
	local next, var, state = iter_func(test_table)
	while true do
		local k, v = next(var, state)
		if not k then break end	
		state = k
		user_func(k, v)
	end
end

-- 测试一下
local test_table = 
{
	a = 1,
	2,
	x = 'x',
	3,
}

print('ipairs:')
for k, v in ipairs(test_table) do
	print(k,v)
end

print("ipairs_func:")
for_func(ipairs_func, test_table, print)

print('pairs:')
for k, v in pairs(test_table) do
	print(k,v)
end

print("pairs_func:")
for_func(pairs_func, test_table, print)	


你可能感兴趣的:(love2d)