java-best-practices
Original:🇺🇸 English
Translated
Opinionated modern Java (21+) coding best practices, style guides, and anti-patterns. Curated by VirtusLab engineers. Covers code style, null safety, error handling, immutability, testing, concurrency, and tooling.
2installs
Sourcevirtuslab/agent-skills
Added on
NPX Install
npx skill4agent add virtuslab/agent-skills java-best-practicesTags
Translated version includes tags in frontmatterSKILL.md Content
View Translation Comparison →Java Best Practices by VirtusLab
Opinionated, modern Java skill. Targets Java 21+ and explicitly cuts off outdated patterns. When writing or reviewing Java code, follow these guidelines strictly.
Core Philosophy
- Composed Method Pattern is the single most impactful practice in Java. Every method should do one thing, at one level of abstraction, and be short enough to read in one glance. This pattern alone transforms unreadable code into clean code.
- Effective Java by Joshua Bloch remains the authoritative reference. Its principles are still current. When in doubt, consult it.
- Use library code. Do not reimplement what the standard library or a well-established library already provides. This is one of the most violated and most impactful principles.
- Composition over inheritance. Always. Use interfaces with default methods and delegation instead of deep class hierarchies.
- GRASP principles (General Responsibility Assignment Software Patterns) guide object-oriented design: Information Expert, Creator, Controller, Low Coupling, High Cohesion, Polymorphism, Pure Fabrication, Indirection, Protected Variations.
Modern Java (21+) — Use These Features
Use modern Java features aggressively. Do not write pre-Java 17 style code.
Records for Data Objects
Use for all immutable data carriers. Do NOT use Lombok , , , or hand-written POJOs for data objects.
record@Value@Data@Getterjava
// WRONG — legacy style
@Value
public class User {
String username;
String email;
}
// WRONG — hand-written boilerplate
public class User {
private final String username;
private final String email;
// constructor, getters, equals, hashCode, toString...
}
// CORRECT
public record User(String username, String email) {}Lombok is acceptable only for on non-record classes where the builder pattern is genuinely needed. For everything else, use records or plain Java.
@BuilderSealed Classes for Domain Modeling (ADTs)
Use classes and interfaces to model algebraic data types. This gives exhaustiveness checking in expressions.
sealedswitchjava
public sealed interface PaymentResult
permits PaymentSuccess, PaymentFailure, PaymentPending {
}
public record PaymentSuccess(String transactionId, Money amount) implements PaymentResult {}
public record PaymentFailure(String reason, ErrorCode code) implements PaymentResult {}
public record PaymentPending(String transactionId) implements PaymentResult {}Switch Expressions with Pattern Matching
Use switch expressions (not statements) with pattern matching. Prefer exhaustive switches.
java
// CORRECT
String message = switch (result) {
case PaymentSuccess success ->
"Paid %s".formatted(success.amount());
case PaymentFailure failure ->
"Failed: %s".formatted(failure.reason());
case PaymentPending pending ->
"Pending: %s".formatted(pending.transactionId());
};
// WRONG — old-style switch statement with break
switch (result.getType()) {
case SUCCESS:
message = "Paid";
break;
// ...
}Null Handling Inside switch
(Java 21+)
switchjava
// CORRECT — null is an explicit case
return switch (status) {
case null -> "unknown";
case ACTIVE -> "active";
case PAUSED -> "paused";
};
// WRONG — null handled outside the switch
if (status == null) return "unknown";
return switch (status) {
case ACTIVE -> "active";
case PAUSED -> "paused";
};Pattern Matching for instanceof
instanceofjava
// CORRECT
if (obj instanceof String s && !s.isBlank()) {
process(s);
}
// WRONG
if (obj instanceof String) {
String s = (String) obj;
process(s);
}Text Blocks
Use text blocks for multi-line strings (SQL, JSON, HTML, etc.).
java
String query = """
SELECT u.id, u.name
FROM users u
WHERE u.active = true
ORDER BY u.name
""";var
for Local Variables
varUse for local variables when the type is obvious from the right-hand side. Do not use when it reduces readability.
varvarjava
// CORRECT — type is obvious
var users = userRepository.findAll();
var mapper = new ObjectMapper();
// WRONG — type is not obvious, use explicit type
var result = process(data);Record Patterns (Java 21)
Destructure records directly in and expressions.
instanceofswitchjava
// CORRECT
if (obj instanceof Point(int x, int y)) {
System.out.println(x + ", " + y);
}
String desc = switch (shape) {
case Circle(double r) -> "Circle r=" + r;
case Rect(double w, double h) -> "Rect " + w + "x" + h;
};
// WRONG — old style: cast + field access
if (obj instanceof Point p) {
System.out.println(p.x() + ", " + p.y());
}Unnamed Variables (Java 22)
Use for unused variables, catch parameters, and lambda parameters.
_java
// CORRECT
try { ... } catch (Exception _) { ... }
try (var _ = ScopedValue.where(KEY, value)) { ... }
list.stream().map(_ -> "constant").toList();
// WRONG
try { ... } catch (Exception ignored) { ... }
try { ... } catch (Exception e) { ... } // when e is never usedImmutable Collections
Use factory methods for immutable collections. Never use or for fixed collections.
Arrays.asList()new ArrayList<>()java
// CORRECT
var roles = List.of("ADMIN", "USER");
var config = Map.of("timeout", 30, "retries", 3);
var tags = Set.of("java", "backend");
// WRONG
var roles = Arrays.asList("ADMIN", "USER");
var roles = new ArrayList<>(List.of("ADMIN", "USER"));
var roles = Collections.unmodifiableList(Arrays.asList("ADMIN", "USER"));Sequenced Collections (Java 21)
Use , , instead of index arithmetic.
getFirst()getLast()reversed()java
// CORRECT
var first = list.getFirst();
var last = list.getLast();
var rev = list.reversed();
// WRONG
var first = list.get(0);
var last = list.get(list.size() - 1);
var rev = new ArrayList<>(list); Collections.reverse(rev);String Utilities (Java 11+)
Use modern methods. Do not reimplement what the standard library already provides.
Stringjava
// CORRECT
str.isBlank() // replaces str.trim().isEmpty()
str.strip() // Unicode-aware trim
"ha".repeat(3) // "hahaha"
"Hello %s".formatted(name) // replaces String.format(...)
str.lines() // Stream<String> of lines
// WRONG
str.trim().isEmpty()
String.format("Hello %s", name)Null Safety
Nulls are not acceptable inside the system. Things are non-null by default. Do not let nulls propagate beyond system boundaries (external APIs, database results, user input).
- Do NOT annotate everything with — that pollutes the code. Instead, treat everything as non-null by default.
@NonNull - Use only when something genuinely can be null (rare, at system edges).
@Nullable - If you receive null from an external source, convert it at the boundary: to an , a default value, or throw early.
Optional - Never pass as a method argument. Never return
nullfrom a method. Usenullfor methods that may have no result.Optional
java
// CORRECT — Optional for methods that may return nothing
public Optional<User> findByEmail(String email) {
return Optional.ofNullable(repository.get(email));
}
// WRONG — returning null
public User findByEmail(String email) {
return repository.get(email); // might return null
}Optional
- Use as return type for public methods that may have no result. It communicates intent: "this method might return nothing, and you must handle it."
Optional - Never use as a field type, method parameter, or in collections.
Optional - Never call without checking. Use
Optional.get(),orElseThrow(),orElse(),map(),flatMap().ifPresent()
java
// CORRECT
userService.findByEmail(email)
.map(User::username)
.orElseThrow(() -> new UserNotFoundException(email));
// WRONG
User user = userService.findByEmail(email).get();Error Handling
Use Java's exception mechanism. Do not try to turn Java into Go or C with error return codes or wrapper types. Java has checked and unchecked exceptions — use them.
Result- Use unchecked exceptions (extending ) for programming errors and unexpected failures.
RuntimeException - Use checked exceptions sparingly, only when the caller genuinely must handle the failure and there is a reasonable recovery path.
- Never swallow exceptions. Always log or rethrow.
- Never catch or
Exceptiongenerically unless at the top-level error boundary (e.g., controller advice, global handler).Throwable - Use specific exception types. Create custom domain exceptions when the standard ones do not fit.
- Use multi-catch to avoid duplicated catch blocks.
java
// CORRECT
catch (IOException | SQLException e) {
log.error("Data access failed", e);
}
// WRONG — duplicated handlers
catch (IOException e) { log.error("...", e); }
catch (SQLException e) { log.error("...", e); }java
// CORRECT
public User getUser(UserId id) {
return userRepository.findById(id)
.orElseThrow(() -> new UserNotFoundException(id));
}
// WRONG — returning null on error
public User getUser(UserId id) {
try {
return userRepository.findById(id).orElse(null);
} catch (Exception e) {
return null;
}
}Naming Conventions
- Classes: — nouns (
PascalCase,UserService).PaymentProcessor - Methods: — verbs (
camelCase,findByEmail,processPayment).calculateTotal - Variables: — nouns (
camelCase,userId).orderItems - Constants: (
UPPER_SNAKE_CASE,MAX_RETRY_COUNT).DEFAULT_TIMEOUT - Packages: lowercase, dot-separated ().
com.company.project.domain.user - Booleans: prefix with ,
is,has,should(can,isValid(),hasPermission()).shouldRetry() - Collections: plural names (,
users,orders).products - No abbreviations in public APIs. not
userRepository.userReponottransactionManager.txMgr - Methods should not have surprising side effects. The name must accurately describe what the method does.
Code Style & Formatting
- Use one consistent style across the project: either standard Java Coding Conventions or IntelliJ defaults. The specific choice does not matter — consistency does.
- Keep classes package-private by default. Only expose what is needed as .
public - Apply to variables when immutability is intended.
final - Use method references over lambdas when possible: instead of
User::userId.u -> u.userId() - Organize imports: standard library, third-party, internal packages. No wildcard imports.
- If the project includes Spotless, run the formatter after every code change (only for edited files). For Gradle: . For Maven:
./gradlew spotlessApply.mvn spotless:apply
Streams & Collections
Use Java Streams for collection transformations. Prefer , , , .
filter()map()flatMap()toList()java
// CORRECT
var activeEmails = users.stream()
.filter(User::isActive)
.map(User::email)
.toList();
// WRONG — manual loop for simple transformation
var activeEmails = new ArrayList<String>();
for (User user : users) {
if (user.isActive()) {
activeEmails.add(user.getEmail());
}
}Never perform side effects in intermediate operations (like , , ) — these should be pure functions. Terminal is the right place for side effects. Prefer over when no intermediate operations are needed.
mapfilterflatMapforEachIterable.forEach()stream().forEach()java
// WRONG — side effect in intermediate operation
users.stream()
.map(user -> { emailService.send(user); return user.email(); })
.toList();
// WRONG — unnecessary stream() when there is no pipeline
users.stream().forEach(user -> emailService.send(user));
// CORRECT — Iterable.forEach for simple side effects
users.forEach(user -> emailService.send(user));
// CORRECT — pure filter, side effect only in terminal forEach
users.stream()
.filter(User::isActive)
.forEach(user -> emailService.send(user));
// CORRECT — plain loop when you need break/continue or checked exceptions
for (var user : users) {
emailService.send(user);
}Testing
Consistent Test Naming
Pick one naming convention for the entire project and enforce it. Recommended format:
methodName_shouldExpectedBehavior_whenConditionExamples:
java
@Test
void findByEmail_shouldReturnUser_whenUserExists() { ... }
@Test
void findByEmail_shouldThrowNotFoundException_whenUserDoesNotExist() { ... }
@Test
void processPayment_shouldReturnSuccess_whenBalanceSufficient() { ... }Do NOT mix , , , and styles in the same project. Consistency matters more than the specific convention.
camelCasesnake_casegiven/when/thenshouldTest Structure
- Use JUnit 5 as the default testing framework.
- Spock Framework (Groovy-based) is an acceptable alternative if the team prefers BDD-style specifications. It is powerful but requires Groovy proficiency.
- Follow Arrange-Act-Assert (or Given-When-Then in Spock).
- Each test should test one behavior. No multi-assert tests covering unrelated behaviors.
- Use sparingly — a well-named test method is self-documenting.
@DisplayName
TDD
Test-Driven Development produces better APIs. Writing tests first forces you to design the public interface before the implementation. Even if not doing strict TDD, write tests immediately after writing the method signature and before the implementation body.
Test Independence
Tests must be independent and repeatable. No shared mutable state between tests. No ordering dependencies.
Concurrency
Virtual Threads (Project Loom)
Use Virtual Threads for I/O-bound concurrent work. They eliminate the need for reactive frameworks for most use cases.
java
// CORRECT — Virtual Threads
try (var executor = Executors.newVirtualThreadPerTaskExecutor()) {
var future = executor.submit(() -> fetchData(url));
return future.get();
}
// WRONG — reactive chains for simple I/O
Mono.fromCallable(() -> fetchData(url))
.subscribeOn(Schedulers.boundedElastic())
.flatMap(data -> process(data))
.subscribe();Immutability Enables Safe Concurrency
Writing proper OOP with small, immutable objects in small methods with limited scope is the best concurrency strategy. Small objects are created and garbage-collected quickly, reducing contention.
Structured Concurrency (Java 25)
Use to manage lifetimes of forked subtasks as a unit. Ensures that subtasks are reliably cancelled and joined when the scope closes.
StructuredTaskScopejava
// CORRECT
try (var scope = new StructuredTaskScope.ShutdownOnFailure()) {
var user = scope.fork(() -> fetchUser(id));
var order = scope.fork(() -> fetchOrder(id));
scope.join().throwIfFailed();
return new Response(user.get(), order.get());
}
// WRONG — manual executor management, no automatic lifecycle
var executor = Executors.newFixedThreadPool(2);
var f1 = executor.submit(() -> fetchUser(id));
var f2 = executor.submit(() -> fetchOrder(id));
executor.shutdown();
return new Response(f1.get(), f2.get());What NOT to Use
- Do NOT use RxJava. It is overly complex, hard to debug, and unnecessary with Virtual Threads. If you are in a project that uses RxJava, do not introduce more of it.
- Avoid chains when Virtual Threads can express the same logic sequentially.
CompletableFuture - Do not prematurely introduce reactive patterns. Use them only when you have proven back-pressure requirements.
Modern I/O
Use convenience methods and factory. Avoid / boilerplate for simple operations.
FilesPath.of()BufferedReaderWriterjava
// CORRECT
String content = Files.readString(Path.of("config.json"));
Files.writeString(Path.of("output.txt"), data);
var path = Path.of("src", "main", "java");
// WRONG
var br = new BufferedReader(new FileReader("config.json"));
// ... manual read loop ...
var path = Paths.get("src", "main", "java");Use the built-in for HTTP calls. Do not add boilerplate.
HttpClientHttpURLConnectionjava
// CORRECT
var client = HttpClient.newHttpClient();
var request = HttpRequest.newBuilder(URI.create(url)).GET().build();
var response = client.send(request, HttpResponse.BodyHandlers.ofString());
// WRONG — HttpURLConnection with manual stream handling
var conn = (HttpURLConnection) new URL(url).openConnection();
conn.setRequestMethod("GET");
var reader = new BufferedReader(new InputStreamReader(conn.getInputStream()));
// ...Date and Time
Always use (Java 8+). Never use , , or .
java.timeDateCalendarSimpleDateFormatjava
// CORRECT
LocalDate today = LocalDate.now();
LocalDate date = LocalDate.of(2025, Month.JANUARY, 15);
Instant now = Instant.now();
long days = ChronoUnit.DAYS.between(start, end);
Duration duration = Duration.ofMinutes(30);
// WRONG
Date date = new Date();
Calendar cal = Calendar.getInstance();
cal.set(2025, 0, 15); // zero-indexed monthsLogging
- Use SLF4J (). Never use
org.slf4j.LoggerorSystem.out.println().System.err.println() - Use parameterized logging — never string concatenation.
java
// CORRECT
log.info("Processing order {} for user {}", orderId, userId);
// WRONG
log.info("Processing order " + orderId + " for user " + userId);- Log levels:
- — exceptions and failures requiring attention.
error - — recoverable issues, degraded behavior.
warn - — significant business events (order placed, payment processed).
info - — detailed technical information for troubleshooting.
debug - — very fine-grained, typically disabled in production.
trace
Project Structure
- Separate domain code from infrastructure code in the package structure.
- Keep configuration classes in dedicated packages.
config - Follow consistent package naming: (e.g.,
com.company.project.<domain>.<layer>).com.acme.shop.order.repository - One public class per file. No multi-class files except for tightly coupled inner classes.
JVM & GC
- Do not tune GC parameters unless you have measured a problem. The default GC (G1GC in modern JVMs) is good enough for the vast majority of applications.
- Writing proper OOP with small, short-lived objects is better than any GC tuning.
- Profile before optimizing. Use JFR (Java Flight Recorder) and JMC (Java Mission Control) for performance analysis.
Deprecated Patterns — Do NOT Use
These patterns are outdated and must not be used in new code:
| Deprecated Pattern | Modern Replacement |
|---|---|
Lombok | |
| |
| |
| |
| RxJava / Project Reactor for simple I/O | Virtual Threads |
Old | Switch expressions |
Manual | Pattern matching |
String concatenation with | Text blocks |
| Anonymous inner classes for functional interfaces | Lambdas / method references |
| |
Returning | |
| SLF4J logging |
Raw types ( | Always use generics |
| |
| |
| |
| |
| |
| |
| |
Duplicate | Multi-catch |
| |
| |
| |
| Manual executor lifecycle for structured tasks | |