This question already has answers here:
Closed 5 years ago.
Im a beginner to Java and I'm trying to create an array of a custom class.
Let say I have a class called car and I want to create an array of cars called Garage. How can I add each car to the garage? This is what I've got:
car redCar = new Car("Red");
car Garage [] = new Car [100];
Garage[0] = redCar;
If you want to use an array, you have to keep a counter which contains the number of cars in the garage. Better use an ArrayList
instead of array:
List<Car> garage = new ArrayList<Car>();
garage.add(redCar);
The array declaration should be:
Car[] garage = new Car[100];
You can also just assign directly:
garage[1] = new Car("Blue");
If you want to create a garage and fill it up with new cars that can be accessed later, use this code:
for (int i = 0; i < garage.length; i++)
garage[i] = new Car("argument");
Also, the cars are later accessed using:
garage[0];
garage[1];
garage[2];
etc.