Advertisement
Guest User

class.lua

a guest
Nov 20th, 2014
264
0
Never
Not a member of Pastebin yet? Sign Up, it unlocks many cool features!
text 1.96 KB | None | 0 0
  1. function _G.class(base, init)
  2. local c = {} -- a new class instance
  3. if not init and type(base) == 'function' then
  4. init = base
  5. base = nil
  6. elseif type(base) == 'table' then
  7. -- our new class is a shallow copy of the base class!
  8. for i,v in pairs(base) do
  9. c[i] = v
  10. end
  11. c._base = base
  12. end
  13. -- the class will be the metatable for all its objects,
  14. -- and they will look up their methods in it.
  15. c.__index = c
  16.  
  17. -- expose a constructor which can be called by <classname>(<args>)
  18. local mt = {}
  19.  
  20. mt.__call = function(class_tbl, ...)
  21. local obj = {}
  22. setmetatable(obj,c)
  23. if init then
  24. init(obj,...)
  25. else
  26. -- make sure that any stuff from the base class is initialized!
  27. if base and base.init then
  28. base.init(obj, ...)
  29. end
  30. end
  31. return obj
  32. end
  33.  
  34. c.init = init
  35. c.isSubclassOf = function(self, klass)
  36. local m = getmetatable(self)
  37. while m do
  38. if m == klass then return true end
  39. m = m._base
  40. end
  41. return false
  42. end
  43.  
  44. function c:equals (otherObject)
  45. if not otherObject:isSubclassOf(self) then
  46. return false
  47. else
  48. for i = 1, #otherObject do
  49. if not otherObject[i] == self[i] then
  50. return false
  51. end
  52. end
  53. end
  54.  
  55. return true
  56. end
  57.  
  58. function c:clone ()
  59. return c
  60. end
  61.  
  62. function c:toString ()
  63. local mt = getmetatable(self)
  64. if mt.__tostring then
  65. return mt.__tostring()
  66. end
  67.  
  68. return tostring(self)
  69. end
  70.  
  71. function c:include ( mixin )
  72. for k,v in pairs(mixin) do
  73. c[k] = mixin[k]
  74. end
  75. end
  76.  
  77. setmetatable(c, mt)
  78. return c
  79. end
Advertisement
Add Comment
Please, Sign In to add comment
Advertisement