Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Remove items from ArrayList with certain value

Tags:

java

arraylist

I have created a list of objects and have people added to it:

ArrayList<Person> peeps = new ArrayList<Person>(); 

peeps.add(new Person("112", "John", "Smith"));
peeps.add(new Person("516", "Jane", "Smith"));
peeps.add(new Person("114", "John", "Doe"));

I am trying to figure out how to remove the person from the list by ID number. So if I wanted to remove the person with the ID number 114 but didn't now where it fell in the list, how would I?

like image 844
NLMDEJ Avatar asked Mar 17 '15 18:03

NLMDEJ


2 Answers

If you are going to be using an ArrayList, the the only way is to go through the entire list, looking at each person, and seeing it their id number is 114. For larger datasets, this is not going to efficient and should be avoided.

If you can change your data structure, then some sort of Map would be better (HashMap is typically a good choice). You could have the id number as a "key" and then associate it with each person. Later you can query the Map by key. The con is you can only have one value as a key, so you can't have say both name and id number keys

Edit:
An more efficient way to do use an ArrayList would be to keep it sorted by id number. Then you can use something like Collections.binarySearch() to quickly access the elements by id number. The con is is that it is expensive to remove from/insert into a sorted array, as everything greater the element has to be moved. So if you are going to be doing relatively few changes compared to the number of reads, this might be viable

like image 30
vandale Avatar answered Sep 27 '22 21:09

vandale


Using Java8:

peeps.removeIf(p -> p.getId().equals("112"));

Note that this is equivalent to linear search and will take O(n) time. If this operation will be repeated frequently it is recommended to use a HashMap in order to speed things up to O(1).

Alternatively using a sorted list would also do the trick, but require O(log n) time.

like image 68
Paul Avatar answered Sep 27 '22 19:09

Paul