You can put any kind of Objects into an ArrayList. For example, here is an ArrayList of Students. Although the print statement works here, you may want a nicer printout. Add a for each loop that prints out each student and then a new line.

Sure! Here's an example of how you can use a foreach loop to print out each student in an ArrayList, with each student displayed on a new line:

```java
import java.util.ArrayList;
import java.util.List;

public class Main {
public static void main(String[] args) {
List<String> students = new ArrayList<>();
students.add("John");
students.add("Lisa");
students.add("Mark");

// foreach loop to print each student on a new line
for (String student : students) {
System.out.println(student);
}
}
}
```

This code declares an ArrayList named `students` and adds three student names to it. Then, a foreach loop iterates over each student in the ArrayList and prints it out using `System.out.println()`. Each student is displayed on a new line due to the `println` statement.

To add a for-each loop in Java that prints out each student in an `ArrayList` of Students, you can follow these step-by-step instructions:

1. Declare and initialize an `ArrayList` of Students:
```java
ArrayList<Student> studentList = new ArrayList<>();
```

2. Add some `Student` objects to the `studentList`:
```java
// Adding student objects to the list
studentList.add(new Student("John", 20));
studentList.add(new Student("Emily", 25));
studentList.add(new Student("Michael", 22));
```

3. Iterate over the `studentList` using a for-each loop, and print each student's information:
```java
// Printing each student using a for-each loop
for (Student student : studentList) {
System.out.println(student);
}
```

4. Ensure that the `Student` class has an appropriate `toString()` method to provide a nice printout. For instance, you can override the `toString()` method in the `Student` class like this:
```java
// Inside the Student class
@Override
public String toString() {
return "Name: " + name + ", Age: " + age;
}
```

With these steps, you should be able to iterate over the `ArrayList` and print out each student in a nice format on a new line.