SlideShare a Scribd company logo
Java Best
Practices
@rtoal
2013-06-12
Why?
We professionals need to write code that is
correct, reliable, maintainable, efficient, robust,
resilient, readable, reusable, scalable, etc.
How do we learn best practices?
By understanding bad code
Okay, maybe not as bad as
CodingHorror, SerialDate,
and the thedailywtf (e.g.,this
and this and this and this and
this and this and this and
this) ...
We mean innocent-looking code arising from
misconceptions and inexperience
What will we look at?
Immutability
Collections
Guava
Exceptions
Polymorphism
Null
Exceptions
Concurrency
Formatting
Serialization
I/O
Comments
Validation
Logging
Generics
Security
What's wrong here?
public final class Task {
private final String name;
private final Date start;
public Task(final String name, final Date start) {
this.name = name;
this.start = start;
}
public String getName() {return name;}
public Date getStart() {return start;}
}
java.util.
Date is
mutable
Immutability
Immutable objects
● are thread-safe
● can be shared (cached)
● can't be trashed by someone else's code
● make great hashtable keys!
● lead to simpler code (e.g. no need to "undo"
anything when backtracking)
Favor immutable objects, using mutable
objects only when absolutely necessary
BEST PRACTICE
Defensive Copying
public final class Task {
private final String name;
private final Date start;
public Task(final String name, final Date start) {
this.name = name;
this.start = new Date(start.getTime());
}
public String getName() {return name;}
public Date getStart() {return new Date(start.getTime());}
}
Use defensive copying if your immutable
class contains mutable fields
BEST PRACTICE
COPY
COPY
Maybe you can avoid mutable fields
● Date is mutable; use Joda-Time instead
● SimpleDateFormat is mutable; use Joda-
Time instead
● Standard Java collections are mutable (even
the "unmodifiable" ones); use the
immutable Guava collections instead
Use Joda-Time and Guava
BEST PRACTICE
Speaking of Guava
Why Guava?
● It's already written (reinventing takes too
long and you make mistakes)
● It's extensively tested
● It's optimized
● It's constantly being evolved and improved
Know and use the libraries — especially
Guava
BEST PRACTICE
Guava awesomes
Map<String, Map<Integer, Budget>> m = Maps.newHashMap();
ImmutableSet<Integer> s = ImmutableSet.of(1, 3, 9, 6);
Collection<?> b = filter(a, notNull());
Multimap<String, Integer> scores = HashMultimap.create();
scores.put("Alice", 75);
scores.put("Alice", 22);
scores.put("Alice", 99);
System.out.println(Collections.max(scores.get("Alice")));
Splitter.on(',').trimResults().omitEmptyStrings().split("63,22,, 9");
More Guava wins
@Override
public int compareTo(final Dog d) {
return ComparisonChain.start().compare(
age, d.age).compare(breed, d.breed).result();
}
checkArgument(count > 0, "must be positive: %s", count);
Use preconditions (to remove if-
statements from your code)
BEST PRACTICE
Precondition
Speaking of Joda-Time
Check it out
Know the concepts!
● Instant - DateTime, DateMidnight, MutableDateTime
● Partial - LocalDateTime, LocalDate, LocalTime
● Duration (a number of millis)
● Interval (two instants)
● Period (in human-understandable terms, e.g,
days/weeks)
● Chronology
@Controller
public class DepositController {
private int accountId;
private BigDecimal depositAmount;
@POST @RequestMapping("/deposit/{id}")
public Response handleDeposit(@Param("id") String id,
String amount) {
this.accountId = validateId(id);
this.depositAmount = validateAmount(amount);
service.makeDeposit(accountId, depositAmount);
What's wrong here?
Grrrrr — Singletons!
Each request is running on a separate thread
most likely
public class DepositController {
@POST @RequestMapping("/deposit/{id}")
public Response handleDeposit(@Param("id") String id,
String amount) {
int accountId = validateId(id);
BigDecimal deposit = validateAmount(amount);
service.makeDeposit(accountId, deposit);
The fix is obvious, isn't it?
Don't put state in shared singletons like
controllers, services, and daos
BEST PRACTICE
What's wrong here?
public class FeedConfig {
public FeedConfig(String feedFileId,
String feedId, String name, String url,
String compressionType,
ConversionType conversionType,
ProviderType providerType,
boolean createsNewListing) {
. . .
}
Too Many Parameters!
● When you call a constructor (or any method,
for that matter) with a zillion arguments, what
do they all mean?
● In dynamic languages, we pass hashes
(usually)
● Can we do that in Java?
● What is wrong with you?
Fluent Builders
config = new FeedFileConfigBuilder()
.feedFileId("483")
.feedId("22")
.name("iusa-CA")
.url("ftp://example.com/iusa/ca/feed")
.compressionType("zip")
.conversionType(Conversion.CUSTOM)
.createsNewListing(false)
.build();
The builder is mutable but
the object that is built is
immutable.
Consider builders for classes with
many properties
BEST PRACTICE
What's wrong here?
start = System.currentTimeMillis();
price = computePrice();
finish = System.currentTimeMillis();
logger.debug("Computed price of $"
+ new DecimalFormat("#0.00").format(price)
+ " in " + (finish - start) + " milliseconds");
● Timing clutters the code .... it's an aspect
● Should use a currency formatter ( i18n )
● Is that the only formatter we'll need?
● And what if we are not in debug mode?
Making Logging Efficient
if (logger.isDebugEnabled()) {
logger.debug(. . .);
}
if (logger.isInfoEnabled()) {
logger.info(. . .);
}
Wrap logging calls for complex messages in
isXXXEnabled() conditions
BEST PRACTICE
FATAL — app not expected to recover
ERROR — error that app might recover from
WARN — take notice, potentially harmful
INFO — coarse-grained app progress
DEBUG — to help you debug
TRACE — super-fine-grained progress
Logging Levels
Know and use the proper logging levels
BEST PRACTICE
// tagging data case 2: tags field is not null and primaryTagId is not null, but
// primary tag is not included in the tags field, append primaryTagId
tagIds = (StringUtils.isNotBlank(tagIds)&&StringUtils.isNotBlank(primaryTagId)
? (tagIds.contains(primaryTagId)
? tagIds
: new StringBuilder(tagIds).append(",").append(primaryTagId).toString())
: tagIds);
What's wrong here?
// *************************************** //
// ***** INSTANCE METHODS ***** //
// *************************************** //
/**
* Returns the count.
* @return the count
*/
public int getCount(/* no args */) {
// NOTE: count is a field
return count; // return the count
} // end of instance method getCount
What's wrong here?
You KNOW how I feel about
comments!
public void registerItem(Item item) {
if (item != null) {
Registry registry = store.getRegistry();
if (registry != null) {
Item existing = registry.getItem(item.getId());
if (existing.getBillingPeriod().hasRetailOwner()) {
existing.register(item);
}
}
}
}
What's wrong here?
From Robert C
Martin's Clean Code
book (page 110).
OH! SOME MISSING
NULL CHECKS? I
DIDN'T SEE THEM.
THINK
HARDER
Don't return null
● Actually, there are too many null checks,
not too few
● Returning null as a normal case forces users
to clutter their code
Don't return null! For collections, return an
empty collection. For plain objects, throw
an exception or return a special case object.
BEST PRACTICE
public void writeToFile(String filename, List<String> lines) {
try {
Writer writer = new PrintWriter(new FileWriter(filename));
for (String line : lines) {
writer.append(line);
writer.append(System.getProperty("line.separator"));
}
} catch (IOException e) {
logger.error("FAILED WRITING TO: " + filename + ", RESUMING");
}
}
What's wrong here?
OH! - Not closing!! - Won't flush!!!!
Improved, but still wrong-ish
public void writeToFile(String filename, List<String> lines) {
Writer writer = null;
try {
writer = new PrintWriter(new FileWriter(filename));
for (String line : lines) {
writer.append(line);
writer.append(System.getProperty("line.separator"));
}
} catch (IOException e) {
logger.error("FAILED WRITING TO: " + filename + ", RESUMING");
} finally {
if (writer != null) {
try {
writer.close();
} catch (IOException e) {
logger.error("FAILEDTO CLOSE: " + filename + ", RESUMING");
}
}
}
} You're kidding me? Added 8 lines
just to close the file?!?!?
The code duplication is bad, too
Getting Better
public void writeToFile(String filename, List<String> lines) {
PrintWriter writer = null;
try {
writer = new PrintWriter(new FileWriter(filename));
for (String line : lines) {
writer.println(line);
}
} catch (IOException e) {
logger.error("FAILED WRITING TO: " + filename + ", RESUMING");
} finally {
if (writer != null) {
writer.close();
}
}
}
PrintWriter.close() eats the
IOException, if any, saving a
few lines....
A Little Bit Better
public void writeToFile(String filename, List<String> lines) {
PrintWriter writer = null;
try {
writer = new PrintWriter(new FileWriter(filename));
for (String line : lines) {
writer.println(line);
}
} catch (IOException e) {
logger.error("FAILED WRITING TO: " + filename + ", RESUMING");
} finally {
IOUtils.closeQuietly(writer);
}
}
IOUtils.closeQuitely from
Apache Commons is null-
safe, saving a couple more
lines....
Solutions
Guava has the Files class with utility methods
that guarantee the file will be closed no matter
what. Check it out for homework....
Or just use Java 7
try (PrintWriter output = new PrintWriter(new FileWriter(filename))) {
for (String line: lines) {
output.println(line);
}
} catch (IOException e) {
logger.error("FAILED WRITING TO: " + filename + ", RESUMING");
}
String first = servlet.getRequest().getParam("first");
...
template.update("insert into students values ("
+ " ss.nextval,'" + last + "','" + first + "')");
What's wrong here?
1. Parameter processing and database access are jammed together in
the same file, showing a complete lack of architectural sense.
2. Things look better when the SQL is moved out of the query call.
3. Is that it? Wait, there's something else, I think? Something seems
wrong here....
SQL Injection
insert into students values (ss.nextval,
'Leinhart', 'Robert'); drop table students;--')
JDBC Parameters
Parameters prevent injection attacks and help
with the efficiency gain in prepared statements
template.update("insert into students values ("
+ " ss.nextval, ?, ?)", last, first);
template.update("insert into students values ("
+ " ss.nextval, :last, :first)", map);
Always use SQL parameters
BEST PRACTICE
public class SuperImportantJob {
public static void main(String[] args) {
try {
doSomething();
doTheNextThing();
doTheLastThing();
} catch (Exception e) {
logger.fatal("Job Failed", e);
}
}
}
What's wrong here?
HINT: THE CONFIGURATION
MANAGEMENT TEAM IS NOT HAPPY WITH
YOU TODAY
(Job = standalone
application)
public static void main(String[] args) {
try {
....
} catch (Exception e) {
logger.fatal("Job Failed", e);
System.exit(1);
}
}
You are not the center of the
universe
Return non-zero status codes from failing
jobs (via System.exit or exception)
BEST PRACTICE
Your app got called by a bash
script or was launched by a
Jenkins job. And someone
else's job is gonna follow yours.
And what is wrong with this?
new Thread()
Don't create your own threads; use an
executor service as it will do most of the
thread pool management for you
BEST PRACTICE
Serialization
Some serialization questions for homework...
● What is the serialVersionUID?
● What happens if you don't explicitly specify a
value for this field?
● Why is it a best practice to always specify a
value for this field?
● What happens if you do specify a value, then
change your class, but do not change it?
● What does Josh Bloch say about all this?
A few more practices
● Write DRY code and DAMP tests
● Put calls in the proper place, e.g., don't
formulate response JSON or HTML in a dao
● Avoid magic numbers (except maybe 0, 1);
use private static final (constants)
● Superclasses should not know about their
subclasses
● Consider domain-specific exceptions over
built-in general purpose exceptions
● Avoid double negatives, e.g., if (!notFound())
● Use BigDecimal, not double, for money
But wait, there are more!
● Comment only when you must
● Get rid of obsolete, redundant, inappropriate,
rambling, crappily written comments
● DELETE COMMENTED OUT CODE
● Follow Uncle Bob's naming guidelines
● No Hungarian Notation, please
● Avoid bad names: tmp, dummy, flag
● Don't write functions that expect booleans or
nulls or things to switch on
● Avoid "out parameters", return things instead
● Prefer the single-return style
Ooooh! Yet more Java advice
● Don't make something static when there is
an obvious object it can operate on
● Override hashCode if you override equals
● Don't make a new java.util.Random every
time
● Put configurable data in their own classes or
resources
● Don't put constants in interfaces just so you
can implement the interface to avoid
qualification; use import static instead
● Make constructors private when you should
Aaah the best practice aliens have
control of my brain
● Use enums, not lame int constants
● Inner classes for observers or row mappers
often look nicer as nested static classes (and
are ever so slightly more efficient)
● Don't do string concatenation in a loop
● Use the AtomicXXX classes
● Make sure .equals() checks for null
● Never call .equals(null)
Clean your code with Java 7
● Strings in switch statement
● Binary integral literals
● Underscores in numeric literals
● Multi-catch and more precise rethrow
● Generic instance creation type inference
● Try-with-resources statement
● Simplified varargs method invocation
http://www.javacodegeeks.com/2011/11/java-7-feature-
overview.html
More Java 7 Goodness
ThreadLocalRandom
ForkJoinPool and ForkJoinTask
Phaser
NIO 2.0
Zip File System Provider
Elliptic Curve Cryptography
Disabling of weak cryptographic algorithms
Sockets Direct Protocol
Where can you find more info?
http://findbugs.sourceforge.net/b
ugDescriptions.html
http://checkstyle.sourceforge.net
/availablechecks.html
http://pmd.sourceforge.net/pmd-
5.0.4/rules/index.html
Sonar
Sonar can take output from PMD, Checkstyle, etc. and
present it to you in a useful way.
Homework (Hey why not?)
1. Skim the list of FindBugs Bug Descriptions
2. Find an item on JavaPractices.com that you
disagree with
3. Read an article on serialization
4. Run FindBugs, using the highest possible
analysis settings, on a Java Project that you
worked on
5. Refactor some existing code using Guava
and Java 7
That's it
Questions or comments?

More Related Content

What's hot (20)

PPTX
Visitor design pattern
Salem-Kabbani
 
PPTX
Dependency injection presentation
Ahasanul Kalam Akib
 
PPT
PHP - Introduction to Object Oriented Programming with PHP
Vibrant Technologies & Computers
 
PPTX
Java reflection
NexThoughts Technologies
 
PDF
Object-oriented Programming-with C#
Doncho Minkov
 
PDF
Important React Hooks
Knoldus Inc.
 
PPTX
React Hooks
Erez Cohen
 
PDF
Redux and context api with react native app introduction, use cases, implemen...
Katy Slemon
 
PDF
Node.js Express Tutorial | Node.js Tutorial For Beginners | Node.js + Expres...
Edureka!
 
PPTX
Core java
Shivaraj R
 
PPTX
Intro to React
Eric Westfall
 
PDF
Factory Design Pattern
Jyaasa Technologies
 
PPTX
Understanding react hooks
Maulik Shah
 
PPTX
[Final] ReactJS presentation
洪 鹏发
 
PDF
Laravel Introduction
Ahmad Shah Hafizan Hamidin
 
PDF
jQuery - Chapter 1 - Introduction
WebStackAcademy
 
PPTX
C# Access modifiers
Prem Kumar Badri
 
PDF
Builder Design Pattern (Generic Construction -Different Representation)
Sameer Rathoud
 
PPTX
Clean code slide
Anh Huan Miu
 
PPT
Spring Core
Pushan Bhattacharya
 
Visitor design pattern
Salem-Kabbani
 
Dependency injection presentation
Ahasanul Kalam Akib
 
PHP - Introduction to Object Oriented Programming with PHP
Vibrant Technologies & Computers
 
Java reflection
NexThoughts Technologies
 
Object-oriented Programming-with C#
Doncho Minkov
 
Important React Hooks
Knoldus Inc.
 
React Hooks
Erez Cohen
 
Redux and context api with react native app introduction, use cases, implemen...
Katy Slemon
 
Node.js Express Tutorial | Node.js Tutorial For Beginners | Node.js + Expres...
Edureka!
 
Core java
Shivaraj R
 
Intro to React
Eric Westfall
 
Factory Design Pattern
Jyaasa Technologies
 
Understanding react hooks
Maulik Shah
 
[Final] ReactJS presentation
洪 鹏发
 
Laravel Introduction
Ahmad Shah Hafizan Hamidin
 
jQuery - Chapter 1 - Introduction
WebStackAcademy
 
C# Access modifiers
Prem Kumar Badri
 
Builder Design Pattern (Generic Construction -Different Representation)
Sameer Rathoud
 
Clean code slide
Anh Huan Miu
 
Spring Core
Pushan Bhattacharya
 

Similar to Java best practices (20)

PPTX
Lambdas puzzler - Peter Lawrey
JAXLondon_Conference
 
PPTX
Finding bugs that matter with Findbugs
Carol McDonald
 
PDF
Apache Commons - Don\'t re-invent the wheel
tcurdt
 
PPTX
Kotlin
YeldosTanikin
 
PDF
Griffon @ Svwjug
Andres Almiray
 
PPT
Java Tutorial
Vijay A Raj
 
PPT
Java tut1
Ajmal Khan
 
PPT
Java Tut1
guest5c8bd1
 
PPT
Tutorial java
Abdul Aziz
 
PPTX
Working effectively with legacy code
ShriKant Vashishtha
 
ODP
Bring the fun back to java
ciklum_ods
 
PDF
FP in Java - Project Lambda and beyond
Mario Fusco
 
PDF
Clean coding-practices
John Ferguson Smart Limited
 
PPTX
Introduction to Client-Side Javascript
Julie Iskander
 
PPTX
Clean Code: Chapter 3 Function
Kent Huang
 
PDF
Clean & Typechecked JS
Arthur Puthin
 
PDF
Let's refine your Scala Code
Tech Triveni
 
PPT
Introduction To Groovy 2005
Tugdual Grall
 
PPT
Groovy Introduction - JAX Germany - 2008
Guillaume Laforge
 
PPT
Java tutorial PPT
Intelligo Technologies
 
Lambdas puzzler - Peter Lawrey
JAXLondon_Conference
 
Finding bugs that matter with Findbugs
Carol McDonald
 
Apache Commons - Don\'t re-invent the wheel
tcurdt
 
Griffon @ Svwjug
Andres Almiray
 
Java Tutorial
Vijay A Raj
 
Java tut1
Ajmal Khan
 
Java Tut1
guest5c8bd1
 
Tutorial java
Abdul Aziz
 
Working effectively with legacy code
ShriKant Vashishtha
 
Bring the fun back to java
ciklum_ods
 
FP in Java - Project Lambda and beyond
Mario Fusco
 
Clean coding-practices
John Ferguson Smart Limited
 
Introduction to Client-Side Javascript
Julie Iskander
 
Clean Code: Chapter 3 Function
Kent Huang
 
Clean & Typechecked JS
Arthur Puthin
 
Let's refine your Scala Code
Tech Triveni
 
Introduction To Groovy 2005
Tugdual Grall
 
Groovy Introduction - JAX Germany - 2008
Guillaume Laforge
 
Java tutorial PPT
Intelligo Technologies
 
Ad

More from Ray Toal (7)

PPTX
Git workshop
Ray Toal
 
PPTX
Learning and Modern Programming Languages
Ray Toal
 
PPTX
unittest in 5 minutes
Ray Toal
 
ODP
Convention-Based Syntactic Descriptions
Ray Toal
 
PPT
An Annotation Framework for Statically-Typed Syntax Trees
Ray Toal
 
PPT
Economics of Open Source Software
Ray Toal
 
PPTX
Modeling Patterns for JavaScript Browser-Based Games
Ray Toal
 
Git workshop
Ray Toal
 
Learning and Modern Programming Languages
Ray Toal
 
unittest in 5 minutes
Ray Toal
 
Convention-Based Syntactic Descriptions
Ray Toal
 
An Annotation Framework for Statically-Typed Syntax Trees
Ray Toal
 
Economics of Open Source Software
Ray Toal
 
Modeling Patterns for JavaScript Browser-Based Games
Ray Toal
 
Ad

Recently uploaded (20)

PDF
SciPy 2025 - Packaging a Scientific Python Project
Henry Schreiner
 
PPTX
Help for Correlations in IBM SPSS Statistics.pptx
Version 1 Analytics
 
PPTX
Comprehensive Risk Assessment Module for Smarter Risk Management
EHA Soft Solutions
 
PPTX
Change Common Properties in IBM SPSS Statistics Version 31.pptx
Version 1 Analytics
 
PDF
Wondershare PDFelement Pro Crack for MacOS New Version Latest 2025
bashirkhan333g
 
PPTX
Agentic Automation: Build & Deploy Your First UiPath Agent
klpathrudu
 
PPTX
Tally_Basic_Operations_Presentation.pptx
AditiBansal54083
 
PDF
AI + DevOps = Smart Automation with devseccops.ai.pdf
Devseccops.ai
 
PDF
TheFutureIsDynamic-BoxLang witch Luis Majano.pdf
Ortus Solutions, Corp
 
PPTX
Finding Your License Details in IBM SPSS Statistics Version 31.pptx
Version 1 Analytics
 
PPTX
Homogeneity of Variance Test Options IBM SPSS Statistics Version 31.pptx
Version 1 Analytics
 
PDF
Digger Solo: Semantic search and maps for your local files
seanpedersen96
 
PDF
IDM Crack with Internet Download Manager 6.42 Build 43 with Patch Latest 2025
bashirkhan333g
 
PPTX
Coefficient of Variance in IBM SPSS Statistics Version 31.pptx
Version 1 Analytics
 
PDF
MiniTool Partition Wizard 12.8 Crack License Key LATEST
hashhshs786
 
PDF
Generic or Specific? Making sensible software design decisions
Bert Jan Schrijver
 
PDF
Automate Cybersecurity Tasks with Python
VICTOR MAESTRE RAMIREZ
 
PPTX
AEM User Group: India Chapter Kickoff Meeting
jennaf3
 
PPTX
ChiSquare Procedure in IBM SPSS Statistics Version 31.pptx
Version 1 Analytics
 
PDF
Open Chain Q2 Steering Committee Meeting - 2025-06-25
Shane Coughlan
 
SciPy 2025 - Packaging a Scientific Python Project
Henry Schreiner
 
Help for Correlations in IBM SPSS Statistics.pptx
Version 1 Analytics
 
Comprehensive Risk Assessment Module for Smarter Risk Management
EHA Soft Solutions
 
Change Common Properties in IBM SPSS Statistics Version 31.pptx
Version 1 Analytics
 
Wondershare PDFelement Pro Crack for MacOS New Version Latest 2025
bashirkhan333g
 
Agentic Automation: Build & Deploy Your First UiPath Agent
klpathrudu
 
Tally_Basic_Operations_Presentation.pptx
AditiBansal54083
 
AI + DevOps = Smart Automation with devseccops.ai.pdf
Devseccops.ai
 
TheFutureIsDynamic-BoxLang witch Luis Majano.pdf
Ortus Solutions, Corp
 
Finding Your License Details in IBM SPSS Statistics Version 31.pptx
Version 1 Analytics
 
Homogeneity of Variance Test Options IBM SPSS Statistics Version 31.pptx
Version 1 Analytics
 
Digger Solo: Semantic search and maps for your local files
seanpedersen96
 
IDM Crack with Internet Download Manager 6.42 Build 43 with Patch Latest 2025
bashirkhan333g
 
Coefficient of Variance in IBM SPSS Statistics Version 31.pptx
Version 1 Analytics
 
MiniTool Partition Wizard 12.8 Crack License Key LATEST
hashhshs786
 
Generic or Specific? Making sensible software design decisions
Bert Jan Schrijver
 
Automate Cybersecurity Tasks with Python
VICTOR MAESTRE RAMIREZ
 
AEM User Group: India Chapter Kickoff Meeting
jennaf3
 
ChiSquare Procedure in IBM SPSS Statistics Version 31.pptx
Version 1 Analytics
 
Open Chain Q2 Steering Committee Meeting - 2025-06-25
Shane Coughlan
 

Java best practices

  • 2. Why? We professionals need to write code that is correct, reliable, maintainable, efficient, robust, resilient, readable, reusable, scalable, etc.
  • 3. How do we learn best practices? By understanding bad code Okay, maybe not as bad as CodingHorror, SerialDate, and the thedailywtf (e.g.,this and this and this and this and this and this and this and this) ... We mean innocent-looking code arising from misconceptions and inexperience
  • 4. What will we look at? Immutability Collections Guava Exceptions Polymorphism Null Exceptions Concurrency Formatting Serialization I/O Comments Validation Logging Generics Security
  • 5. What's wrong here? public final class Task { private final String name; private final Date start; public Task(final String name, final Date start) { this.name = name; this.start = start; } public String getName() {return name;} public Date getStart() {return start;} } java.util. Date is mutable
  • 6. Immutability Immutable objects ● are thread-safe ● can be shared (cached) ● can't be trashed by someone else's code ● make great hashtable keys! ● lead to simpler code (e.g. no need to "undo" anything when backtracking) Favor immutable objects, using mutable objects only when absolutely necessary BEST PRACTICE
  • 7. Defensive Copying public final class Task { private final String name; private final Date start; public Task(final String name, final Date start) { this.name = name; this.start = new Date(start.getTime()); } public String getName() {return name;} public Date getStart() {return new Date(start.getTime());} } Use defensive copying if your immutable class contains mutable fields BEST PRACTICE COPY COPY
  • 8. Maybe you can avoid mutable fields ● Date is mutable; use Joda-Time instead ● SimpleDateFormat is mutable; use Joda- Time instead ● Standard Java collections are mutable (even the "unmodifiable" ones); use the immutable Guava collections instead Use Joda-Time and Guava BEST PRACTICE
  • 9. Speaking of Guava Why Guava? ● It's already written (reinventing takes too long and you make mistakes) ● It's extensively tested ● It's optimized ● It's constantly being evolved and improved Know and use the libraries — especially Guava BEST PRACTICE
  • 10. Guava awesomes Map<String, Map<Integer, Budget>> m = Maps.newHashMap(); ImmutableSet<Integer> s = ImmutableSet.of(1, 3, 9, 6); Collection<?> b = filter(a, notNull()); Multimap<String, Integer> scores = HashMultimap.create(); scores.put("Alice", 75); scores.put("Alice", 22); scores.put("Alice", 99); System.out.println(Collections.max(scores.get("Alice"))); Splitter.on(',').trimResults().omitEmptyStrings().split("63,22,, 9");
  • 11. More Guava wins @Override public int compareTo(final Dog d) { return ComparisonChain.start().compare( age, d.age).compare(breed, d.breed).result(); } checkArgument(count > 0, "must be positive: %s", count); Use preconditions (to remove if- statements from your code) BEST PRACTICE Precondition
  • 12. Speaking of Joda-Time Check it out Know the concepts! ● Instant - DateTime, DateMidnight, MutableDateTime ● Partial - LocalDateTime, LocalDate, LocalTime ● Duration (a number of millis) ● Interval (two instants) ● Period (in human-understandable terms, e.g, days/weeks) ● Chronology
  • 13. @Controller public class DepositController { private int accountId; private BigDecimal depositAmount; @POST @RequestMapping("/deposit/{id}") public Response handleDeposit(@Param("id") String id, String amount) { this.accountId = validateId(id); this.depositAmount = validateAmount(amount); service.makeDeposit(accountId, depositAmount); What's wrong here?
  • 14. Grrrrr — Singletons! Each request is running on a separate thread most likely
  • 15. public class DepositController { @POST @RequestMapping("/deposit/{id}") public Response handleDeposit(@Param("id") String id, String amount) { int accountId = validateId(id); BigDecimal deposit = validateAmount(amount); service.makeDeposit(accountId, deposit); The fix is obvious, isn't it? Don't put state in shared singletons like controllers, services, and daos BEST PRACTICE
  • 16. What's wrong here? public class FeedConfig { public FeedConfig(String feedFileId, String feedId, String name, String url, String compressionType, ConversionType conversionType, ProviderType providerType, boolean createsNewListing) { . . . }
  • 17. Too Many Parameters! ● When you call a constructor (or any method, for that matter) with a zillion arguments, what do they all mean? ● In dynamic languages, we pass hashes (usually) ● Can we do that in Java? ● What is wrong with you?
  • 18. Fluent Builders config = new FeedFileConfigBuilder() .feedFileId("483") .feedId("22") .name("iusa-CA") .url("ftp://example.com/iusa/ca/feed") .compressionType("zip") .conversionType(Conversion.CUSTOM) .createsNewListing(false) .build(); The builder is mutable but the object that is built is immutable. Consider builders for classes with many properties BEST PRACTICE
  • 19. What's wrong here? start = System.currentTimeMillis(); price = computePrice(); finish = System.currentTimeMillis(); logger.debug("Computed price of $" + new DecimalFormat("#0.00").format(price) + " in " + (finish - start) + " milliseconds"); ● Timing clutters the code .... it's an aspect ● Should use a currency formatter ( i18n ) ● Is that the only formatter we'll need? ● And what if we are not in debug mode?
  • 20. Making Logging Efficient if (logger.isDebugEnabled()) { logger.debug(. . .); } if (logger.isInfoEnabled()) { logger.info(. . .); } Wrap logging calls for complex messages in isXXXEnabled() conditions BEST PRACTICE
  • 21. FATAL — app not expected to recover ERROR — error that app might recover from WARN — take notice, potentially harmful INFO — coarse-grained app progress DEBUG — to help you debug TRACE — super-fine-grained progress Logging Levels Know and use the proper logging levels BEST PRACTICE
  • 22. // tagging data case 2: tags field is not null and primaryTagId is not null, but // primary tag is not included in the tags field, append primaryTagId tagIds = (StringUtils.isNotBlank(tagIds)&&StringUtils.isNotBlank(primaryTagId) ? (tagIds.contains(primaryTagId) ? tagIds : new StringBuilder(tagIds).append(",").append(primaryTagId).toString()) : tagIds); What's wrong here?
  • 23. // *************************************** // // ***** INSTANCE METHODS ***** // // *************************************** // /** * Returns the count. * @return the count */ public int getCount(/* no args */) { // NOTE: count is a field return count; // return the count } // end of instance method getCount What's wrong here? You KNOW how I feel about comments!
  • 24. public void registerItem(Item item) { if (item != null) { Registry registry = store.getRegistry(); if (registry != null) { Item existing = registry.getItem(item.getId()); if (existing.getBillingPeriod().hasRetailOwner()) { existing.register(item); } } } } What's wrong here? From Robert C Martin's Clean Code book (page 110). OH! SOME MISSING NULL CHECKS? I DIDN'T SEE THEM. THINK HARDER
  • 25. Don't return null ● Actually, there are too many null checks, not too few ● Returning null as a normal case forces users to clutter their code Don't return null! For collections, return an empty collection. For plain objects, throw an exception or return a special case object. BEST PRACTICE
  • 26. public void writeToFile(String filename, List<String> lines) { try { Writer writer = new PrintWriter(new FileWriter(filename)); for (String line : lines) { writer.append(line); writer.append(System.getProperty("line.separator")); } } catch (IOException e) { logger.error("FAILED WRITING TO: " + filename + ", RESUMING"); } } What's wrong here? OH! - Not closing!! - Won't flush!!!!
  • 27. Improved, but still wrong-ish public void writeToFile(String filename, List<String> lines) { Writer writer = null; try { writer = new PrintWriter(new FileWriter(filename)); for (String line : lines) { writer.append(line); writer.append(System.getProperty("line.separator")); } } catch (IOException e) { logger.error("FAILED WRITING TO: " + filename + ", RESUMING"); } finally { if (writer != null) { try { writer.close(); } catch (IOException e) { logger.error("FAILEDTO CLOSE: " + filename + ", RESUMING"); } } } } You're kidding me? Added 8 lines just to close the file?!?!? The code duplication is bad, too
  • 28. Getting Better public void writeToFile(String filename, List<String> lines) { PrintWriter writer = null; try { writer = new PrintWriter(new FileWriter(filename)); for (String line : lines) { writer.println(line); } } catch (IOException e) { logger.error("FAILED WRITING TO: " + filename + ", RESUMING"); } finally { if (writer != null) { writer.close(); } } } PrintWriter.close() eats the IOException, if any, saving a few lines....
  • 29. A Little Bit Better public void writeToFile(String filename, List<String> lines) { PrintWriter writer = null; try { writer = new PrintWriter(new FileWriter(filename)); for (String line : lines) { writer.println(line); } } catch (IOException e) { logger.error("FAILED WRITING TO: " + filename + ", RESUMING"); } finally { IOUtils.closeQuietly(writer); } } IOUtils.closeQuitely from Apache Commons is null- safe, saving a couple more lines....
  • 30. Solutions Guava has the Files class with utility methods that guarantee the file will be closed no matter what. Check it out for homework.... Or just use Java 7 try (PrintWriter output = new PrintWriter(new FileWriter(filename))) { for (String line: lines) { output.println(line); } } catch (IOException e) { logger.error("FAILED WRITING TO: " + filename + ", RESUMING"); }
  • 31. String first = servlet.getRequest().getParam("first"); ... template.update("insert into students values (" + " ss.nextval,'" + last + "','" + first + "')"); What's wrong here? 1. Parameter processing and database access are jammed together in the same file, showing a complete lack of architectural sense. 2. Things look better when the SQL is moved out of the query call. 3. Is that it? Wait, there's something else, I think? Something seems wrong here....
  • 32. SQL Injection insert into students values (ss.nextval, 'Leinhart', 'Robert'); drop table students;--')
  • 33. JDBC Parameters Parameters prevent injection attacks and help with the efficiency gain in prepared statements template.update("insert into students values (" + " ss.nextval, ?, ?)", last, first); template.update("insert into students values (" + " ss.nextval, :last, :first)", map); Always use SQL parameters BEST PRACTICE
  • 34. public class SuperImportantJob { public static void main(String[] args) { try { doSomething(); doTheNextThing(); doTheLastThing(); } catch (Exception e) { logger.fatal("Job Failed", e); } } } What's wrong here? HINT: THE CONFIGURATION MANAGEMENT TEAM IS NOT HAPPY WITH YOU TODAY (Job = standalone application)
  • 35. public static void main(String[] args) { try { .... } catch (Exception e) { logger.fatal("Job Failed", e); System.exit(1); } } You are not the center of the universe Return non-zero status codes from failing jobs (via System.exit or exception) BEST PRACTICE Your app got called by a bash script or was launched by a Jenkins job. And someone else's job is gonna follow yours.
  • 36. And what is wrong with this? new Thread() Don't create your own threads; use an executor service as it will do most of the thread pool management for you BEST PRACTICE
  • 37. Serialization Some serialization questions for homework... ● What is the serialVersionUID? ● What happens if you don't explicitly specify a value for this field? ● Why is it a best practice to always specify a value for this field? ● What happens if you do specify a value, then change your class, but do not change it? ● What does Josh Bloch say about all this?
  • 38. A few more practices ● Write DRY code and DAMP tests ● Put calls in the proper place, e.g., don't formulate response JSON or HTML in a dao ● Avoid magic numbers (except maybe 0, 1); use private static final (constants) ● Superclasses should not know about their subclasses ● Consider domain-specific exceptions over built-in general purpose exceptions ● Avoid double negatives, e.g., if (!notFound()) ● Use BigDecimal, not double, for money
  • 39. But wait, there are more! ● Comment only when you must ● Get rid of obsolete, redundant, inappropriate, rambling, crappily written comments ● DELETE COMMENTED OUT CODE ● Follow Uncle Bob's naming guidelines ● No Hungarian Notation, please ● Avoid bad names: tmp, dummy, flag ● Don't write functions that expect booleans or nulls or things to switch on ● Avoid "out parameters", return things instead ● Prefer the single-return style
  • 40. Ooooh! Yet more Java advice ● Don't make something static when there is an obvious object it can operate on ● Override hashCode if you override equals ● Don't make a new java.util.Random every time ● Put configurable data in their own classes or resources ● Don't put constants in interfaces just so you can implement the interface to avoid qualification; use import static instead ● Make constructors private when you should
  • 41. Aaah the best practice aliens have control of my brain ● Use enums, not lame int constants ● Inner classes for observers or row mappers often look nicer as nested static classes (and are ever so slightly more efficient) ● Don't do string concatenation in a loop ● Use the AtomicXXX classes ● Make sure .equals() checks for null ● Never call .equals(null)
  • 42. Clean your code with Java 7 ● Strings in switch statement ● Binary integral literals ● Underscores in numeric literals ● Multi-catch and more precise rethrow ● Generic instance creation type inference ● Try-with-resources statement ● Simplified varargs method invocation http://www.javacodegeeks.com/2011/11/java-7-feature- overview.html
  • 43. More Java 7 Goodness ThreadLocalRandom ForkJoinPool and ForkJoinTask Phaser NIO 2.0 Zip File System Provider Elliptic Curve Cryptography Disabling of weak cryptographic algorithms Sockets Direct Protocol
  • 44. Where can you find more info? http://findbugs.sourceforge.net/b ugDescriptions.html http://checkstyle.sourceforge.net /availablechecks.html http://pmd.sourceforge.net/pmd- 5.0.4/rules/index.html
  • 45. Sonar Sonar can take output from PMD, Checkstyle, etc. and present it to you in a useful way.
  • 46. Homework (Hey why not?) 1. Skim the list of FindBugs Bug Descriptions 2. Find an item on JavaPractices.com that you disagree with 3. Read an article on serialization 4. Run FindBugs, using the highest possible analysis settings, on a Java Project that you worked on 5. Refactor some existing code using Guava and Java 7