125k views
3 votes
Java programiing

Create an ArrayList of southwestern states (SStates), and add the following states to it:

Texas New Mexico Arizona Colorado Arkansas

Do the following:

1. Print out the list of southwestern states

2. Add a new state, Oklahoma. Put it in the 4th position (so Colorado slides to 5th and Arkansas to 6th)

3. Delete Arkansas; it isn’t really a southwestern state

4. Print out the list of southwestern states, each on a separate line.

User MGPJ
by
7.0k points

1 Answer

4 votes

Final answer:

The Java program provided demonstrates how to create an ArrayList, add and manipulate elements, and print them out. It specifically handles a list of southwestern states, with the addition of Oklahoma and the removal of Arkansas.

Step-by-step explanation:

To handle the task of managing a list of southwestern states in Java, we would use an ArrayList. Below is a sequence of steps implemented as a Java program to fulfill the requirement.

  1. Create an ArrayList named SStates and add the states Texas, New Mexico, Arizona, Colorado, and Arkansas to it.
  2. Print out the initial list of states.
  3. Add the state Oklahoma to the 4th position in the list.
  4. Remove the state Arkansas from the list as it is not considered a southwestern state.
  5. Print the updated list with each state on a separate line.

Here is how the Java program may look:

import java.util.ArrayList;

public class SouthwesternStates {
public static void main(String[] args) {
// Step 1: Create the ArrayList and add states
ArrayList sStates = new ArrayList<>();
sStates.add("Texas");
sStates.add("New Mexico");
sStates.add("Arizona");
sStates.add("Colorado");
sStates.add("Arkansas");

// Step 2: Print initial list
System.out.println("Initial list of southwestern states:");
for(String state : sStates) {
System.out.println(state);
}

// Step 3: Add Oklahoma in the 4th position
sStates.add(3, "Oklahoma");

// Step 4: Remove Arkansas
sStates.remove("Arkansas");

// Step 5: Print updated list
System.out.println("\\Updated list of southwestern states:");
for(String state : sStates) {
System.out.println(state);
}
}
}

This code will output the list of southwestern states before and after updating it, with each state printed on its own line as requested.

User Dragoljub
by
8.2k points