How to use JUnit

Using JUnit means writing unit tests for your Java code using the JUnit framework. Whether you're using JUnit 5 (modern) or JUnit 4 (legacy), the basics are similar: annotate methods with @Test, write assertions, and run them using an IDE or build tool.


โœ… 1. Set Up JUnit

๐Ÿงฑ If You're Using Maven (JUnit 5):

Add to pom.xml:

<dependency>
  <groupId>org.junit.jupiter</groupId>
  <artifactId>junit-jupiter</artifactId>
  <version>5.10.0</version>
  <scope>test</scope>
</dependency>

Then run tests using:

mvn test

๐Ÿงฑ If You're Using Gradle (JUnit 5):

dependencies {
    testImplementation 'org.junit.jupiter:junit-jupiter:5.10.0'
}

test {
    useJUnitPlatform()
}

โœ… 2. Write a Simple JUnit Test (JUnit 5)

๐Ÿ“ฆ Class Under Test:

public class Calculator {
    public int add(int a, int b) {
        return a + b;
    }
}

๐Ÿงช JUnit Test:

import org.junit.jupiter.api.Test;
import static org.junit.jupiter.api.Assertions.*;

class CalculatorTest {

    @Test
    void testAdd() {
        Calculator calc = new Calculator();
        int result = calc.add(2, 3);
        assertEquals(5, result);
    }
}

โœ… Tip: Always import static org.junit.jupiter.api.Assertions.* for clean assertions.


โœ… 3. Common Annotations

AnnotationPurpose
@TestMarks a test method
@BeforeEachRuns before each test
@AfterEachRuns after each test
@BeforeAllRuns once before all tests (static)
@AfterAllRuns once after all tests (static)
@DisabledSkips a test

๐Ÿ’ก Example:

@BeforeEach
void setUp() {
    // init logic
}

@AfterEach
void tearDown() {
    // cleanup logic
}

โœ… 4. Assertions Youโ€™ll Use Often

assertEquals(expected, actual);
assertTrue(condition);
assertFalse(condition);
assertThrows(Exception.class, () -> { ... });
assertNotNull(object);
assertNull(object);

โœ… 5. Run Tests

  • ๐Ÿ–ฅ๏ธ In IntelliJ/Eclipse: Right-click the test file or method > Run
  • ๐Ÿ”ง With Maven/Gradle: mvn test or ./gradlew test
  • ๐Ÿงช CLI (Console Launcher): Use if you're not using a build tool or IDE

โœ… 6. Folder Structure (Maven/Gradle Convention)

src/
โ”œโ”€โ”€ main/
โ”‚   โ””โ”€โ”€ java/       โ†’ your application code
โ””โ”€โ”€ test/
    โ””โ”€โ”€ java/       โ†’ your test code

๐Ÿ“Œ Summary

TaskHow to Do It
Install JUnitUse Maven/Gradle with junit-jupiter
Write a testAnnotate method with @Test
Check resultsUse assertEquals, assertTrue, etc.
Run testsIDE, Maven, Gradle