I understand the basic structure for Roblox OOP, like this car class example:
local CarClass = {}
CarClass.__index = CarClass
function CarClass.new(Speed, CurrentFuel, MaxFuel)
local self = setmetatable({}, CarClass)
self.Speed = Speed
self.CurrentFuel = CurrentFuel
self.MaxFuel = MaxFuel
return self
end
function CarClass:Refuel()
self.CurrentFuel = self.MaxFuel
end
return CarClass
And I know you’d use separate ModuleScripts for objects that inherit from CarClass
(as most tutorials show).
When I test it like this, it works fine in a script:
local CarClass = require(script.Parent.CarClass)
local Car = CarClass.new(5, 50, 100)
Car:Refuel()
But my issue is: How do I actually connect this to a real car model in Roblox?
Should I:
- Add a new method like
CarClass:Create()
to build the car model? - Or should I include the model setup directly in the constructor?
And how do I:
- Make the car move based on its
Speed
property? - Gradually decrease fuel while driving?
- Stop movement when fuel hits zero?
- Allow refueling to make the car drivable again?
- Show the fuel remaining in the car on a GUI?
Basically, how do I link this OOP structure to a functional car model in the game?