In this exercise you'll be organizing races between various types of remote controlled cars. Each car has its own speed and battery drain characteristics.
Cars start with full (100%) batteries. Each time you drive the car using the remote control, it covers the car's speed in meters and decreases the remaining battery percentage by its battery drain.
If a car's battery is below its battery drain percentage, you can't drive the car anymore.
Each race track has its own distance. Cars are tested by checking if they can finish the track without running out of battery.
You have six tasks, each of which will work with remote controller car instances.
Allow creating a remote controller car by defining a constructor for the RemoteControlCar
class that takes the speed of the car in meters and the battery drain percentage as its two parameters (both of type int
):
int speed = 5;
int batteryDrain = 2;
var car = new RemoteControlCar(speed, batteryDrain);
Allow creating a race track by defining a constructor for the RaceTrack
class that takes the track's distance in meters as its sole parameter (which is of type int
):
int distance = 800;
var raceTrack = new RaceTrack(distance);
Implement the RemoteControlCar.drive()
method that updates the number of meters driven based on the car's speed. Also implement the RemoteControlCar.distanceDriven()
method to return the number of meters driven by the car:
int speed = 5;
int batteryDrain = 2;
var car = new RemoteControlCar(speed, batteryDrain);
car.drive();
car.distanceDriven();
// => 5
Update the RemoteControlCar.drive()
method to drain the battery based on the car's battery drain. Also implement the RemoteControlCar.batteryDrained()
method that indicates if the battery is drained:
int speed = 5;
int batteryDrain = 2;
var car = new RemoteControlCar(speed, batteryDrain);
car.drive();
car.batteryDrained();
// => false
The best-selling remote control car is the Nitro, which has a stunning top speed of 50 meters with a battery drain of 4%. Implement the (static) RemoteControlCar.nitro()
method to return this type of car:
var car = RemoteControlCar.nitro();
car.drive();
car.distanceDriven();
// => 50
To finish a race, a car has to be able to drive the race's distance. This means not draining its battery before having crossed the finish line. Implement the Race.carCanFinish()
method that takes a RemoteControlCar
instance as its parameter and returns true
if the car can finish the race; otherwise, return false
:
int speed = 5;
int batteryDrain = 2;
var car = new RemoteControlCar(speed, batteryDrain);
int distance = 100;
var race = new Race(distance);
race.carCanFinish(car);
// => true