Welcome to ShenZhenJia Knowledge Sharing Community for programmer and developer-Open, Learning and Share
menu search
person
Welcome To Ask or Share your Answers For Others

Categories

Suppose I have an ArrayList<Account> of my custom Objects which is very simple. For example:

class Account
{
public String Name;
public Integer Id;
}

I want to retrieve the particular Account object based on an Id parameter in many parts of my application. What would be best way of going about this ?

I was thinking of extending ArrayList but I am sure there must be better way.

See Question&Answers more detail:os

与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
thumb_up_alt 0 like thumb_down_alt 0 dislike
470 views
Welcome To Ask or Share your Answers For Others

1 Answer

It sounds like what you really want to use is a Map, which allows you to retrieve values based on a key. If you stick to ArrayList, your only option is to iterate through the whole list and search for the object.

Something like:

for(Account account : accountsList) { 
   if(account.getId().equals(someId) { 
       //found it!
   }
}

versus

accountsMap.get(someId)

This sort of operation is O(1) in a Map, vs O(n) in a List.

I was thinking of extending ArrayList but I am sure there must be better way.

Generally speaking, this is poor design. Read Effective Java Item 16 for a better understanding as to why - or check out this article.


与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
thumb_up_alt 0 like thumb_down_alt 0 dislike
Welcome to ShenZhenJia Knowledge Sharing Community for programmer and developer-Open, Learning and Share
...