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
Annotation | Purpose |
---|---|
@Test | Marks a test method |
@BeforeEach | Runs before each test |
@AfterEach | Runs after each test |
@BeforeAll | Runs once before all tests (static) |
@AfterAll | Runs once after all tests (static) |
@Disabled | Skips 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
Task | How to Do It |
---|---|
Install JUnit | Use Maven/Gradle with junit-jupiter |
Write a test | Annotate method with @Test |
Check results | Use assertEquals , assertTrue , etc. |
Run tests | IDE, Maven, Gradle |