Introducing Dragonfly Cloud! Learn More

Question: How do you implement inheritance in Love2D?

Answer

Inheritance in Love2D is not provided out-of-the-box, as Lua, the language that Love2D uses, does not have a built-in class system. However, you can simulate inheritance through tables and metatables. Here's an example of how you might set up inheritance in Love2D:

-- Base class named Shape Shape = {} Shape.__index = Shape function Shape.new(x, y) local self = setmetatable({}, Shape) self.x = x self.y = y return self end function Shape:draw() -- Placeholder: this should be overridden by subclasses print("Drawing a Shape at ("..self.x..","..self.y..")") end -- Rectangle class, inheriting from Shape Rectangle = setmetatable({}, {__index = Shape}) Rectangle.__index = Rectangle function Rectangle.new(x, y, width, height) local self = setmetatable(Shape.new(x, y), Rectangle) self.width = width self.height = height return self end function Rectangle:draw() love.graphics.rectangle("line", self.x, self.y, self.width, self.height) end -- Circle class, inheriting from Shape Circle = setmetatable({}, {__index = Shape}) Circle.__index = Circle function Circle.new(x, y, radius) local self = setmetatable(Shape.new(x, y), Circle) self.radius = radius return self end function Circle:draw() love.graphics.circle("line", self.x, self.y, self.radius) end -- Usage local rect = Rectangle.new(10, 10, 100, 50) local circ = Circle.new(150, 150, 30) function love.draw() rect:draw() -- This will draw a rectangle circ:draw() -- This will draw a circle end

In the example above, Shape acts as a base class with a simple method draw. Rectangle and Circle both inherit from Shape by setting their metatable's __index to Shape. When you call a method on an instance of Rectangle or Circle that isn't found in the respective table, Lua will look up in the Shape table due to the metatable's __index field.

The new methods are constructors for each "class" that create new instances. Notice that when we override the draw method in Rectangle and Circle, we provide specific implementations for drawing rectangles and circles with Love2D's graphics API.

This is a basic form of inheritance which allows you to share functionality between different "classes" in your Love2D games and applications.

Was this content helpful?

White Paper

Free System Design on AWS E-Book

Download this early release of O'Reilly's latest cloud infrastructure e-book: System Design on AWS.

Free System Design on AWS E-Book

Start building today 

Dragonfly is fully compatible with the Redis ecosystem and requires no code changes to implement.