Answer:
Here is the implementation of the Country class and the test code as per the requirements:
csharp
import java.util.ArrayList;
public class Country {
private String name;
private String capital;
private int population;
public Country(String name, String capital, int population) {
this.name = name;
this.capital = capital;
this.population = population;
}
public String getName() {
return name;
}
public String getCapital() {
return capital;
}
public int getPopulation() {
return population;
}
public String toString() {
return "Name: " + name + ", Capital: " + capital + ", Population: " + population;
}
public static void main(String[] args) {
ArrayList<Country> countries = new ArrayList<Country>();
countries.add(new Country("USA", "Washington DC", 700000));
countries.add(new Country("France", "Paris", 2200000));
countries.add(new Country("Russia", "Moscow", 12000000));
countries.add(new Country("India", "New Delhi", 21000000));
countries.add(new Country("China", "Beijing", 21710000));
System.out.println("Initial ArrayList: ");
for (Country country : countries) {
System.out.println(country.toString());
}
countries.remove(2);
System.out.println("\\ArrayList after removing one country: ");
for (Country country : countries) {
System.out.println(country.toString());
}
Country newCountry = new Country("Brazil", "BrasÃlia", 3000000);
countries.add(2, newCountry);
System.out.println("\\ArrayList after adding a new country: ");
for (Country country : countries) {
System.out.println(country.toString());
}
Country removedCountry = countries.remove(4);
countries.add(removedCountry);
System.out.println("\\ArrayList after swapping two countries: ");
for (Country country : countries) {
System.out.println(country.toString());
}
}
}
Step-by-step explanation:
In the test code, the toString method is called implicitly when we use System.out.println to print the object of the Country class. It is also called explicitly in the for loop when we iterate through the ArrayList of Country objects. The accessor methods are used to access the values of the instance variables of the Country objects, which are then printed in the toString method.