cocos2dx lua 监听模式实现

cocos2dx lua 监听模式


1.在控制系统中申请监听事件池的内存

self.listenEventList = {}

2.在监听事件池中使用Key-Value键值对数据结构存储

  • key中存储当前事件的名称
  • value中存储事件发生后会出发的函数列表
  • 通过多次调用listenEvent函数,向其中加入需要监听的事件,就可以实现监听事件的注册
function Controller:ListenEvent(key, tag, callback)
	self.listenEventList[key] = self.listenEventList[key] or {}
	self.listenEventList[key][tag] = callback
end

3.监听事件的注册

  • 在某事件发生后如果有需要修改的地方,我们将这些内容整合在函数中,函数作为callback传给listenEvent,在该事件中注册该函数
Controller:getInstance():ListenEvent("event", "firstFrash", function()
	-- todo
end)

4.监听事件触发函数和注册事件的刷新

  • 在当前监听的事件发生之后,使用对应的key在self.listenEventList中调用所有注册过的函数
function Controller:UpdateListenEvent(key)
	if not self.listenEventList[key] then return end
	for tag, callback in pair(self.listenEventList[key]) do
		if callback then
			callback()
		end
	end
end
  • 但是上述方法只能实现简单的callback功能,并且不能向callback函数中传递参数,只能通过全局变量等方式实现
  • 使用下面这种方式实现注册事件刷新函数 就可以向其中传递参数
function Controller:UpdateListenEvent(key, para)
	if not self.listenEventList[key] then return end
	for tag, callback in pair(self.listenEventList[key]) do
		if callback then
			callback(unpack(para or {}))
		end
	end
end
  • 其这种方法使得穿进去的参数不仅仅可以是个数,还可以是是一个参数列表,用unpack函数把所有参数“解压”出来

5.监听事件的触发

  • 当发生某个事件后,如果该事件在监听事件池中已注册过,直接调用该事件即可
Controller:getInstance():UpdateListenEvent("event", {para_1 = "love", para_2 = "peace"})

你可能感兴趣的:(游戏,Lua)