ArrayList Lesson
ArrayList
.ArrayList
of DoubleArrayList
of book for a String
Mastering the concept of Java’s ArrayList. AP Exam weighting: 2.5-7.5%.
Arrays | ArrayLists |
---|---|
Fixed Length | Resizable Length |
Fundamental Java feature | Part of a framework |
An object with no methods | Class with many methods |
Not as flexible | Designed to be very flexible |
Can store primitive data | Not designed to store primitives |
Slightly slower than arrays | |
Need an import statement |
In order to use the ArrayList class, the ArrayList class needs to be imported from the java util package. This can be done by writing import java.util.ArrayList at the top of the class file.
import java.util.ArrayList; // Import the ArrayList class
// Declare and initialize an ArrayList of integers
ArrayList<Integer> numbersList = new ArrayList<>();
ArrayList objects are created in the same fashion as other object classes. The primary difference with ArrayLists is that the element type of the ArrayList must be specified using angled bracket <>. In this example, E represents the data type that will be used in the ArrayList. This can be replaced by an object data type:
ArrayList<E> list = new ArrayList<E>();
We can actually declare ArrayLists without specifying the type that will be included in the ArrayList, but specifying the data type is smarter because it allows the compiler to find errors before run time, so its more efficient and easy to spot errors.
ArrayList list = new ArrayList();
Create 2 ArrayLists, 1 called studentName
and 1 called studentAge
public class Student
{
public static void main(String[] args)
{
ArrayList<Integer> StudentAge = new ArrayList<>();
//Initialize your ArrayLists
ArrayList<String> StudentName = new ArrayList<>();
}
}
Students will be able to represent collections of related object reference data using ArrayList
objects.
Iteration statements provide a means to access all the elements stored within an ArrayList
. This process is referred to as “traversing the ArrayList
.”
The following ArrayList
methods, including what they do and when they are used, are part of the Java Quick Reference:
int size()
- Returns the count of elements within the list.boolean add(E obj)
- Appends the object obj
to the end of the list and returns true
.void add(int index, E obj)
- Inserts obj
at the specified index
, shifting elements at and above that position to the right (incrementing their indices by 1) and increasing the list’s size by 1.E get(int index)
- Retrieves the element at the given index
in the list.E set(int index, E obj)
- Replaces the element at the specified index
with obj
and returns the previous element at that index.E remove(int index)
- Deletes the element at the specified index
, shifting all subsequent elements one index to the left, reducing the list’s size by one, and returning the removed element.Java allows the generic ArrayList<E>
, where the generic type E
specifies the type of element.
When ArrayList<E>
is specified, the types of the reference parameters and return type when using the methods are type E
.
ArrayList<E>
is preferred over ArrayList
because it allows the compiler to find errors that would otherwise be found at runtime.
ArrayList
int size();
: Returns the number of elements in the list.Consider the following code:
ArrayList<Integer> a1 = new ArrayList<>();
System.out.println(a1.size());
0
ArrayList
boolean add(E obj);
: Appends obj
to the end of the list and returns true.void add(int index, E obj)
: Inserts obj
at position index
, as long as index
is within the list’s length. It moves each element in the list 1 index higher and adds 1 to the list’s size.Consider the following code:
ArrayList<Double> a2 = new ArrayList<>();
a2.add(1.0);
a2.add(2.0);
a2.add(3.0);
a2.add(1, 4.0);
System.out.println(a2);
[1.0, 4.0, 2.0, 3.0]
Consider the following code:
ArrayList<String> h = new ArrayList<>();
h.add("Hello");
h.add("Hello");
h.add("HeLLO");
h.add("Hello");
h.add(1, "Hola");
h.add(26.2);
h.add(new String("Hello"));
h.add(false);
| h.add(26.2);
incompatible types: double cannot be converted to java.lang.String
Now, consider this code:
ArrayList<String> g = new ArrayList<>();
g.add("Hello");
g.add("Hello");
g.add("HeLLO");
g.add("Hello");
g.add(1, "Hola");
g.add(new String("Hello"));
System.out.println(g);
[Hello, Hola, Hello, HeLLO, Hello, Hello]
Question: Why does this code work?
Block 1 might not work because we add false, but block 2 doesn’t have it so it would work. Also block 1 could fail because we can’t add 26.2 due to it not being a string.
ArrayList
E remove(int index)
: Removes the element at position index
, and moves the elements at position index + 1
and higher to the left. It also subtracts one from the list’s size. The return value is the element formerly at position index
.
// If you are confused of what list g is, look back at the previous code.
g.remove(3);
String former = g.remove(0);
System.out.println(former);
Hello
ArrayList
E set(int index, E obj)
: Replaces the element at position index
with obj
and returns the element formerly at position index
.
String helloFormer = g.set(1, "Bonjour");
System.out.println(helloFormer);
System.out.println(g);
Hello
[Hola, Bonjour, Hello, Hello]
ArrayList
E get(int index)
Returns the element at position index
in the list.
String hello = g.get(3);
System.out.println(hello);
System.out.println(g);
Hello
[Hola, Bonjour, Hello, Hello]
ArrayList
as a Method ParameterThe only time that it is wise to use ArrayList
instead of ArrayList<E>
is when it is as a function parameter and it is only using ArrayList<>.get(E)
or ArrayList<>.size()
. Consider the following code:
private void accessOnly(ArrayList arr) {
if (arr.size() > 0) {
System.out.println(arr.get(0)); // Change the index to the one you want to access
} else {
System.out.println("Array is empty");
}
}
ArrayList<Integer> myList = new ArrayList<Integer>();
accessOnly(myList);
Array is empty
ArrayList
from a MethodIn order for you to return an ArrayList
, the data type must be specified, and the return type must be the same as the return value. Consider the following code:
private ArrayList<String> returnTheSame() {
ArrayList<String> arr = new ArrayList<String>(); // Initialize the ArrayList
arr.add("Hello");
return arr;
}
ArrayList<String> result = returnTheSame();
System.out.println(result);
[Hello]
The learning objective is that “Students will be able to represent collections of related object reference data using ArrayList
objects.” What does this mean to you?
Answer the following questions:
ArrayList
. What does the code output and why?ArrayList
. What does the code output and why? What type of function is void
, and what will be the return value?ArrayList
is being used as a parameter, what are the only two methods I can use from it? What would happen if I tried to use any other methods?Using the Hack Helper, write code that will:
ArrayList
. What does the code output and why?ANS: it prints out 0 because we initialized the array with no variables, so default size is 0.
ArrayList
. What does the code output and why? What type of function is void
, and what will be the return value?ANS: the code output was [1.0, 4.0, 2.0, 3.0]. The void function is used with a2.add(1, 4.0); to set 4 at index 1. The return value is null because we are not using it.
ANS: I don’t see an example 1 but at the removal example we remove Hello at index 0 and Hello at index 3, since the code uses removal methods that remove the items at the given index.
ArrayList
is being used as a parameter, what are the only two methods I can use from it? What would happen if I tried to use any other methods?ANS: I believe the only 2 methods you can use are access methods and methods adding to the list. I think if you tried to use other methods you would return an error, but I haven’t thoroughly tested this.
* Add 2 items to the list.
* Remove an item from the list anywhere of the user's choice.
* Replace am item anywhere in the list of the user's choice.
* Get the first and last element of the list, no matter the length.
* Return the items added, removed, replaced, and the list's size, in one string.
import java.util.ArrayList;
import java.util.Scanner;
public class ArrayListMethodsExample {
private String manipulateList() {
ArrayList<Integer> nums = new ArrayList<>();
Scanner scanner = new Scanner(System.in);
nums.add(1);
nums.add(2);
nums.add(3);
nums.add(4);
System.out.println(nums.toString());
System.out.println("Enter the index of the element to remove");
int index = scanner.nextInt();
System.out.println("removed number" + nums.get(index));
int i = nums.get(index);
nums.remove(index);
System.out.println(nums.toString());
System.out.println("Enter the index of the element to replace");
int indexrep = scanner.nextInt();
System.out.println("Enter the new element");
int newelement = scanner.nextInt();
System.out.println("replaced element" + nums.get(indexrep));
int j = nums.get(indexrep);
nums.set(indexrep, newelement);
System.out.println("beginning element: " + nums.get(0));
int length = nums.size();
length--;
System.out.println("end element: " + nums.get(length));
System.out.println(nums.toString() + i + j);
return nums.toString();
}
public static void main(String[] args) {
ArrayList<Integer> nums = new ArrayList<>();
ArrayListMethodsExample example = new ArrayListMethodsExample();
String output = example.manipulateList();
System.out.println(output);
}
}
ArrayListMethodsExample.main(null);
[1, 2, 3, 4]
Enter the index of the element to remove
removed number4
[1, 2, 3]
Enter the index of the element to replace
Enter the new element
replaced element1
beginning element: 3
end element: 3
[3, 2, 3]41
[3, 2, 3]
With an Arraylist you can traverse objects using a for or while loop.
Traversing objects is similar to iterating through objects.
Iteration statements can be used to accsess all the elements in an Arraylist. This is called traversing the Arraylist.
Deleting elements during a traversal of an Arraylist requires special techniques to avoid skiping elements. This is called traversing the Arraylist.
The indicies of an Arraylist start at 0; If you try to use any value lower than 0, you will get an ArrayIndexOutOfBoundsException error
import java.util.ArrayList;
import java.util.List;
public class Main {
public static void main(String[] args) {
ArrayList<String> roster = new ArrayList<>();
roster.add("Hello");
roster.add("World");
roster.add("Java");
int sum = 0;
for (int i = 0; i < roster.size(); i++) {
String element = roster.get(i);
if (element != null) {
sum += element.length();
}
}
System.out.println(sum);
}
}
Main.main(null);
14
We are first declaring a new arraylist and adding a few elements.
Next, we set the “sum” variable as 0.
We set a for loop to traverse through the arraylist, iterating through all the indices in the arraylist and adding up the lengths of all the values.
Lastly, we print it out.
First, there are three major parts of a for loop: Initialisation, in which you declare the index, can be modified to change where you want to traverse from.
Boolean condition, in which you declare the stop condition, can be modified in order to change the index you want to stop traversing in.
Update, in which you declare how many indexes to go through, can be modified to skip certain indicies and traverse in a certain direction.
Suppose we have an arraylist named grades, and we want to remove the entries that are lower than 70. replace the question marks with code to solve the problem:
import java.util.ArrayList;
import java.util.List;
public class Main {
public static void main(String[] args) {
ArrayList<Integer> grades = new ArrayList<>();
grades.add(68.9);
grades.add(71);
grades.add(100);
grades.add(80);
for(Integer i = 0; i < grades.size(); i++){
if(grades.get(i) < 70){
grades.remove(i);
}
}
System.out.println(grades);
}
}
Main.main(null);
| grades.add(68.9);
incompatible types: double cannot be converted to java.lang.Integer
| Double grade = grades.get(i);
incompatible types: java.lang.Integer cannot be converted to java.lang.Double
Using Enhanced for loop is easier to read and write and is also more concise and avoids errors.
Indexes are not explicitly used and copies of the current element are made at each iteration.
import java.util.ArrayList;
import java.util.List;
public class Main {
public static void main(String[] args) {
List<String> roster = new ArrayList<>();
roster.add("Hello");
roster.add("World");
roster.add("Java");
// Using an enhanced for loop to iterate through the ArrayList
for (String element : roster) {
System.out.println(element);
}
}
}
Using the Wrong Data Type: Ensure that you declare your ArrayList with the correct data type. Using the wrong data type can lead to type mismatches and errors.
Incorrect Indexing: Be cautious when using a standard for loop. Off-by-one errors or accessing elements that don’t exist can lead to runtime exceptions.
Modifying the List During Iteration: Modifying an ArrayList (adding or removing elements) while iterating over it can lead to a ConcurrentModificationException. To avoid this, use an Iterator or create a copy of the list if modifications are needed.
Not Checking for Null Elements: When using enhanced for loops or iterators, check for null elements if there’s a possibility that your list contains them to avoid NullPointerExceptions.
Inefficient Searching: If you need to find a specific element, avoid using a linear search within a loop. Use appropriate methods like contains() or indexOf() to find elements efficiently.
The Mexican drug cartel has kidnapped you and asked you to prove your worth as a programmer by traversing an array list containing the names of people who must be killed, and only printing out names that start with “police:”.
import java.util.ArrayList;
import java.util.List;
public class Hitlist {
public static void main(String[] args) {
List<String> hits = new ArrayList<>();
hits.add("police: samuel");
hits.add("debt: michael");
hits.add("police: jose");
hits.add("rival gang member: mati");
hits.add("cartel member: james");
hits.add("cartel member: finn");
for (String name : hits) { // enhanced for loop
if (name.startsWith("police:")) {
System.out.println(name);
}
}
}
}
Hitlist.main(null);
police: samuel
police: jose
In the context of ArrayList
objects, this module aims to teach the following skills:
a. Iterating through ArrayLists
using for
or while
loops.
b. Iterating through ArrayLists
using enhanced for
loops.
In the realm of algorithms, within the context of specific requirements that demand the utilization of ArrayList
traversals, students will be able to:
Iteration statements provide a means to access all the elements stored within an ArrayList
. This process is referred to as “traversing the ArrayList
.”
The following methods related to ArrayLists
, their functions, and appropriate use are covered in the Java Quick Reference:
int size()
- Returns the count of elements within the list.boolean add(E obj)
- Appends the object obj
to the end of the list and returns true
.void add(int index, E obj)
- Inserts obj
at the specified index
, shifting elements at and above that position to the right (incrementing their indices by 1) and increasing the list’s size by 1.E get(int index)
- Retrieves the element at the given index
in the list.E set(int index, E obj)
- Replaces the element at the specified index
with obj
and returns the previous element at that index.E remove(int index)
- Deletes the element at the specified index
, shifting all subsequent elements one index to the left, reducing the list’s size by one, and returning the removed element.There exist established algorithms for ArrayLists
that make use of traversals to:
Before you uncomment the code and run it, guess what the code will do based on what you’ve learned.
the code will print the max value out of al the items in the Array.
public class ArrayListExample {
private double findMax(double[] values) {
// double max = values[0];
//for (int index = 1; index < values.length; index++) {
// if (values[index] > max) {
// max = values[index];
// }
//}
// return max;
}
public static void main(String[] args) {
double[] nums = {1.0, 3.0, 2.0, 2.0, 1.0, 69.0, 2.0, 4.0, 6.0, 2.0, 5.0, 10.0};
ArrayListExample example = new ArrayListExample();
double max = example.findMax(nums);
System.out.println("Maximum value: " + max);
}
}
ArrayListExample.main(null);
Take a closer look at the findMax()
method. It takes in a list of doubles as parameters. It will then use a for
loop to find the maximum value in the list. Now, using what we know, can we replace the list of doubles with an ArrayList of Doubles? We sure can! Take a look at how we can use ArrayList to do just that:
This code still gets max but it uses an ArrayList instead of an array of doubles.
public class ArrayListExample {
private double findMax(ArrayList<Double> values) {
// double max = values.get(0);
//for (int index = 1; index < values.size(); index++) {
// if (values.get(index) > max) {
// max = values.get(index);
// }
//}
//return max;
}
public static void main(String[] args) {
ArrayList<Double> nums = new ArrayList<>();
nums.add(1.0);
nums.add(3.0);
nums.add(2.0);
nums.add(2.0);
nums.add(1.0);
nums.add(69.0);
nums.add(2.0);
nums.add(4.0);
nums.add(6.0);
nums.add(2.0);
nums.add(5.0);
nums.add(10.0);
ArrayListExample example = new ArrayListExample();
double max = example.findMax(nums);
System.out.println("Maximum value: " + max);
}
}
ArrayListExample.main(null);
Take a look at this code:
This code uses a regular array, and finds minimum instead of max. Now we get the max value and set minimum to values less than max, then a value less that can be set to minimum if one is found.
public class ArrayListExample {
private int findMin(int[] values) {
//int min = Integer.MAX_VALUE;
//for (int currentValue : values) {
// if (currentValue < min) {
// min = currentValue;
// }
//}
return min;
}
public static void main(String[] args) {
int[] nums = {420, 703, 2034, 582, 1047, 4545};
ArrayListExample example = new ArrayListExample();
int min = example.findMin(nums);
System.out.println("Minimum value: " + min);
}
}
ArrayListExample.main(null);
Now, can we use ArrayLists to make this code better? We sure can! Take a look at the new and improved code that uses ArrayLists:
public class ArrayListExample {
private int findMin(ArrayList<Integer> values) {
//int min = Integer.MAX_VALUE;
//for (int currentValue : values) {
// if (currentValue < min) {
// min = currentValue;
// }
//}
return min;
}
public static void main(String[] args) {
ArrayList<Integer> nums = new ArrayList<>();
nums.add(420);
nums.add(703);
nums.add(2034);
nums.add(582);
nums.add(1047);
nums.add(4545);
ArrayListExample example = new ArrayListExample();
int min = example.findMin(nums);
System.out.println("Minimum value: " + min);
}
}
ArrayListExample.main(null);
ArrayList
? Why not just regular lists?ArrayList
methods that aren’t ArrayList<>.size()
and ArrayList<>.get()
.findSum()
using the Hack Helper and incorporating ArrayList
.both of them iterate through the lists with a for loop, however the usage of arraylist vs array means that we also pass arraylist in func over array. I think thats only key difference so far.
ArrayList
? Why not just regular lists?ANS: key difference is arraylists can be added onto while arrays are fixed in length.
// 2 methods hack
ArrayList<Integer> test = new ArrayList<>();
test.add(4); // add is one method we use to add to list
test.add(5);
System.out.println(test);
test.clear(); //this method resets the list
System.out.println(test);
[4, 5]
[]
// sum hack
public class ArrayListHacks {
private int findSum(ArrayList<Integer> values) {
int sum = 0;
for (int i = 0; i < values.size(); i++) {
sum += values.get(i);
}
System.out.println(sum);
return(sum);
}
public static void main(String[] args) {
ArrayList<Integer> nums = new ArrayList<>();
nums.add(0);
nums.add(1);
nums.add(2);
nums.add(3);
nums.add(5);
nums.add(8);
ArrayListHacks hacks = new ArrayListHacks();
hacks.findSum(nums);
}
}
ArrayListHacks.main(null);
19
arraylist
objectsarraylist
have been checkedLinear searching fits a standard for loop perfectly! We need to specify each element, one at a time, and do not need to track the index after execution
Inside the for loop, we retrieve the value from the structure at the specified index and compare it to the searched value
If it matches we return the index, otherwise we keep looking!
ArrayList
.int
values, the == operator is the tool to use!double
value, we need to make sure the value is close enough by doing some math!Object
instances should always use the .equals(otheThing)
method to check for a match!ArrayList
of Doublepublic int where(double magicNumber, ArrayList<Double> realNumbers, double delta)
{
for (int index = 0; index < realNumbers.size(); index++)
{
if (Math.abs(magicNumber - realNumbers.get(index)) < delta)
{
return index;
}
}
return -1;
}
The where function searches through a list of numbers to find and return the position of the first number that is very close to a specific target number, known as magicNumber. If no number in the list is close enough to the target number, the function returns -1, indicating that no match was found.
ArrayList
of book for a String
public int findTheWord(String searchedPhrase, ArrayList<Book> myBooks)
{
for (int index = 0; index < myBooks.size(); index++)
{
Book currentBook = myBooks.get(index);
String currentPhrase = currentBook.getDescription();
if(currentPhrase.equals(searchedPhrase))
{
return index;
}
}
return -1;
}
This little code snippet is like a treasure hunt through a collection of books; it’s on a mission to find the one book whose description matches exactly with a special phrase you’re looking for. If it finds the perfect match, it’ll excitedly tell you where it is in the collection, but if not, it’ll sadly let you know with a -1 that the search was a bust.
No, that only will return true if the variable and the element stored at that index point to the same memory, are aliases of each other
To make sure that the lack of preciosin that is inherit in the data type is handled within our code
ArrayList
objects.ArrayList
.This is one of the easiest sorts to demonstrate. The selection sort identifies either the maximum or minimum of the compared values and iterates over the structure checking if the item stored at the index matches that condition, if so, it will swap the value stored at that index and continue. This implementation uses a helper method to perform the swap operation since variables can hold only one value at a time!
Example:
// with normal arrays
for (int outerLoop = 0; outerLoop < myDucks.length; outerLoop ++)
{
int minIndex = outerLoop;
for (int inner = outerLoop +1; inner < myDucks.length; inner++)
{
if (myDucks[inner].compareT(myDucks[minIndex]) < 0)
{
minIndex = inner;
}
}
if (minIndex != outerLoop)
{
swapItems(minIndex, outerloop, myDucks);
}
}
// with array lists
for (int outerLoop = 0; outerLoop < myDucks.size(); outerLoop++) {
int minIndex = outerLoop;
for (int inner = outerLoop + 1; inner < myDucks.size(); inner++)
{
if (myDucks.get(inner).compareT(myDucks.get(minIndex)) < 0)
{
minIndex = inner;
}
}
if (minIndex != outerLoop) {
swapItems(minIndex, outerLoop, myDucks);
}
}
/*
This code performs a selection sort on the myDucks ArrayList, ordering its elements based on the compareT method.
During each iteration of the outer loop, it finds the index of the minimum element in the unsorted portion of the list and swaps it with the first element of the unsorted portion.
*/
The insertion sort is characterized by building a sorted structure as it proceeds. It inserts each value it finds at the appropriate location in the data structure. This is often accomplished by using a while loop as the inner loop.
Example:
for (int outer = 1; outer < randomList.size(); outer++)
{
DebugDuck tested = randomList.get(outer);
int inner = outer -1;
while ( innter >= 0 && tested.compareTo(randomList.get(inner)) < 0)
{
ramdomList.set(inner +1, randomList.get(inner));
inner--;
}
randomList.set(inner +1, tested)
}
// This code arranges a list of DebugDuck objects in order using the insertion sort method,
// by moving through the list and putting each item in its proper place one by one.
You can use fake or “burner” information to bypass requests for information without giving critical information.
EXAMPLEs:
use proton mail (https://proton.me/mail) to create a burner email you can use instead of your real email.
Use google voice (https://voice.google.com/u/0/) to get a 2nd phone number you can give instead of your real phone number.
other information like names, addresses, etc. are easy to fake. You can usually make it up on the spot.
if your very serious, you can use privacy (https://privacy.com/) to hide credit card information when making online purchases.
If you want to be even more secure, using a free vpn (proton vpn, windscribe, tunnelbear, etc.) is a good idea.