0% found this document useful (0 votes)
0 views8 pages

9 Java Data structures best practices _ 800+ Big Data & Java Interview FAQs

The document outlines nine best practices for using Java data structures, emphasizing the importance of selecting the right type based on usage patterns, favoring unmodifiable collections, and considering thread-safety. It also discusses performance and memory considerations, the implementation of equals() and hashCode() methods, and the use of immutable keys. Additionally, it recommends returning zero-length collections instead of null and utilizing Java 8 Streams for improved readability.

Uploaded by

gs23133
Copyright
© © All Rights Reserved
Available Formats
Download as PDF, TXT or read online on Scribd
Download as pdf or txt
0% found this document useful (0 votes)
0 views8 pages

9 Java Data structures best practices _ 800+ Big Data & Java Interview FAQs

The document outlines nine best practices for using Java data structures, emphasizing the importance of selecting the right type based on usage patterns, favoring unmodifiable collections, and considering thread-safety. It also discusses performance and memory considerations, the implementation of equals() and hashCode() methods, and the use of immutable keys. Additionally, it recommends returning zero-length collections instead of null and utilizing Java 8 Streams for improved readability.

Uploaded by

gs23133
Copyright
© © All Rights Reserved
Available Formats
Download as PDF, TXT or read online on Scribd
Download as pdf or txt
Download as pdf or txt
You are on page 1/ 8

06/12/2024, 19:41 9 Java Data structures best practices | 800+ Big Data & Java Interview FAQs

800+ Q&As Menu Contact & reviews Register Login

800+ Big Data & Java Interview FAQs


It pays to prepare & choose from 2-6 offers. Read & Write more code to fast-track & go places with confidence.

Select A to Z of Java & Big Data Techs


search here … Go

Home Why?  Career  Membership 

Home › Quick Prep Java Interview › 150+ Java coding Q&As › Coding - Data Structures › Coding - Data Which

& Why › 9 Java Data structures best practices

9 Java Data structures best 300+ Java Interview


Q&As - Quick Prep FAQs

practices 300+ Java Interview FAQs 📌 


150+ Spring & Hibernate
FAQs 
 Posted on May 8, 2015
150+ Java Architect FAQs 📌 

#1: Choose the right type of Java data structure based on usage 100+ Java code quality Q&As

patterns 150+ Java coding Q&As

like fixed size or required to grow, duplicates allowed or not, ordering


is required to be maintained or not, traversal is forward only or bi-
directional, inserts at the end only or any arbitrary position, more 300+ Big Data Interview
inserts or more reads, concurrently accessed or not, modification is Q&As - Quick Prep FAQs
allowed or not, homogeneous or heterogeneous collection, etc. Also,
300+ Big Data Interview
keep multi-threading, atomicity, memory usage and performance
considerations discussed earlier in mind.
FAQs 📌 

250+ Scala Interview FAQs 

#2: Favor unmodifiable data structures where applicable 250+ Python interview
FAQs 📌 

Use an immutable collection (aka unmodifiable collection) if you


don’t want to allow accidental addition or removal of elements once
created. The objects stored in a collection needs to implement its Key Areas & Companion
own immutability if required to be prevented from any accidental Techs FAQs
modifications.
16+ Tech Key Areas FAQs 

10+ Companion Tech Q&As 


1 public class ReadOnlyExample {
2 public static void main(String args[ ]) {
3 Set<String> set = new HashSet<String>( );
4 set.add("Java");
5 set.add("JEE");
6 set.add("Spring"); 
7 set.add("Hibernate");
https://www.java-success.com/9-java-data-structures-best-practices/ 1/8
06/12/2024, 19:41 9 Java Data structures best practices | 800+ Big Data & Java Interview FAQs
8 set = Collections.unmodifiableSet(set); 800+ Enterprise & Core
9 set.add("Ajax"); // not allowed. Java Q&As
10 }
11 }
300+ Core Java Q&As 

300+ Enterprise Java Q&As 


Care should be taken not to unintentionally expose the collection
fields to the caller. The caller may not perform any necessary
validation.
Java & Big Data Tutorials
Bad Approach:
Tutorials - Golang 

Tutorials - Big Data 


1 package encapsulation;
2 Tutorials - Enterprise Java 
3 import java.util.HashSet;
4 import java.util.Set;
5
6 public class BadCarYard {
7 //no duplicates allowed, hence use a Set
8 private Set<Car> carsCol = new HashSet<Car>(10);
9
10 //exposes the carsCol to the caller
11 public Set<Car> getCars( ) {
12 return carsCol;
13 }
14 ...
15 }

Good Approach:

1 package encapsulation;
2
3 import java.util.Collections;
4 import java.util.HashSet;
5 import java.util.Set;
6
7 public class GoodCarYard {
8
9 private Set<Car> carsCol = new HashSet<Car>( );
10
11 public void addCar(Car car) {
12 // throw exception early
13 if (car == null) {
14 new IllegalArgumentException("Cannot add null");
15 }
16 //more checks here to add a valid Car
17 carsCol.add(car);
18 }
19
20 public void removeCar(Car car) {
21 if (car == null) {
22 new IllegalArgumentException("Cannot add null");
23 }
24 //... more checks here before removing a car
25 carsCol.remove(car); 
https://www.java-success.com/9-java-data-structures-best-practices/ 2/8
06/12/2024, 19:41 9 Java Data structures best practices | 800+ Big Data & Java Interview FAQs
26 }
27
28 public Set<Car> getCars( ) {
29 // prevent addition or removal from outside this clas
30 return Collections.unmodifiableSet(carsCol);
31 }
32 }

#3: Thread-safety considerations of the Java data structures

If accessed by a single thread, synchronization is not required, and


arrays, lists, sets, stacks, etc can be used as a local variable. If your
collections are used as a local variables, the synchronization is a
complete overkill, and degrades performance considerably. On the
contrary, it is a bad practice to assume that the application is always
going to be single threaded and use data structures in a thread
unsafe manner, for example declaring it as an instance or static
variable. What if the application needs to scale to handle concurrent
access from multiple threads?

If accessed by multiple threads, prefer a concurrent collection like a


copy-on-write lists and sets, concurrent maps, etc over a
synchronized collection for a more optimized concurrent access.
Stay away from the legacy classes like Vectors and HashTables. In a
multi-threaded environment, some operations may need to be
atomic to produce correct results. This may require appropriate
synchronizations (i.e. locks). Improper implementation in a multi-
threaded environment can cause unexpected behaviors and results.

#4: Performance and memory considerations

The choices you make for a program’s data structures and


algorithms affect that program’s memory usage (for data structures)
and CPU time (for algorithms that interact with those data
structures). Sometimes you discover an inverse relationship
between memory usage and CPU time. For example, a one-
dimensional array occupies less memory than a doubly linked list
that needs to associate links with data items to find each data item’s
predecessor and successor. This requires extra memory. In contrast,
a one-dimensional array’s insertion/deletion algorithms are slower
than a doubly linked list’s equivalent algorithms because inserting a
data item into or deleting a data item from a one-dimensional array
requires data item movement to expose an empty element for
insertion or close an element made empty by deletion. Here are
some points to keep in mind.


https://www.java-success.com/9-java-data-structures-best-practices/ 3/8
06/12/2024, 19:41 9 Java Data structures best practices | 800+ Big Data & Java Interview FAQs

a) The most important thing to keep in mind is scalability. Assuming


that a collection will always be small is a dangerous thing to do, and
it is better to assume that it will be big. Don’t just rely on the general
theories (e.g. Big-O theory) and rules. Profile your application to
identify any potential memory or performance issues for a given
platform and configuration in a production or production-like (aka
QA) environment.

b) Initialize your collection with an appropriate initial capacity to


minimize the number of times it has to grow for lists and sets, and
number of times it has to grow and rehash for maps.

1 List<String> list = new ArrayList<String>(40);


2 Map<String, String> map = new HashMap<String, String>(40);
3

c) Favor concurrent structures like ConcurrentHashMap, CopOnWrite


Lists/Sets, etc that allow concurrent reads. Use copy-on-write
classes and concurrent maps for better scalability. It also prevents
ConcurrentModificationException being thrown while preserving
thread safety.

1 List<Integer> list = new CopyOnWriteArrayList<Integer>();

#5: Code to interface & use generics

Easier to swap implementation from ArrayList to LinkedList if you


code to interface. Generics improve readability.

Bad:

1 ArrayList<String> list = new ArrayList<String>(100);


2

Good:

1 //program to interface so that the implementation can change


2
3 List<String> list = new ArrayList<String>(100);
4 List<String> list2 = new LinkedList<String>(100);
5

#6: Properly implement equals( … ) and hashCode( )


https://www.java-success.com/9-java-data-structures-best-practices/ 4/8
06/12/2024, 19:41 9 Java Data structures best practices | 800+ Big Data & Java Interview FAQs

methods for the objects stored in the Java data structures. Learn
more What are the implications of implementing them incorrectly? —
In short, excess debug and rework time. Incorrect implementations
of equals( ) and hashCode( ) methods can result in data being lost in
HashMaps and Sets. You can also get intermittent data related
problems that are harder to consistently reproduce over time.

#7: Use immutable keys

Generally you use java.lang.Integer or java.lang.String class as the


key, which are immutable Java objects. If you define your own key
class, then it is a best practice to make the key class an immutable
object. If you want to insert a new key, then you will always have to
instantiate a new object as you cannot modify an immutable object.
If the keys were made mutable, you could accidentally modify the
key after adding to a HashMap, which can result in you not being
able to access the object later on. The object will still be in the
HashMap, but you will not be able to retrieve it as you have the
wrong key (i.e. a mutated key).

#8: Return zero length collections or arrays

as opposed to returning a null in the context of the fetched list is


actually empty. Returning a null instead of a zero length collection is
more error prone, since the programmer writing the calling method
might forget to handle a return value of null.

1 List<String> emptyList = Collections.emptyList( );


2 Set<Integer> emptySet = Collections.emptySet( );

#9: If using Java 8, use Stream

1 List<String> myList = Arrays.asList("Java", "JEE", "JDBC", "jN


2
3 //Functional Programming
4 myList
5 .stream()
6 .filter(s -> s.startsWith("j"))
7 .map(String::toUpperCase)
8 .sorted()
9 .forEach(System.out::println);

the above code is more concise & more readable.

‹ Big O notation questions and answers with Java examples

Give others what they need before you take what you need ›

https://www.java-success.com/9-java-data-structures-best-practices/ 5/8
06/12/2024, 19:41 9 Java Data structures best practices | 800+ Big Data & Java Interview FAQs

About Latest Posts

Arulkumaran Kumaraswamipillai
Mechanical Engineer to self-taught Java engineer in 1999. Contracting since 2002 as a Java Engineer &
Architect and since 2016 as a Big Data Engineer & Architect. Preparation & key know-hows empowered me
to attend 150+ job interviews, choose from 130+ job offers & negotiate better contract rates. Author of the
book "Java/J2EE job interview companion", which sold 35K+ copies & superseded by this site with 3.5K+
registered users Amazon.com profile | Reviews | LinkedIn | LinkedIn Group | YouTube Email: java-
interview@hotmail.com

How to take the road less travelled?


Practicing & brushing up a few Q&As each day on broad number of main stream categories can make a huge impact in 3-12
months.

"You are paid to read & write lots of code & solve business problems in a
collaborative environment"
100+ Free Java Interview FAQs
100+ Free Big Data Interview FAQs

Don't be overwhelmed by the number of Q&As. Job interviews are not technical contests to see who gets most number of questions right.
Nobody knows everything. The Clarity of the answers you give with real-life examples will go a long way in getting you multiple job offers.
It pays to brush-up & choose from 2-6 job offers. Experienced interviewers can easily judge your real experience from a few open-ended
questions & the answers you provide.

If you are pressed for time, popular categories are pinned 📌


for you to prioritise based on the job description. Here are my top career
making know-hows & tips to open more doors as a Java/Big Data Engineer, Architect or Contractor.

1. Feeling stagnated?
2. How to earn more?
3. Freelancing Vs contracting?
4. Self-taught professional?
5. Job Interview Tips
6. Resume Writing Tips

Top 12 popular posts last 30 days


300+ Java Interview Q&As with code, scenarios & FAQs
300+ Core Java Interview Q&As 01. Ice breaker Tell us about yourself? 02. Ice Breaker 8 Java real life scenarios…
(6,825)

300+ Big Data Interview Q&As with code, scenarios & FAQs
100+ SQL Interview Q&As 01. 50+ SQL scenarios based interview Q&As – What is wrong with this SQL code? 02.… 
https://www.java-success.com/9-java-data-structures-best-practices/ 6/8
06/12/2024, 19:41 9 Java Data structures best practices | 800+ Big Data & Java Interview FAQs
(2,425)

00: Top 50+ Core Java interview questions & answers for 1 to 3 years experience
Top 50 core Java interview questions covering core Java concepts with diagrams, code, examples, and scenarios. If you don't get…
(1,971)

Java 8 String streams and finding the first non repeated character with functional programming
Q1.Find the first non repeated character in a given string input using Java 8 or later? A1.Extends Find the first…
(1,669)

18 Java scenarios based interview Q&As for the experienced – Part 1


Let's look at scenarios or problem statements & how would you go about handling those scenarios in Java. These scenarios…
(1,541)

Membership Levels
Membership prices listed below are in Australian Dollars (A$). If you purchase in other currencies like Indian rupees, the equivalent…
(718)

30+ Java Code Review Checklist Items


This Java code review checklist is not only useful during code reviews, but also to answer an important Java job…
(524)

8 real life Java scenarios with Situation-Action-Result (i.e. SAR) technique


The SAR (Situation-Action-Result) technique is very useful to tackle open-ended questions like: 1. What were some of the challenges you…
(522)

01: 30+ Java architect interview questions & answers – Part 1


One of the very frequently asked open-ended interview questions for anyone experienced is: Can you describe the high-level architecture of…
(480)

15 Ice breaker interview Q&As asked 90% of the time


Most interviews start with these 15 open-ended questions. These are ice breaker interview questions with no right or wrong answers…
(412)

0: 50+ SQL scenarios based interview Q&As – What is wrong with this SQL code?
This extends 18+ SQL best practices & optimisation interview Q&As. You can practice these SQLs by setting up the data…
(370)

02: 10 Java String class interview Q&As


Java Collection interview questions and answers and Java String class interview questions and answers are must know for any Java…
(357)


https://www.java-success.com/9-java-data-structures-best-practices/ 7/8
06/12/2024, 19:41 9 Java Data structures best practices | 800+ Big Data & Java Interview FAQs

Disclaimer
The contents in this Java-Success are copyrighted and from EmpoweringTech pty ltd. The EmpoweringTech pty ltd has the right to correct or enhance the current content without

any prior notice. These are general advice only, and one needs to take his/her own circumstances into consideration. The EmpoweringTech pty ltd will not be held liable for any

damages caused or alleged to be caused either directly or indirectly by these materials and resources. Any trademarked names or labels used in this blog remain the property of

their respective trademark owners. Links to external sites do not imply endorsement of the linked-to sites. Privacy Policy

© 2024 800+ Big Data & Java Interview FAQs Responsive WordPress Theme powered by CyberChimps

Top


https://www.java-success.com/9-java-data-structures-best-practices/ 8/8

You might also like