EN
Java - remove items from ArrayList
0 points
In this article, we would like to show you how to remove items from ArrayList in Java.
Quick solution:
xxxxxxxxxx
1
List<String> fruits = new ArrayList<>();
2
fruits.remove("Apple"); // remove by String
3
fruits.remove(0); // remove by index
In this example, we show how to remove items with a specified index from the fruits
ArrayList using remove()
method.
xxxxxxxxxx
1
import java.util.ArrayList;
2
3
public class Example {
4
5
public static void main(String[] args) {
6
List<String> fruits = new ArrayList<>();
7
8
// add items to the ArrayList
9
fruits.add("Apple");
10
fruits.add("Banana");
11
fruits.add("Cherry");
12
13
// remove items with specified index
14
fruits.remove(0); // removes Apple, now Banana index = 0
15
System.out.println(fruits); // [Banana, Cherry]
16
17
fruits.remove(0); // removes Banana
18
System.out.println(fruits); // [Cherry]
19
}
20
}
Output:
xxxxxxxxxx
1
[Banana, Cherry]
2
[Cherry]
We can also use remove()
method with String argument to remove items from the ArrayList.
xxxxxxxxxx
1
import java.util.ArrayList;
2
3
public class Example {
4
5
public static void main(String[] args) {
6
List<String> fruits = new ArrayList<>();
7
8
// add items to the ArrayList
9
fruits.add("Apple");
10
fruits.add("Banana");
11
fruits.add("Cherry");
12
13
// remove item
14
fruits.remove("Apple");
15
16
System.out.println(fruits); // [Banana, Cherry]
17
}
18
}
Output:
xxxxxxxxxx
1
[Banana, Cherry]
In this example, we use clear()
method to remove all items from the fruits
ArrayList.
xxxxxxxxxx
1
import java.util.ArrayList;
2
3
public class Example {
4
5
public static void main(String[] args) {
6
List<String> fruits = new ArrayList<>();
7
8
// add items to the ArrayList
9
fruits.add("Apple");
10
fruits.add("Banana");
11
fruits.add("Cherry");
12
13
// remove all items
14
fruits.clear();
15
16
System.out.println(fruits); // []
17
}
18
}
Output:
xxxxxxxxxx
1
[]