KEMBAR78
Collectionsdocs | PDF | Computing | Algorithms And Data Structures
0% found this document useful (0 votes)
20 views12 pages

Collectionsdocs

Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
20 views12 pages

Collectionsdocs

Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
You are on page 1/ 12

Collections

"Have you used HashMap before" or "What is HashMap? Why do we use it “


Almost everybody answers this with yes and then interviewee keep talking about common facts about HashMap
like HashMap accept null while Hashtable doesn't, HashMap is not synchronized, HashMap is fast and so on along
with basics like its stores key and value pairs etc. This shows that person has used HashMap and quite familiar with
the functionality HashMap offers but interview takes a sharp turn from here and next set of follow-up questions gets
more detailed about fundamentals involved with HashMap in Java . Interviewer struck back with questions like

"Do you Know how HashMap works in Java” or "How does get () method of HashMap works in Java"
And then you get answers like I don't bother its standard Java API, you better look code on Java source or Open
JDK; I can find it out in Google at any time etc. But some interviewee definitely answer this and will say "HashMap
works on principle of hashing, we have put(key, value) and get(key) method for storing and
retrieving Objects from HashMap. When we pass Key and Value object to put() method on Java HashMap,
HashMap implementation calls hashCode method on Key object and applies returned hashcode into its own hashing
function to find a bucket location for storing Entry object, important point to mention is that HashMap in Java stores
both key and value object as Map.Entry in bucket which is essential to understand the retrieving logic. If people fails
to recognize this and say it only stores Value in the bucket they will fail to explain the retrieving logic of any object
stored in Java HashMap . This answer is very much acceptable and does make sense that interviewee has fair bit of
knowledge on how hashing works and how HashMap works in Java. But this is just start of story and confusion
increases when you put interviewee on scenarios faced by Java developers on day by day basis. Next question could
be about collision detection and collision resolution in Java HashMap e.g.

"What will happen if two different objects have same hashcode?”


Now from here onwards real confusion starts, Some time candidate will say that since hashcode is equal, both
objects are equal and HashMap will throw exception or not store them again etc, Then you might want to remind
them about equals() and hashCode() contract that two unequal object in Java can have same hashcode. Some
will give up at this point and few will move ahead and say "Since hashcode is same, bucketlocation would be same
and collision will occur in HashMap, Since HashMap use LinkedList to store object, this entry (object
of Map.Entry comprise key and value ) will be stored in LinkedList. Great this answer make sense though there
are many collision resolution methods available this is simplest and HashMap in Java does follow this. But story does
not end here and interviewer asks

"How will you retrieve Value object if two Keys will have same hashcode?”

Interviewee will say we will call get() method and then HashMap uses Key Object's hashcode to find out
bucket location and retrieves Value object but then you need to remind him that there are two Value objects are
stored in same bucket , so they will say about traversal in LinkedList until we find the value object , then you ask how
do you identify value object because you don't have value object to compare ,Until they know that HashMap stores
both Key and Value in LinkedList node or as Map.Entry they won't be able to resolve this issue and will try and
fail.

But those bunch of people who remember this key information will say that after finding bucket location , we will call
keys.equals() method to identify correct node in LinkedList and return associated value object for that key in Java
HashMap . Perfect this is the correct answer.

In many cases interviewee fails at this stage because they get confused between hashCode() and equals() or
keys and values object in Java HashMap which is pretty obvious because they are dealing with the hashcode()
in all previous questions and equals() come in picture only in case of retrieving value object from HashMap in
Java. Some good developer point out here that using immutable, final object with
properequals() and hashcode() implementation would act as perfect Java HashMap keys and improve
performance of Java HashMap by reducing collision. Immutability also allows caching there hashcode of
different keys which makes overall retrieval process very fast and suggest that String and various wrapper classes
e.g. Integer very good keys in Java HashMap.
Now if you clear this entire Java HashMap interview, You will be surprised by this very interesting question "What
happens On HashMap in Java if the size of the HashMap exceeds a given threshold defined by load
factor ?". Until you know how HashMap works exactly you won't be able to answer this question. If the size of the
Map exceeds a given threshold defined by load-factor e.g. if load factor is .75 it will act to re-size the map once it
filled 75%. Similar to other collection classes like ArrayList, Java HashMap re-size itself by creating a new bucket
array of size twice of previous size of HashMap , and then start putting every old element into that new bucket array.
This process is called rehashing because it also applies hash function to find new bucket location.

If you manage to answer this question on HashMap in Java you will be greeted by "do you see any problem with
resizing of HashMap in Java" , you might not be able to pick the context and then he will try to give you hint about
multiple thread accessing the Java HashMap and potentially looking for race condition on HashMap in Java.

So the answer is Yes there is potential race condition exists while resizing HashMap in Java, if two thread at the
same time found that now HashMap needs resizing and they both try to resizing. on the process of resizing
of HashMap in Java , the element in bucket which is stored in linked list get reversed in order during there migration
to new bucket because java HashMap doesn't append the new element at tail instead it appendnew element at
head to avoid tail traversing. If race condition happens then you will end up with an infinite loop. Though this point
you can potentially argue that what the hell makes you think to use HashMap in multi-threaded environment to
interviewer :)

Few more question on HashMap in Java which is contributed by readers of Javarevisited blog :
1) Why String, Integer and other wrapper classes are considered good keys ?
String, Integer and other wrapper classes are natural candidates of HashMap key, and String is most
frequently used key as well because String is immutable and final,and overrides equals and hashcode() method.
Other wrapper class also shares similar property. Immutabiility is required, in order to prevent changes on fields used
to calculate hashCode() because if key object return different hashCode during insertion and retrieval than it won't
be possible to get object from HashMap. Immutability is best as it offers other advantages as well like thread-safety, If
you can keep your hashCode same by only making certain fields final, then you go for that as well.
Since equals() and hashCode() method is used during reterival of value object from HashMap, its important that
key object correctly override these methods and follow contact. If unequal object return different hashcode than
chances of collision will be less which subsequently improve performance of HashMap.

2) Can we use any custom object as key in HashMap ?


This is an extension of previous questions. Ofcourse you can use any Object as key in Java HashMap provided it
follows equals and hashCode contract and its hashCode should not vary once the object is inserted into Map. If
custom object is Immutable than this will be already taken care because you can not change it once created.

3) Can we use ConcurrentHashMap in place of Hashtable ?


This is another question which getting popular due to increasing popularity of ConcurrentHashMap. Since we
know Hashtable is synchronized but ConcurrentHashMap provides better concurrency by only locking portion of
map determined by concurrency level. ConcurrentHashMap is certainly introduced as Hashtable and can be
used in place of it but Hashtable provide stronger thread-safety than ConcurrentHashMap. See my post difference
between Hashtable and ConcurrentHashMap for more details.

Personally, I like this question because of its depth and number of concept it touches indirectly, if you look at
questions asked during interview this HashMap questions has verified

 Concept of hashing
 Collision resolution in HashMap
 Use of equals () and hashCode () and there importance in HashMap?
 Benefit of immutable object?
 Race condition on HashMap in Java
 Resizing of Java HashMap
Just to summarize here are the answers which does makes sense for above questions

How HashMap works in Java


HashMap works on principle of hashing, we have put() and get() method for storing and retrieving object form
HashMap .When we pass an both key and value to put() method to store on HashMap , it uses key object hashcode()
method to calculate hashcode and they by applying hashing on that hashcode it identifies bucket location for storing
value object. While retrieving it uses key object equals method to find out correct key value pair and return value
object associated with that key. HashMap uses linked list in case of collision and object will be stored in next node of
linked list.
Also HashMap stores both key+value tuple in every node of linked list.

What will happen if two different HashMap key objects have same hashcode?
They will be stored in same bucket but no next node of linked list. And keys equals () method will be used to identify
correct key value pair in HashMap .

In terms of usage Java HashMap is very versatile and I have mostly used HashMap as cache in electronic trading
application I have worked . Since finance domain used Java heavily and due to performance reason we need
caching HashMap and ConcurrentHashMap comes as very handy there. You can also check following articles
form Javarevisited to learn more about HashMap and Hashtable in Java :

How to traverse or loop Map, HashMap or TreeMap in


Java

In next section of this Java tutorial we will see four different ways of looping or iterating
over Map in Java and will display each key and value from HashMap. We will use following hashmap
for our example:

HashMap<String, String> loans = new HashMap<String, String>();

loans.put<"home loan", "citibank");

loans.put<"personal loan", "Wells Fargo");

Iterating or looping map using Java5 foreach loop


Here we will use new foreach loop introduced in JDK5 for iterating over any map in java and using
KeySet of map for getting keys. this will iterate through all values of Map and display key and value
together.

HashMap<String, String> loans = new HashMap<String, String>();


loans.put("home loan", "citibank");

loans.put("personal loan", "Wells Fargo");

for (String key : loans.keySet()) {

System.out.println("------------------------------------------------");

System.out.println("Iterating or looping map using java5 foreach loop");

System.out.println("key: " + key + " value: " + loans.get(key));

Output:

------------------------------------------------

Iterating or looping map using java5 foreach looop

key: home loan value: citibank

------------------------------------------------

Iterating or looping map using java5 foreach looop

key: personal loan value: Wells Fargo

Iterating Map in Java using KeySet Iterator


In this Example of looping hashmap in Java we have used Java Iterator instead of for loop, rest
are similar to earlier example of looping:

Set<String> keySet = loans.keySet();

Iterator<String> keySetIterator = keySet.iterator();

while (keySetIterator.hasNext()) {

System.out.println("------------------------------------------------");

System.out.println("Iterating Map in Java using KeySet Iterator");

String key = keySetIterator.next();


System.out.println("key: " + key + " value: " + loans.get(key));

Output:

------------------------------------------------

Iterating Map in Java using KeySet Iterator

key: home loan value: citibank

------------------------------------------------

Iterating Map in Java using KeySet Iterator

key: personal loan value: Wells Fargo

Looping HashMap in Java using EntrySet and Java 5 for loop


In this Example of traversing Map in Java, we have used EntrySet instead of KeySet. EntrySet is
a collection of all Map Entries and contains both Key and Value.

Set<Map.Entry<String, String>> entrySet = loans.entrySet();

for (Entry entry : entrySet) {

System.out.println("------------------------------------------------");

System.out.println("looping HashMap in Java using EntrySet and java5 for loop");

System.out.println("key: " + entry.getKey() + " value: " + entry.getValue());

Output:

------------------------------------------------

looping HashMap in Java using EntrySet and java5 for loop

key: home loan value: citibank

------------------------------------------------

looping HashMap in Java using EntrySet and java5 for loop


key: personal loan value: Wells Fargo

Iterating HashMap in Java using EntrySet and Java iterator


This is the fourth and last example of looping Map and here we have used Combination of Iterator and
EntrySet to display all keys and values of a Java Map.

Set<Map.Entry<String, String>> entrySet1 = loans.entrySet();

Iterator<Entry<String, String>> entrySetIterator = entrySet1.iterator();

while (entrySetIterator.hasNext()) {

System.out.println("------------------------------------------------");

System.out.println("Iterating HashMap in Java using EntrySet and Java iterator");

Entry entry = entrySetIterator.next();

System.out.println("key: " + entry.getKey() + " value: " + entry.getValue());

Output:

------------------------------------------------

Iterating HashMap in Java using EntrySet and Java iterator

key: home loan value: citibank

------------------------------------------------

Iterating HashMap in Java using EntrySet and Java iterator

key: personal loan value: Wells Fargo

That’s all on multiple ways of looping Map in Java. We have seen exactly 4 examples to iterator
on Java Map in combination of KeySet and EntrySet by using for loop and Iterator. Let me know if you
are familiar with any other ways of iterating and getting each key value from Map in Java.
List vs Set in Java

here are few note worthy differences between List and Set in Java. Remember that both of them are used
to store objects and provides convenient API to insert, remove and retrieve elements, along with to support Iteration
over collection.

1) Fundamental difference between List and Set in Java is allowing duplicate elements. List in Java allows
duplicates while Set doesn't allow any duplicate. If you insert duplicate in Set it will replace the older value. Any
implementation of Set in Java will only contains unique elements.

2) Another significant difference between List and Set in Java is order. List is an
Ordered Collection while Set is an unordered Collection. List maintains insertion order of elements, means any
element which is inserted before will go on lower index than any element which is inserted after. Set in Java doesn't
maintain any order. Though Set provide another alternative called SortedSet which can store Set elements in
specific Sorting order defined by Comparable and Comparator methods of Objects stored in Set.

3) Set uses equals() method to check uniqueness of elements stored in Set, while SortedSet uses compareTo()
method to implement natural sorting order of elements. In order for an element to behave properly
in Set and SortedSet, equals and compareTo must be consistent to each other.

4) Popular implementation of List interface in Java includes ArrayList, Vector and LinkedList. While popular
implementation of Set interface includes HashSet, TreeSet and LinkedHashSet.

When to use List and Set in Java


Another good follow-up question is "when do you use List and Set in Java" , which can also be answered based
on properties of List and Set we have learn here.These difference between Set and List also teaches us when to
use Set and when to prefer List. its pretty clear that if you need to maintain insertion order or object and
you collection can contain duplicates than List is a way to go. On the other hand if your requirement is to maintain
unique collection without any duplicates than Set is the way to go.

Important point to note is that both List and Set are derived from Collection Interface. In short main difference
between List and Set in Java is that List is an ordered collection which allows duplicates while Set is an
unordered collection which doesn't allow duplicates

LinkedList vs ArrayList in Java

All the differences between LinkedList and ArrayList has there root on difference between Array and
LinkedList data-structure. If you are familiar with Array and LinkedList data structure you will most likely derive
following differences between them:

1) Since Array is an index based data-structure searching or getting element from Array with index is pretty fast.
Array provides O(1) performance for get(index) method but remove is costly in ArrayList as you need to rearrange all
elements. On the Other hand LinkedList doesn't provide Random or index based access and you need to iterate over
linked list to retrieve any element which is of order O(n).

2) Insertions are easy and fast in LinkedList as compared to ArrayList because there is no risk of resizing array
and copying content to new array if array gets full which makes adding into ArrayList of O(n) in worst case, while
adding is O(1) operation in LinkedList in Java. ArrayList also needs to update its index if you insert something
anywhere except at the end of array.

3) Removal is like insertions better in LinkedList than ArrayList.

4) LinkedList has more memory overhead than ArrayList because in ArrayList each index only holds actual object
(data) but in case of LinkedList each node holds both data and address of next and previous node.

When to use LinkedList and ArrayList in Java


As I said LinkedList is not as popular as ArrayList but still there are situation where a LinkedList is better choice than
ArrayList in Java. Use LinkedList in Java if:

1) Your application can live without Random access. Because if you need nth element in LinkedList you need to first
traverse up to nth element O(n) and than you get data from that node.

2) Your application is more insertion and deletion driver and you insert or remove more than retrieval. Since insertion
or
removal doesn't involve resizing its much faster than ArrayList.

That’s all on difference between ArrayList and LinkedList in Java. Use ArrayList in Java for all there situation
where you need a non-synchronized index based access. ArrayList is fast and easy to use, just try to minimize
array resizing by constructing arraylist with proper initial size.

Difference between LinkedList vs ArrayList in Java


LinkedList and ArrayList both implement List Interface but how they work internally is where the differences
lies. Main difference between ArrayList and LinkedList is that ArrayList is implemented using re sizable array
while LinkedList is implemented using doubly LinkedList. ArrayList is more popular among Java programmer than
LinkedList as there are few scenarios on which LinkedList is a suitable collection than ArrayList. In this article we will
see some differences between LinkedList and ArrayList and try to find out when and where to use LinkedList over
ArrayList.

LinkedList vs ArrayList in Java

All the differences between LinkedList and ArrayList has there root on difference between Array and
LinkedList data-structure. If you are familiar with Array and LinkedList data structure you will most likely derive
following differences between them:

1) Since Array is an index based data-structure searching or getting element from Array with index is pretty fast.
Array provides O(1) performance for get(index) method but remove is costly in ArrayList as you need to rearrange
all elements. On the Other hand LinkedList doesn't provide Random or index based access and you need to iterate
over linked list to retrieve any element which is of order O(n).
2) Insertions are easy and fast in LinkedList as compared to ArrayList because there is no risk of resizing array

and copying content to new array if array gets full which makes adding into ArrayList of O(n) in worst case, while
adding is O(1) operation in LinkedList in Java. ArrayList also needs to update its index if you insert something
anywhere except at the end of array.

3) Removal is like insertions better in LinkedList than ArrayList.

4) LinkedList has more memory overhead than ArrayList because in ArrayList each index only holds actual object
(data) but in case of LinkedList each node holds both data and address of next and previous node.

When to use LinkedList and ArrayList in Java


As I said LinkedList is not as popular as ArrayList but still there are situation where a LinkedList is better choice than
ArrayList in Java. Use LinkedList in Java if:

1) Your application can live without Random access. Because if you need nth element in LinkedList you need to first
traverse up to nth element O(n) and than you get data from that node.

2) Your application is more insertion and deletion driver and you insert or remove more than retrieval. Since insertion
or

removal doesn't involve resizing its much faster than ArrayList.

That’s all on difference between ArrayList and LinkedList in Java. Use ArrayList in Java for all there situation
where you need a non-synchronized index based access. ArrayList is fast and easy to use, just try to minimize
array resizing by constructing arraylist with proper initial size.

Comparator vs Comparable in Java


Here are some of the common differences, which is worth remembering to answer this question if asked during a
telephonic or face to face interview:

1) Comparator in Java is defined in java.util package while Comparable interface in Java is defined
in java.lang package, which very much says that Comparator should be used as an utility to sort objects
which Comparable should be provided by default.

2) Comparator interface in Java has method public int compare (Object o1, Object o2) which returns
a negative integer, zero, or a positive integer as the first argument is less than, equal to, or greater than the second.
While Comparable interface has method public int compareTo(Object o) which returns a negative integer,
zero, or a positive integer as this object is less than, equal to, or greater than the specified object.
3) If you see then logical difference between these two is Comparator in Java compare two objects provided to him,
while Comparable interface compares "this" reference with the object specified. I have shared lot of tips on how to
override compareTo() method and avoid some common mistakes programmer makes while implementing
Comparable interface.

4) Comparable in Java is used to implement natural ordering of object. In Java API String, Date and
wrapper classes implements Comparable interface.Its always good practice to override compareTo() for value
objects.

5) If any class implement Comparable interface in Java then collection of that object either List or Array can be
sorted automatically by using Collections.sort() or Arrays.sort() method and object will be sorted based
on there natural order defined by CompareTo method.

6)Objects which implement Comparable in Java can be used as keys in a SortedMap like TreeMap or elements in
a SortedSet for example TreeSet, without specifying any Comparator.

These were combination of some theoretical and practical differences between Comparator and Comparator interface
in Java. It does help you to decide when to use Comparator vs Comparable but things will be more clear when we
some best practices around using both of these interfaces. Now let’s see an example of Comparator in Java:

Example of using Comparator and Comparable in Java

So in Summary if you want to sort objects based on natural order then use Comparable in Java and if
you want to sort on some other attribute of object then use Comparator in Java. Now to understand these concepts
lets see an example or real life coding:

1) There is class called Person, sort the Person based on person_id, which is primary key in database
2) Sort the Person based on there name.

For a Person class, sorting based on person_id can be treated as natural order sorting and sorting based on
name field can be implemented using Comparator interface. To sort based on person_id we need to
implement compareTo() method.

public class Person implements Comparable {


private int person_id;
private String name;

/**
* Compare current person with specified person
* return zero if person_id for both person is same
* return negative if current person_id is less than specified one
* return positive if specified person_id is greater than specified one
*/
@Override
public int compareTo(Object o) {
Person p = (Person) o;
return this.person_id - o.person_id ;
}
….
}
Generally you should not use difference of integers to decide output of compareTo method as result of integer
subtraction can overflow but if you are sure that both operands are positive then its one of the quickest way to
compare two objects. See my post things to remember while overriding compareTo in Java for more tips on
compareTo.

And for sorting based on person name we can implement compare(Object o1, Object o2) method of Java
Comparator class.

/**
* Comparator implementation which sorts Person objects on person_id field
*/
public class SortByPerson_ID implements Comparator{

public int compare(Object o1, Object o2) {


Person p1 = (Person) o;
Person p2 = (Person) o;
return p1.getPersonId() - p2.getPersonId();
}
}

Similar guidelines applies while implementing compare() method as well and instead of using subtraction operator,
its better to use logical operator to compare whether two integers are equal to, less than or greater than. You can
write several types of Java Comparator based upon your need for example
reverseComparator , ANDComparator , ORComparator etc which will return negative or positive number based
upon logical results. String in Java even provides an special comparator called CASE_INSENSITIVE_ORDER, to
perform case insensitive comparison of String objects.

How to Compare String in Java


String is immutable in Java and one of the most used value class. For comparing String in Java we should not be
worrying because String implements Comparable interface and provides a lexicographic implementation
for CompareTo method which compare two strings based on contents of characters or you can say in lexical order.
You just need to call String.compareTo(AnotherString) and Java will determine whether specified String is
greater than , equal to or less than current object. See my post 4 example to compare String in Java for alternatives
ways of comparing String.

How to Compare Dates in Java


Dates are represented by java.util.Date class in Java and like String, Date also implements Comparable in
Java so they will be automatically sorted based on there natural ordering if they got stored in any sorted collection like
TreeSet or TreeMap. If you explicitly wants to compare two dates in Java you can
call Date.compareTo(AnotherDate) method in Java and it will tell whether specified date is greater than , equal
to or less than current String. See my post 3 ways to compare Dates in Java for more alternatives of comparing
two dates.

When to use Comparator and Comparable in Java


At last let’s see some best practices and recommendation on when to use Comparator or Comparable in Java:

1) If there is a natural or default way of sorting Object already exist during development of Class than
use Comparable. This is intuitive and you given the class name people should be able to guess it correctly like
Strings are sorted chronically, Employee can be sorted by there Id etc. On the other hand if an Object can be
sorted on multiple ways and client is specifying on which parameter sorting should take place than
useComparator interface. for example Employee can again be sorted on name, salary or department and clients
needs an API to do that. Comparator implementation can sort out this problem.
2) Some time you write code to sort object of a class for which you are not the original author, or you don't have
access to code. In these cases you can not implement Comparable and Comparator is only way to sort those
objects.

3) Beware with the fact that How those object will behave if stored in SorteSet or SortedMap like TreeSet
and TreeMap. If an object doesn't implement Comparable than while putting them into SortedMap, always provided
corresponding Comparator which can provide sorting logic.

4) Order of comparison is very important while implementing Comparable or Comparator interface. for example if
you are sorting object based upon name than you can compare first name or last name on any order, so decide it
judiciously. I have shared more detailed tips on compareTo on my post how to implement CompareTo in Java.

5) Comparator has a distinct advantage of being self descriptive for example if you are writing Comparator to
compare two Employees based upon there salary than name that comparator as SalaryComparator, on the other
hand compareTo().

You might also like