Java Collections interview questions


Java util.collections
 Java util.collections is one of the most important package in java and the important of this package can be understand by C++/C developer where they need to performance lots of code for managing pointers and collections and this all work is abstracted by Java and this is one of most important factor for java being developer friendly. Generally questions asked in this package are related to which class is used in what case, which will give best performance, concurrency of collection package etc. A good understanding of Collections framework is required to understand and leverage many powerful features of Java technology. Here are few important practical questions which can be asked in a Core Java interview.

Fruits Collection
After speaking to bulk of java developers on their technical discussions/interviews on Java, we could fairly conclude that 'Collection Framework is 'the' most important topic to get through Java drilling sessions.

Most of IT units in financial industry do highlights 'Threading Concept' as the crux of Java language but as per current trend it seems interviewers are being more pragmatic that educative.
Writing programs without touching java.util.* seems very uncommon unless we are up to printing 'hello world' :)

Following are some very basic but conceptually very strong features originating from Collection Framework. This article is targeted to provide just a pointer to the areas where we developers need to brush up ourselves before our interviews. I am not (as of now) listing answers here as they could be easily find out on web.
  1. What is hashing in Java?
  2. Why does one need to consider overriding hashcode() & equals() for keys used in HashMap?  Is it mandatory to override these methods to allow the object getting used as keys? What will happen if we do not implement them? 
  3. Wrapper (Immutable) classes (Integer, String etc) are considered as right candidates for HashMap keys. Why?
  4. When get() is invoked on a HashMap(), what are the steps followed by Java to get the associated value back?
  5. What is the underlying data structure used by HashMap to store its value? 
  6.  What is the underlying data structure for ConcurrentHashMap? How does it differ from HashMap and HashTable?
  7. Java memory model has been revised and tuned with 'Tiger' version of java 5. What are the associated updates?
  8. How Java 5 overcomes infamous 'Double-Checked Locking' paradigm?
  9. What happens when a map has to be resized to accommodate more items? What will happen if another thread calls get() when resizing is underway?
  10. How is the memory in use gets affected by choosing between ArrayList and LinkedList?
  11. Can program execution go different by choosing between Enhanced for loop and old fashioned index based loop for a collection?
  12. Can we iterate over a List and call remove if a certain condition matches? *Interviewer generally tries to understand whether candidate is clear about fast-fail feature, ConcurrentModificationException and use of Iterator.

Did you know
1. Comparator and Comparable though gets referred mostly together but they belong to different java libraries.
2. Java 5 Enums could be used to provide Singleton implementation.

Would appreciate the feedback and if someone is willing to add answers against these queries then most welcome.
These are the most common java collection interview questions -



  What is Java Collections API?

Java Collections framework API is a unified architecture for representing and manipulating collections. The API contains Interfaces, Implementations and Algorithm to help java programmer in everyday programming. In nutshell, this API does 6 things at high level  
    • Reduces programming efforts. - Increases program speed and quality.
    • Allows interoperability among unrelated apis.
    • Reduces effort to learn and to use new apis.
    • Reduces effort to design new apis.
    • Encourages & Fosters software reuse.  
To be specific, there are six collection java interfaces. The most basic interface is Collection. Three interfaces extend Collection: Set, List, and sortedset. The other two collection interfaces, Map and sortedmap, do not extend Collection, as they represent mappings rather than true collections.


What is difference in Collection (Blocking queue)'s method peek() and Poll()?
PeekRetrieves, but does not remove, the head of this queue, or returns null if this queue is empty.
Poll - Retrieves and removes the head of this queue, or returns null if this queue is empty.

What is an Iterator? 
Some of the collection classes provide traversal of their contents via a java.util.Iterator interface. This interface allows you to walk through a collection of objects, operating on each object in turn. Remember when using Iterators that they contain a snapshot of the collection at the time the Iterator was obtained; generally it is not advisable to modify the collection itself while traversing an Iterator.

 What is the difference between java.util.Iterator and java.util.listiterator? 
Iterator : Enables you to traverse through a collection in the forward direction only, for obtaining or removing elements 
listiterator : extends Iterator, and allows bidirectional traversal of list and also allows the modification of elements.

What is hashmap and Map?  
Map is Interface which is part of Java collections framework. This is to store Key Value pair, and Hashmap is class that implements that using hashing technique.

Difference between hashmap and hashtable? Compare Hashtable vs hashmap? 
Both Hashtable & hashmap provide key-value access to data. The Hashtable is one of the original collection classes in Java (also called as legacy classes). Hashmap is part of the new Collections Framework, added with Java 2, v1.2. There are several differences between hashmap and Hashtable in Java as listed below  
    • The hashmap class is roughly equivalent to Hashtable, except that it is unsynchronized and permits nulls. (hashmap allows null values as key and value whereas Hashtable doesn’t allow nulls).
    • Hashmap does not guarantee that the order of the map will remain constant over time. But one of hashmap's subclasses is linkedhashmap, so in the event that you'd want predictable iteration order (which is insertion order by default), you can easily swap out the hashmap for a linkedhashmap. This wouldn't be as easy if you were using Hashtable.
    • Hashmap is non synchronized whereas Hashtable is synchronized.
    • Iterator in the hashmap is fail-fast while the enumerator for the Hashtable isn't. So this could be a design consideration.
What does synchronized means in Hashtable context? 
Synchronized means only one thread can modify a hash table at one point of time. Any thread before performing an update on a hashtable will have to acquire a lock on the object while others will wait for lock to be released.

What is fail-fast property? 
At high level - Fail-fast is a property of a system or software with respect to its response to failures. A fail-fast system is designed to immediately report any failure or condition that is likely to lead to failure. Fail-fast systems are usually designed to stop normal operation rather than attempt to continue a possibly-flawed process.
          When a problem occurs, a fail-fast system fails immediately and visibly. Failing fast is a non-intuitive technique: "failing immediately and visibly" sounds like it would make your software more fragile, but it actually makes it more robust. Bugs are easier to find and fix, so fewer go into production.
          In Java, Fail-fast term can be related to context of iterators. If an iterator has been created on a collection object and some other thread tries to modify the collection object "structurally", a concurrent modification exception will be thrown. It is possible for other threads though to invoke "set" method since it doesn't modify the collection "structurally". However, if prior to calling "set", the collection has been modified structurally, "illegalargumentexception" will be thrown. 


Why doesn't Collection extend Cloneable and Serializable? 
From Sun FAQ Page: Many Collection implementations (including all of the ones provided by the JDK) will have a public clone method, but it would be mistake to require it of all Collections. For example, what does it mean to clone a Collection that's backed by a terabyte SQL database? Should the method call cause the company to requisition a new disk farm? Similar arguments hold for serializable. If the client doesn't know the actual type of a Collection, it's much more flexible and less error prone to have the client decide what type of Collection is desired, create an empty Collection of this type, and use the addall method to copy the elements of the original collection into the new one. Note on Some Important Terms  
    • Synchronized means only one thread can modify a hash table at one point of time. Basically, it means that any thread before performing an update on a hashtable will have to acquire a lock on the object while others will wait for lock to be released.
    • Fail-fast is relevant from the context of iterators. If an iterator has been created on a collection object and some other thread tries to modify the collection object "structurally”, a concurrent modification exception will be thrown. It is possible for other threads though to invoke "set" method since it doesn’t modify the collection "structurally”. However, if prior to calling "set", the collection has been modified structurally, "illegalargumentexception" will be thrown.
How can we make Hashmap synchronized?  
Hashmap can be synchronized by Map m = Collections.synchronizedmap(hashmap); 

Where will you use Hashtable and where will you use hashmap? 
There are multiple aspects to this decision: 1. The basic difference between a Hashtable and an hashmap is that, Hashtable is synchronized while hashmap is not. Thus whenever there is a possibility of multiple threads accessing the same instance, one should use Hashtable. While if not multiple threads are going to access the same instance then use hashmap. Non synchronized data structure will give better performance than the synchronized one. 2. If there is a possibility in future that - there can be a scenario when you may require to retain the order of objects in the Collection with key-value pair then hashmap can be a good choice. As one of hashmap's subclasses is linkedhashmap, so in the event that you'd want predictable iteration order (which is insertion order by default), you can easily swap out the hashmap for a linkedhashmap. This wouldn't be as easy if you were using Hashtable. Also if you have multiple thread accessing you hashmap then Collections.synchronizedmap() method can be leveraged. Overall hashmap gives you more flexibility in terms of possible future changes.

Difference between Vector and arraylist? What is the Vector class?  
Vector & arraylist both classes are implemented using dynamically resizable arrays, providing fast random access and fast traversal. Arraylist and Vector class both implement the List interface. Both the classes are member of Java collection framework, therefore from an API perspective, these two classes are very similar. However, there are still some major differences between the two. Below are some key differences  
    • Vector is a legacy class which has been retrofitted to implement the List interface since Java 2 platform v1.2
    • Vector is synchronized whereas arraylist is not. Even though Vector class is synchronized, still when you want programs to run in multithreading environment using arraylist with Collections.synchronizedlist() is recommended over Vector.
    • Arraylist has no default size while vector has a default size of 10.
    • The Enumerations returned by Vector's elements method are not fail-fast. Whereas arraaylist does not have any method returning Enumerations.


 What is the Difference between Enumeration and Iterator interface? 
  Enumeration and Iterator are the interface available in java.util package. The functionality of Enumeration interface is duplicated by the Iterator interface. New implementations should consider using Iterator in preference to Enumeration. Iterators differ from enumerations in following ways: 
      1. Enumeration contains 2 methods namely hasmoreelements() & nextelement() whereas Iterator contains three methods namely hasnext(), next(),remove(). 
       2.   Iterator adds an optional remove operation, and has shorter method names. Using remove() we can delete the objects but Enumeration interface does not support this feature. 
        Enumeration interface is used by legacy classes. Vector.elements() & Hashtable.elements() method returns Enumeration. Iterator is returned by all Java Collections Framework classes. Java.util.Collection.iterator() method returns an instance of Iterator. 
     
      Why Java Vector class is considered obsolete or unofficially deprecated? Or Why should I always use arraylist over Vector?

You should use arraylist over Vector because you should default to non-synchronized access. Vector synchronizes each individual method. That's almost never what you want to do. Generally you want to synchronize a whole sequence of operations. Synchronizing individual operations is both less safe (if you iterate over a Vector, for instance, you still need to take out a lock to avoid anyone else changing the collection at the same time) but also slower (why take out a lock repeatedly when once will be enough)?
Of course, it also has the overhead of locking even when you don't need to. It's a very flawed approach to have synchronized access as default. You can always decorate a collection using Collections.synchronizedlist - the fact that Vector combines both the "resized array" collection implementation with the "synchronize every operation" bit is another example of poor design; the decoration approach gives cleaner separation of concerns.
       Vector also has a few legacy methods around enumeration and element retrieval which are different than the List interface, and developers (especially those who learned Java before 1.2) can tend to use them if they are in the code. Although Enumerations are faster, they don't check if the collection was modified during iteration, which can cause issues, and given that Vector might be chosen for its syncronization - with the attendant access from multiple threads, this makes it a particularly pernicious problem. Usage of these methods also couples a lot of code to Vector, such that it won't be easy to replace it with a different List implementation.
Despite all above reasons Sun may never officially deprecate Vector class. (Read details Deprecate Hashtable and Vector)

What is an enumeration? 
An enumeration is an interface containing methods for accessing the underlying data structure from which the enumeration is obtained. It is a construct which collection classes return when you request a collection of all the objects stored in the collection. It allows sequential access to all the elements stored in the collection.

Where will you use Vector and where will you use arraylist? 
The basic difference between a Vector and an arraylist is that, vector is synchronized while arraylist is not. Thus whenever there is a possibility of multiple threads accessing the same instance, one should use Vector. While if not multiple threads are going to access the same instance then use arraylist. Non synchronized data structure will give better performance than the synchronized one.

What is the importance of hashcode() and equals() methods? How they are used in Java? 
The java.lang.Object has two methods defined in it. They are - public boolean equals(Object obj) public int hashcode(). These two methods are used heavily when objects are stored in collections.
There is a contract between these two methods which should be kept in mind while overriding any of these methods.
The Java API documentation describes it in detail. The hashcode() method returns a hash code value for the object. This method is supported for the benefit of hashtables such as those provided by java.util.Hashtable or java.util.hashmap. The general contract of hashcode is:
    Whenever it is invoked on the same object more than once during an execution of a Java application, the hashcode method must consistently return the same integer, provided no information used in equals comparisons on the object is modified. This integer need not remain consistent from one execution of an application to another execution of the same application. If two objects are equal according to the equals(Object) method, then calling the hashcode method on each of the two objects must produce the same integer result. It is not required that if two objects are unequal according to the equals(java.lang.Object) method, then calling the hashcode method on each of the two objects must produce distinct integer results. However, the programmer should be aware that producing distinct integer results for unequal objects may improve the performance of hashtables. As much as is reasonably practical, the hashcode method defined by class Object does return distinct integers for distinct objects. The equals(Object obj) method indicates whether some other object is "equal to" this one. The equals method implements an equivalence relation on non-null object references: 
It is reflexive: for any non-null reference value x, x.equals(x) should return true.
It is symmetric: for any non-null reference values x and y, x.equals(y) should return true if and only if y.equals(x) returns true.
It is transitive: for any non-null reference values x, y, and z, if x.equals(y) returns true and y.equals(z) returns true, then x.equals(z) should return true.
It is consistent: for any non-null reference values x and y, multiple invocations of x.equals(y) consistently return true or consistently return false, provided no information used in equals comparisons on the objects is modified. For any non-null reference value x, x.equals(null) should return false. The equals method for class Object implements the most discriminating possible equivalence relation on objects; that is, for any non-null reference values x and y, this method returns true if and only if x and y refer to the same object (x == y has the value true).

Note that it is generally necessary to override the hashcode method whenever this method is overridden, so as to maintain the general contract for the hashcode method, which states that equal objects must have equal hash codes.


A practical Example of hashcode() & equals(): This can be applied to classes that need to be stored in Set collections. Sets use equals() to enforce non-duplicates, and hashset uses hashcode() as a first-cut test for equality. Technically hashcode() isn't necessary then since equals() will always be used in the end, but providing a meaningful hashcode() will improve performance for very large sets or objects that take a long time to compare using equals().


What is the difference between Sorting performance of Arrays.sort() vs Collections.sort() ? Which one is faster? Which one to use and when? 
Many developers are concerned about the performance difference between java.util.Array.sort() java.util.Collections.sort() methods. Both methods have same algorithm the only difference is type of input to them. Collections.sort() has a input as List so it does a translation of List to array and vice versa which is an additional step while sorting. So this should be used when you are trying to sort a list. Arrays.sort is for arrays so the sorting is done directly on the array. So clearly it should be used when you have a array available with you and you want to sort it. 

What is java.util.concurrent blockingqueue? How it can be used? 
Java has implementation of blockingqueue available since Java 1.5. Blocking Queue interface extends collection interface, which provides you power of collections inside a queue. Blocking Queue is a type of Queue that additionally supports operations that wait for the queue to become non-empty when retrieving an element, and wait for space to become available in the queue when storing an element. A typical usage example would be based on a producer-consumer scenario. Note that a blockingqueue can safely be used with multiple producers and multiple consumers. An arrayblockingqueue is a implementation of blocking queue with an array used to store the queued objects. The head of   the queue is that element that has been on the queue the longest time. The tail of the queue is that element that has been on the queue the shortest time. New elements are inserted at the tail of the queue, and the queue retrieval operations obtain elements at the head of the queue. Arrayblockingqueue requires you to specify the capacity of queue at the object construction time itself. Once created, the capacity cannot be increased. This is a classic "bounded buffer" (fixed size buffer), in which a fixed-sized array holds elements inserted by producers and extracted by consumers. Attempts to put an element to a full queue will result in the put operation blocking; attempts to retrieve an element from an empty queue will be blocked.


Set & List interface extend Collection, so Why doesn't Map interface extend Collection? 
Though the Map interface is part of collections framework, it does not extend collection interface. This is by design, and the answer to this questions is best described in Sun's FAQ Page: This was by design. We feel that mappings are not collections and collections are not mappings. Thus, it makes little sense for Map to extend the Collection interface (or vice versa). If a Map is a Collection, what are the elements? The only reasonable answer is "Key-value pairs", but this provides a very limited (and not particularly useful) Map abstraction. You can't ask what value a given key maps to, nor can you delete the entry for a given key without knowing what value it maps to. Collection could be made to extend Map, but this raises the question: what are the keys? There's no really satisfactory answer, and forcing one leads to an unnatural interface. Maps can be viewed as Collections (of keys, values, or pairs), and this fact is reflected in the three "Collection view operations" on Maps (keyset, entryset, and values). While it is, in principle, possible to view a List as a Map mapping indices to elements, this has the nasty property that deleting an element from the List changes the Key associated with every element before the deleted element. That's why we don't have a map view operation on Lists.


Which implementation of the List interface provides for the fastest insertion of a new element into the middle of the list?  
A. Vector b. Arraylist c. Linkedlist arraylist and Vector both use an array to store the elements of the list. When an element is inserted into the middle of the list the elements that follow the insertion point must be shifted to make room for the new element. The linkedlist is implemented using a doubly linked list; an insertion requires only the updating of the links at the point of insertion. Therefore, the linkedlist allows for fast insertions and deletions.


What is the difference between arraylist and linkedlist? (arraylist vs linkedlist.)  
Java.util.arraylist and java.util.linkedlist are two Collections classes used for storing lists of object references Here are some key differences: 
O    arraylist uses primitive object array for storing objects whereas linkedlist is made up of a chain of nodes. Each node stores an element and the pointer to the next node. A singly linked list only has pointers to next. A doubly linked list has a pointer to the next and the previous element. This makes walking the list backward easier.

O   arraylist implements the randomaccess interface, and linkedlist does not. The commonly used arraylist implementation uses primitive Object array for internal storage. Therefore an arraylist is much faster than a linkedlist for random access, that is, when accessing arbitrary list elements using the get method. Note that the get method is implemented for linkedlists, but it requires a sequential scan from the front or back of the list. This scan is very slow. For a linkedlist, there's no fast way to access the Nth element of the list.

       O Adding and deleting at the start and middle of the arraylist is slow, because all the later elements have to be copied forward or backward. (Using System.arraycopy()) Whereas Linked lists are faster for inserts and deletes anywhere in the list, since all you do is update a few next and previous pointers of a node.

O   Each element of a linked list (especially a doubly linked list) uses a bit more memory than its equivalent in array list, due to the need for next and previous pointers.


O    arraylist may also have a performance issue when the internal array fills up. The arraylist has to create a new array and copy all the elements there. The arraylist has a growth algorithm of (n*3)/2+1, meaning that each time the buffer is too small it will create a new one of size (n*3)/2+1 where n is the number of elements of the current buffer. Hence if we can guess the number of elements that we are going to have, then it makes sense to create a arraylist with that capacity during object creation (using construtor new arraylist(capacity)). Whereas linkedlists should not have such capacity issues.


Where will you use arraylist and Where will you use linkedlist? Or Which one to use when (arraylist / linkedlist).
Below is a snippet from SUN's site. The Java SDK contains 2 implementations of the List interface - arraylist and linkedlist. If you frequently add elements to the beginning of the List or iterate over the List to delete elements from its interior, you should consider using linkedlist. These operations require constant-time in a linkedlist and linear-time in an arraylist. But you pay a big price in performance. Positional access requires linear-time in a linkedlist and constant-time in an arraylist.


What is performance of various Java collection implementations/algorithms? What is Big 'O' notation for each of them ?
Each java collection implementation class have different performance for different methods, which makes them suitable for different programming needs.
O Performance of Map interface implementations
Hashtable
An instance of Hashtable has two parameters that affect its performance: initial capacity and load factor. The capacity is the number of buckets in the hash table, and the initial capacity is simply the capacity at the time the hash table is created. Note that the hash table is open: in the case of a "hash collision", a single bucket stores multiple entries, which must be searched sequentially. The load factor is a measure of how full the hash table is allowed to get before its capacity is automatically increased. The initial capacity and load factor parameters are merely hints to the implementation. The exact details as to when and whether the rehash method is invoked are implementation-dependent.
Hashmap
This implementation provides constant-time [ Big O Notation is O(1) ] performance for the basic operations (get and put), assuming the hash function disperses the elements properly among the buckets.
Iteration over collection views requires time proportional to the "capacity" of the hashmap instance (the number of buckets) plus its size (the number of key-value mappings). Thus, it's very important not to set the initial capacity too high (or the load factor too low) if iteration performance is important.
Treemap
The treemap implementation provides guaranteed log(n) [ Big O Notation is O(log N) ] time cost for the containskey, get, put and remove operations.
Linkedhashmap
A linked hash map has two parameters that affect its performance: initial capacity and load factor. They are defined precisely as for hashmap. Note, however, that the penalty for choosing an excessively high value for initial capacity is less severe for this class than for hashmap, as iteration times for this class are unaffected by capacity.
O Performance of Set interface implementations
Hashset
The hashset class offers constant-time [ Big O Notation is O(1) ] performance for the basic operations (add, remove, contains and size), assuming the hash function disperses the elements properly among the buckets. Iterating over this set requires time proportional to the sum of the hashset instance's size (the number of elements) plus the "capacity" of the backing hashmap instance (the number of buckets). Thus, it's very important not to set the initial capacity too high (or the load factor too low) if iteration performance is important.
Treeset
The treeset implementation provides guaranteed log(n) time cost for the basic operations (add, remove and contains).
Linkedhashset
A linked hash set has two parameters that affect its performance: initial capacity and load factor. They are defined precisely as for hashset. Note, however, that the penalty for choosing an excessively high value for initial capacity is less severe for this class than for hashset, as iteration times for this class are unaffected by capacity.
O Performance of List interface implementations
Linkedlist
- Performance of get and remove methods is linear time [ Big O Notation is O(n) ] - Performance of add and Iterator.remove methods is constant-time [ Big O Notation is O(1) ]
Arraylist
- The size, isempty, get, set, iterator, and listiterator operations run in constant time. [ Big O Notation is O(1) ]
- The add operation runs in amortized constant time [ Big O Notation is O(1) ] , but in worst case (since the array must be resized and copied) adding n elements requires linear time [ Big O Notation is O(n) ]
- Performance of remove method is linear time [ Big O Notation is O(n) ]
- All of the other operations run in linear time [ Big O Notation is O(n) ]. The constant factor is low compared to that for the linkedlist implementation.
Can you think of a questions which is not part of this post? Please don't forget to share it with me in comments section & I will try to include it in the list.




  • We are covering here -'Java garbage collection interview questions' or 'Java memory interview questions' in d...
  • ' Java database questions ' or ' Database interview questions for java developer ' is covered in this blog. All ent...
  • Java Concurrency interview question - In year 2004 when technology gurus said innovation in Java is gone down and Sun Microsystems [Now Or...
  • 'Java investment bank interview' generally contains 'Java Design Pattern' questions. If you want to be a professional Java ...
  • 18 comments:

    1. What happens when a map has to be resized to accommodate more items? What will happen if another thread calls get() when resizing is underway?

      ReplyDelete
      Replies
      1. Hello There,

        Allow me to show my gratitude bloggers. You guys are like unicorns. Never seen but always spreading magic. Your content is yummy. So, satisfied.
        I'm in search profiling tool which gives me line by line performance analysis of the code. Currently I'm using JMC and java flight recorder to conduct profiling. But the bottleneck with JMC is it gives profiling result at method level, package level. It will be a tedious procedure for me to identify the time-consuming parts or overhead parts in my code.
        It requires detailed analysis to identify the bottlenecks with third part components. During the performance evaluation phase if we observe that some particular module or third-party component is acting as a bottleneck, we need to shift our focus on integration aspect of our application with the third-party framework. So, if you are aware of any tools which does line by line analysis please do let me know, it will help a lot.
        But great job man, do keep posted with the new updates.

        Obrigado,
        Jake

        Delete
    2. Hashmap is totally unsynchronized, so when resize is called all the previous data is copied to a new array, this process can result in unpredictable results. If multiple threads are putting the data, some data will be lost during this transition..

      ReplyDelete
    3. nice :
      instanceofjavaforus.blogspot.in

      ReplyDelete
    4. Nice one post and must visit java collection examples with explanation

      http://www.javaproficiency.com/2015/05/java-collections-framework-tutorials.html

      ReplyDelete
    5. Awesome,
      The collection is a very important topic in java. I appreciate your article which provides a great list of interview questions with properly described answers. These questions are very common which are frequently asked in interviews. Your article provides valuable information to all people who are preparing for a job on Java profile. I also explored a blog named Java2Blog which provides a complete tutorial on Java from beginner level to advance level and having a list of interview questions and answers on the collection and all other topics of Java.

      ReplyDelete
    6. Thanks for giving a great information about java-collections-interview-questions Good Explination nice Article
      anyone want to learn advance devops tools or devops online training
      DevOps Online Training contact Us: 9704455959

      ReplyDelete
    7. I really like the way of your explanation, thanks for sharing such a nice post. Keep sharing!
      DevOps Online Training

      ReplyDelete
    8. The information which you have provided is very good. It is very useful who is looking for Best Java Training Institute

      ReplyDelete
    9. For Hadoop Training in Bangalore Visit : HadoopTraining in Bangalore

      ReplyDelete
    10. Such a great information for blogger iam a professional blogger thanks…

      Looking for Software Training in Bangalore , learn from Softgen Infotech Software Courses on online training and classroom training. Join today!

      ReplyDelete
    11. Thanks for sharing this information. I really Like Very Much.
      best angular js online training

      ReplyDelete