類
在很多面向?qū)ο蟮恼Z言中有類(class)的概念,對象是類的實例。Lua 中不存在類的概念。Lua 就像 JavaScript 一樣是面向原型的語言(http://en.wikipedia.org/wiki/Prototype-based_programming),這類語言使用一個對象表示一個“類”,其他對象(此類的實例)使用此對象作為原型。我們有兩個 table p 和 obj,將 p 設(shè)置為 obj 的原型(回顧:https://www.jb51.net/article/56690.htm):
復(fù)制代碼 代碼如下:
setmetatable(obj, {__index = p})
obj 中不存在的操作會在 p 中查找。
看一個詳細(xì)的例子:
復(fù)制代碼 代碼如下:
Account = {
-- 默認(rèn)的 balance 的值
balance = 0
}
function Account:new(o)
o = o or {}
-- 設(shè)置原型為 Account
setmetatable(o, self)
self.__index = self
return o
end
function Account:deposit(v)
self.balance = self.balance + v
end
function Account:withdraw(v)
if v > self.balance then
print('insufficient funds')
return
end
self.balance = self.balance - v
end
-- 構(gòu)建 Account 對象,初始 balance 為 100
local a1 = Account:new{balance = 100}
a1:deposit(100) --> balance == 200
a1:withdraw(100) --> balance == 100
-- 構(gòu)建 Account 對象,使用默認(rèn)的 balance
local a2 = Account:new()
a2:deposit(100) --> balance == 100
在方法定義時使用冒號能夠添加一個隱藏的參數(shù) self 給方法,在方法調(diào)用時使用冒號能夠?qū)⒄{(diào)用者作為一個額外的參數(shù)傳遞給此方法,例如:
復(fù)制代碼 代碼如下:
-- 以下兩種寫法等價
function Account:deposit(v)
function Account.deposit(self, v)
-- 以下兩種寫法等價
a1:deposit(100)
a1.deposit(a1, 100)
self 為方法的調(diào)用者。
在 Account 這個例子中,一個小優(yōu)化是,我們沒有必要創(chuàng)建一個額外的 metatable,而直接使用 Account 作為 metatable。
繼承
我們通過一個例子來解釋 Lua 如何實現(xiàn)繼承。假定我們需要子類 SpecialAccount 繼承于 Account,SpecialAccount 是可以透支的。
首先構(gòu)造一個子類:
復(fù)制代碼 代碼如下:
SpecialAccount = Account:new()
這里 SpecialAccount 擁有了(繼承了)Account 的 new 方法。那么我們就可以使用 SpecialAccount 構(gòu)建對象:
復(fù)制代碼 代碼如下:
local sa = SpecialAccount:new{limit = 1000}
sa:withdraw(100)
這里通過 SpecialAccount:new 構(gòu)造了對象 sa,并且 sa 的 metatable 為 SpecialAccount。執(zhí)行 sa:withdraw(100),Lua 在 sa 中找不到 withdraw,就會在 SpecialAccount 中找,在 SpecialAccount 中也找不到 withdraw,然后在 Account 中找到 withdraw 并調(diào)用它。Account 中的 withdraw 顯然不是我們想要的,我們在 SpecialAccount 中重新定義它:
復(fù)制代碼 代碼如下:
function SpecialAccount:withdraw(v)
if v - self.balance >= self:getLimit() then
print('insufficient funds')
return
end
self.balance = self.balance - v
end
function SpecialAccount:getLimit()
return self.limit or 0
end
我們再調(diào)用 sa:withdraw(100),Lua 先在 SpecialAccount 中找到 withdraw 并調(diào)用它。
您可能感興趣的文章:- Lua腳本語言簡明入門教程
- Lua極簡入門指南(一):基礎(chǔ)知識篇
- Lua極簡入門指南(三): loadfile和錯誤處理
- Lua極簡入門指南(一):函數(shù)篇
- Lua極簡入門指南:全局變量
- lua腳本語言快速入門教程
- Lua入門學(xué)習(xí)筆記
- Lua極簡入門指南(六):模塊
- Lua腳本語言基本語法快速入門教程
- Lua語言新手簡單入門教程