--面向对象实现
--万物之父,所有对象的基类object
--封装
Object = {}
--实例化方法
function Object:new()
local obj = {}
--给空对象设置元表,以及__index
self.__index = self
setmetatable(obj,self)
return obj
end
--继承
function Object:subClass(className)
--根据名字生成一张表,就是一个"类"
_G[className] = {}
local obj = _G[className]
--设置自己的"父类"
obj.base = self
--给子类设置元表,以及__index
self.__index = self
setmetatable(obj,self)
end
--声明一个新的类
Object:subClass("GameObject") --注意冒号
--成员变量
GameObject.posX = 0
GameObject.posY = 0
--成员方法
function GameObject:Move()
print("移动一次")
self.posX = self.posX + 1
self.posY = self.posY + 1
end
--实例化对象
local obj = GameObject:new()
print(obj.posY);
obj:Move()
print(obj.posY);
local obj2 = GameObject:new()
print(obj2.posY);
obj2:Move()
print(obj2.posY);
--声明一个新的类 Player 继承 GameObject
--多态 重写了GameObject的Move方法
GameObject:subClass("Player")
function Player:Move()
self.base.Move(self)--base.Move 不能base:Move 这样用的就是GameObejct的属性
end
--实例化Player
print("*****************")
local p1 = Player:new()
print(p1.posY)
p1:Move()
print(p1.posY)
07-28
2183
07-28
1651