JUnitとは?初心者でもわかる基礎知識
JUnitは、Java言語のための最も広く使われているユニットテストフレームワークです。オープンソースで提供され、Kent BeckとErich Gammaによって開発されました。シンプルながら強力な機能を備え、Javaアプリケーションの品質を保証する上で不可欠なツールとして認識されています。
JUnitが解決する3つの開発現場の課題
1. 手動テストの非効率性
課題:機能追加やバグ修正の度に手動でテストを実行する必要があり、時間とリソースが浪費される
解決策:
- 自動化されたテストケースの作成
- CIツールとの連携による自動実行
- テスト結果の自動レポート生成
2. 回帰バグの発生
課題:新機能の追加や既存コードの修正により、既存の機能が意図せず破壊される
解決策:
- 包括的なテストスイートの維持
- 継続的な自動テストの実行
- 変更による影響範囲の即時検出
3. コードの品質管理
課題:プロジェクトの成長とともに、コードの品質維持が困難になる
解決策:
- テストファーストの開発アプローチ
- コードカバレッジの測定と監視
- テストケースによるドキュメンテーション
なぜJava開発者の90%がJUnitを選ぶのか
1. シンプルな構文と豊富な機能
public void testAddition() {
Calculator calc = new Calculator();
assertEquals(4, calc.add(2, 2));
assertTrue(calc.add(2, 2) > 0);
// 基本的なテストケースの例
@Test
public void testAddition() {
Calculator calc = new Calculator();
// 期待値と実際の結果を比較
assertEquals(4, calc.add(2, 2));
// 複数の検証も簡単に記述可能
assertTrue(calc.add(2, 2) > 0);
}
// 基本的なテストケースの例
@Test
public void testAddition() {
Calculator calc = new Calculator();
// 期待値と実際の結果を比較
assertEquals(4, calc.add(2, 2));
// 複数の検証も簡単に記述可能
assertTrue(calc.add(2, 2) > 0);
}
2. 広範なエコシステム
- IDEとの完璧な統合(Eclipse, IntelliJ IDEA)
- ビルドツール(Maven, Gradle)との連携
- CI/CDパイプラインとの親和性
3. 拡張性と柔軟性
- モックフレームワーク(Mockito)との連携
- パラメータ化テストのサポート
- カスタムアノテーションによる機能拡張
4. 活発なコミュニティとサポート
- 豊富なドキュメントとリソース
- Stack Overflowでの高い質問解決率
- 定期的なバージョンアップデート
主要な機能比較表
機能 | JUnit 4 | JUnit 5 | TestNG |
---|
アノテーション基本構文 | @Test | @Test | @Test |
パラメータ化テスト | @Parameters | @ParameterizedTest | @DataProvider |
テストライフサイクル | @Before/@After | @BeforeEach/@AfterEach | @BeforeMethod/@AfterMethod |
グループ化 | @Category | @Tag | @Test(groups={}) |
並列実行 | 制限付き | 完全サポート | 完全サポート |
このように、JUnitは単なるテストフレームワークを超えて、モダンなJava開発における品質保証の中核として機能しています。初心者にとっては学習曲線が緩やかでありながら、上級者には十分な機能と拡張性を提供する、バランスの取れたツールとして評価されています。
JUnitをインストールして始めよう
Maven/Gradleでの導入手順
Mavenでの設定
pom.xml
に以下の依存関係を追加します:
<groupId>org.junit.jupiter</groupId>
<artifactId>junit-jupiter</artifactId>
<version>5.10.1</version>
<!-- Vintage Engine(JUnit 4のテストを実行する場合) -->
<groupId>org.junit.vintage</groupId>
<artifactId>junit-vintage-engine</artifactId>
<version>5.10.1</version>
<artifactId>maven-surefire-plugin</artifactId>
<!-- JUnit 5の場合 -->
<dependencies>
<dependency>
<groupId>org.junit.jupiter</groupId>
<artifactId>junit-jupiter</artifactId>
<version>5.10.1</version>
<scope>test</scope>
</dependency>
<!-- Vintage Engine(JUnit 4のテストを実行する場合) -->
<dependency>
<groupId>org.junit.vintage</groupId>
<artifactId>junit-vintage-engine</artifactId>
<version>5.10.1</version>
<scope>test</scope>
</dependency>
</dependencies>
<build>
<plugins>
<plugin>
<artifactId>maven-surefire-plugin</artifactId>
<version>3.2.3</version>
</plugin>
</plugins>
</build>
<!-- JUnit 5の場合 -->
<dependencies>
<dependency>
<groupId>org.junit.jupiter</groupId>
<artifactId>junit-jupiter</artifactId>
<version>5.10.1</version>
<scope>test</scope>
</dependency>
<!-- Vintage Engine(JUnit 4のテストを実行する場合) -->
<dependency>
<groupId>org.junit.vintage</groupId>
<artifactId>junit-vintage-engine</artifactId>
<version>5.10.1</version>
<scope>test</scope>
</dependency>
</dependencies>
<build>
<plugins>
<plugin>
<artifactId>maven-surefire-plugin</artifactId>
<version>3.2.3</version>
</plugin>
</plugins>
</build>
Gradleでの設定
build.gradle
に以下の設定を追加します:
testImplementation 'org.junit.jupiter:junit-jupiter:5.10.1'
testRuntimeOnly 'org.junit.vintage:junit-vintage-engine:5.10.1'
dependencies {
testImplementation 'org.junit.jupiter:junit-jupiter:5.10.1'
testRuntimeOnly 'org.junit.vintage:junit-vintage-engine:5.10.1'
}
test {
useJUnitPlatform()
}
dependencies {
testImplementation 'org.junit.jupiter:junit-jupiter:5.10.1'
testRuntimeOnly 'org.junit.vintage:junit-vintage-engine:5.10.1'
}
test {
useJUnitPlatform()
}
IDEでの設定方法
IntelliJ IDEAの場合
- プロジェクト設定:
- File → Project Structure → Libraries
- + ボタンをクリックし、「From Maven」を選択
org.junit.jupiter:junit-jupiter:5.10.1
を検索して追加
- 実行設定:
- Edit Configurations → + → JUnit
- Test kind: Class/Package/Directory から選択
- 対象のテストクラス/パッケージを指定
Eclipseの場合
- プロジェクト設定:
- プロジェクト右クリック → Properties
- Java Build Path → Libraries
- Add Library → JUnit → Next
- JUnit 5 を選択
- テストクラスの作成:
- パッケージ/ソースフォルダを右クリック
- New → JUnit Test Case
- テストクラス名とパッケージを入力
バージョン選択のガイドライン
JUnitバージョン | Java要件 | 主な特徴 | 推奨用途 |
---|
JUnit 5.10.x | Java 8以上 | モジュール化、拡張性強化 | 新規プロジェクト |
JUnit 5.9.x | Java 8以上 | 安定版 | 実務プロジェクト |
JUnit 4.13.x | Java 7以上 | レガシーサポート | 既存プロジェクト |
導入時のトラブルシューティング
- 依存関係の競合
Failed to load ApplicationContext
java.lang.NoSuchMethodError: org.junit.platform.commons.util.ClassLoaderUtils.getDefaultClassLoader()
# エラーメッセージ例
Failed to load ApplicationContext
java.lang.NoSuchMethodError: org.junit.platform.commons.util.ClassLoaderUtils.getDefaultClassLoader()
# エラーメッセージ例
Failed to load ApplicationContext
java.lang.NoSuchMethodError: org.junit.platform.commons.util.ClassLoaderUtils.getDefaultClassLoader()
解決策:
maven dependency:tree
で依存関係を確認
- 重複する依存関係を除外
- テストが見つからない
No tests found for given includes
# エラーメッセージ例
No tests found for given includes
# エラーメッセージ例
No tests found for given includes
解決策:
- テストクラス名が
*Test.java
で終わっているか確認
- テストメソッドに
@Test
アノテーションが付いているか確認
- テストソースフォルダが正しく設定されているか確認
これでJUnitの環境構築は完了です。次のセクションでは、実際のテストコードの書き方について学んでいきましょう。
15分で書ける!基本的なテストコード
テストクラスの作成方法
基本的なテストクラスの構造を見ていきましょう。以下は銀行口座クラスのテスト例です:
public class BankAccount {
public void deposit(double amount) {
if (amount <= 0) throw new IllegalArgumentException("金額は正の数である必要があります");
public double getBalance() {
import org.junit.jupiter.api.*;
import static org.junit.jupiter.api.Assertions.*;
@DisplayName("銀行口座テスト") // テストクラスの表示名を設定
public class BankAccountTest {
private BankAccount account; // テスト対象のインスタンス
@BeforeEach // 各テストメソッドの前に実行
account = new BankAccount();
@DisplayName("入金が正常に処理されること") // テストメソッドの表示名
void depositShouldIncreaseBalance() {
assertEquals(1000, account.getBalance());
@DisplayName("不正な入金でエラーが発生すること")
void depositNegativeAmountShouldThrowException() {
assertThrows(IllegalArgumentException.class,
() -> account.deposit(-1000));
// テスト対象のクラス
public class BankAccount {
private double balance;
public void deposit(double amount) {
if (amount <= 0) throw new IllegalArgumentException("金額は正の数である必要があります");
balance += amount;
}
public double getBalance() {
return balance;
}
}
// テストクラス
import org.junit.jupiter.api.*;
import static org.junit.jupiter.api.Assertions.*;
@DisplayName("銀行口座テスト") // テストクラスの表示名を設定
public class BankAccountTest {
private BankAccount account; // テスト対象のインスタンス
@BeforeEach // 各テストメソッドの前に実行
void setUp() {
account = new BankAccount();
}
@Test // テストメソッドの宣言
@DisplayName("入金が正常に処理されること") // テストメソッドの表示名
void depositShouldIncreaseBalance() {
account.deposit(1000);
assertEquals(1000, account.getBalance());
}
@Test
@DisplayName("不正な入金でエラーが発生すること")
void depositNegativeAmountShouldThrowException() {
assertThrows(IllegalArgumentException.class,
() -> account.deposit(-1000));
}
}
// テスト対象のクラス
public class BankAccount {
private double balance;
public void deposit(double amount) {
if (amount <= 0) throw new IllegalArgumentException("金額は正の数である必要があります");
balance += amount;
}
public double getBalance() {
return balance;
}
}
// テストクラス
import org.junit.jupiter.api.*;
import static org.junit.jupiter.api.Assertions.*;
@DisplayName("銀行口座テスト") // テストクラスの表示名を設定
public class BankAccountTest {
private BankAccount account; // テスト対象のインスタンス
@BeforeEach // 各テストメソッドの前に実行
void setUp() {
account = new BankAccount();
}
@Test // テストメソッドの宣言
@DisplayName("入金が正常に処理されること") // テストメソッドの表示名
void depositShouldIncreaseBalance() {
account.deposit(1000);
assertEquals(1000, account.getBalance());
}
@Test
@DisplayName("不正な入金でエラーが発生すること")
void depositNegativeAmountShouldThrowException() {
assertThrows(IllegalArgumentException.class,
() -> account.deposit(-1000));
}
}
assert系メソッドの使い分け
JUnit 5では、様々な検証メソッドが用意されています。状況に応じて適切なメソッドを選択しましょう。
基本的なアサーション
メソッド | 用途 | 使用例 |
---|
assertEquals | 期待値と実際の値が等しいか検証 | assertEquals(expected, actual) |
assertTrue | 条件が真であることを検証 | assertTrue(condition) |
assertFalse | 条件が偽であることを検証 | assertFalse(condition) |
assertNull | オブジェクトがnullであることを検証 | assertNull(object) |
assertNotNull | オブジェクトがnullでないことを検証 | assertNotNull(object) |
高度なアサーション
List<String> list = Arrays.asList("Apple", "Banana", "Orange");
() -> assertTrue(list.contains("Apple")),
() -> assertEquals(3, list.size()),
() -> assertFalse(list.isEmpty())
Exception exception = assertThrows(
IllegalArgumentException.class,
() -> Integer.parseInt("ABC")
assertTrue(exception.getMessage().contains("ABC"));
int[] expected = {1, 2, 3};
int[] actual = {1, 2, 3};
assertArrayEquals(expected, actual);
// コレクションの検証
@Test
void collectionTest() {
List<String> list = Arrays.asList("Apple", "Banana", "Orange");
assertAll("フルーツリストの検証",
() -> assertTrue(list.contains("Apple")),
() -> assertEquals(3, list.size()),
() -> assertFalse(list.isEmpty())
);
}
// 例外の検証
@Test
void exceptionTest() {
Exception exception = assertThrows(
IllegalArgumentException.class,
() -> Integer.parseInt("ABC")
);
assertTrue(exception.getMessage().contains("ABC"));
}
// 配列の検証
@Test
void arrayTest() {
int[] expected = {1, 2, 3};
int[] actual = {1, 2, 3};
assertArrayEquals(expected, actual);
}
// コレクションの検証
@Test
void collectionTest() {
List<String> list = Arrays.asList("Apple", "Banana", "Orange");
assertAll("フルーツリストの検証",
() -> assertTrue(list.contains("Apple")),
() -> assertEquals(3, list.size()),
() -> assertFalse(list.isEmpty())
);
}
// 例外の検証
@Test
void exceptionTest() {
Exception exception = assertThrows(
IllegalArgumentException.class,
() -> Integer.parseInt("ABC")
);
assertTrue(exception.getMessage().contains("ABC"));
}
// 配列の検証
@Test
void arrayTest() {
int[] expected = {1, 2, 3};
int[] actual = {1, 2, 3};
assertArrayEquals(expected, actual);
}
テストライフサイクルの理解
JUnitのテストライフサイクルは、以下のアノテーションで制御されます:
public class LifecycleTest {
static void tearDownAll() {
public class LifecycleTest {
@BeforeAll
static void initAll() {
// クラス内の全テスト実行前に1回だけ実行
// データベース接続の確立など
}
@BeforeEach
void init() {
// 各テストメソッドの実行前に実行
// テストデータの準備など
}
@Test
void someTest() {
// テストケース
}
@AfterEach
void tearDown() {
// 各テストメソッドの実行後に実行
// テストデータのクリーンアップなど
}
@AfterAll
static void tearDownAll() {
// クラス内の全テスト実行後に1回だけ実行
// データベース接続の切断など
}
}
public class LifecycleTest {
@BeforeAll
static void initAll() {
// クラス内の全テスト実行前に1回だけ実行
// データベース接続の確立など
}
@BeforeEach
void init() {
// 各テストメソッドの実行前に実行
// テストデータの準備など
}
@Test
void someTest() {
// テストケース
}
@AfterEach
void tearDown() {
// 各テストメソッドの実行後に実行
// テストデータのクリーンアップなど
}
@AfterAll
static void tearDownAll() {
// クラス内の全テスト実行後に1回だけ実行
// データベース接続の切断など
}
}
テストライフサイクルの実行順序
@BeforeAll
メソッドの実行
- テストメソッドごとに:
@BeforeEach
メソッドの実行
@Test
メソッドの実行
@AfterEach
メソッドの実行
@AfterAll
メソッドの実行
ライフサイクルのベストプラクティス
@BeforeEach
では:
- テストデータの初期化
- テスト対象オブジェクトの生成
- 必要なリソースの準備
@AfterEach
では:
- テストデータのクリーンアップ
- 一時ファイルの削除
- リソースの解放
@BeforeAll
/@AfterAll
では:
- 重い初期化処理(DBコネクション等)
- 共有リソースの管理
- テスト環境のセットアップ/クリーンアップ
これらの基本を押さえることで、堅牢なテストコードを効率的に作成できます。
実践的なJUnitテストの書き方
テストケース設計のBDDアプローチ
BDD(Behavior Driven Development)アプローチを使用すると、テストの意図がより明確になります。
import org.junit.jupiter.api.*;
import static org.junit.jupiter.api.Assertions.*;
@DisplayName("ショッピングカートのテスト")
public class ShoppingCartTest {
private ShoppingCart cart;
@DisplayName("商品追加時の振る舞い")
cart = new ShoppingCart();
@DisplayName("正常系: 商品を追加すると合計金額が更新される")
void given_ValidItem_When_AddToCart_Then_TotalIsUpdated() {
Item book = new Item("プログラミング本", 2000);
assertEquals(2000, cart.getTotal());
assertEquals(1, cart.getItemCount());
@DisplayName("異常系: null商品を追加するとエラーになる")
void given_NullItem_When_AddToCart_Then_ThrowsException() {
assertThrows(IllegalArgumentException.class,
() -> cart.addItem(nullItem));
import org.junit.jupiter.api.*;
import static org.junit.jupiter.api.Assertions.*;
@DisplayName("ショッピングカートのテスト")
public class ShoppingCartTest {
private ShoppingCart cart;
@Nested
@DisplayName("商品追加時の振る舞い")
class AddItemTests {
@BeforeEach
void setUp() {
cart = new ShoppingCart();
}
@Test
@DisplayName("正常系: 商品を追加すると合計金額が更新される")
void given_ValidItem_When_AddToCart_Then_TotalIsUpdated() {
// Given - 前提条件
Item book = new Item("プログラミング本", 2000);
// When - 実行
cart.addItem(book);
// Then - 検証
assertEquals(2000, cart.getTotal());
assertEquals(1, cart.getItemCount());
}
@Test
@DisplayName("異常系: null商品を追加するとエラーになる")
void given_NullItem_When_AddToCart_Then_ThrowsException() {
// Given - 前提条件
Item nullItem = null;
// When & Then - 実行と検証
assertThrows(IllegalArgumentException.class,
() -> cart.addItem(nullItem));
}
}
}
import org.junit.jupiter.api.*;
import static org.junit.jupiter.api.Assertions.*;
@DisplayName("ショッピングカートのテスト")
public class ShoppingCartTest {
private ShoppingCart cart;
@Nested
@DisplayName("商品追加時の振る舞い")
class AddItemTests {
@BeforeEach
void setUp() {
cart = new ShoppingCart();
}
@Test
@DisplayName("正常系: 商品を追加すると合計金額が更新される")
void given_ValidItem_When_AddToCart_Then_TotalIsUpdated() {
// Given - 前提条件
Item book = new Item("プログラミング本", 2000);
// When - 実行
cart.addItem(book);
// Then - 検証
assertEquals(2000, cart.getTotal());
assertEquals(1, cart.getItemCount());
}
@Test
@DisplayName("異常系: null商品を追加するとエラーになる")
void given_NullItem_When_AddToCart_Then_ThrowsException() {
// Given - 前提条件
Item nullItem = null;
// When & Then - 実行と検証
assertThrows(IllegalArgumentException.class,
() -> cart.addItem(nullItem));
}
}
}
モックとスタブの効果的な使用方法
外部依存を持つクラスのテストには、Mockitoを使用します。
import org.mockito.InjectMocks;
import static org.mockito.Mockito.*;
@ExtendWith(MockitoExtension.class)
public class OrderServiceTest {
private PaymentGateway paymentGateway;
private InventoryService inventoryService;
private OrderService orderService;
@DisplayName("注文処理の正常系テスト")
void testProcessOrder() {
when(inventoryService.checkStock("ITEM001"))
when(paymentGateway.processPayment(anyDouble()))
Order order = new Order("ITEM001", 2, 1000.0);
OrderResult result = orderService.processOrder(order);
assertTrue(result.isSuccess());
verify(inventoryService).reduceStock("ITEM001", 2);
verify(paymentGateway).processPayment(2000.0);
@DisplayName("在庫不足時の注文処理テスト")
void testProcessOrderWithInsufficientStock() {
when(inventoryService.checkStock("ITEM001"))
Order order = new Order("ITEM001", 2, 1000.0);
OrderResult result = orderService.processOrder(order);
assertFalse(result.isSuccess());
assertEquals("在庫不足", result.getErrorMessage());
verify(paymentGateway, never()).processPayment(anyDouble());
import org.mockito.Mock;
import org.mockito.InjectMocks;
import static org.mockito.Mockito.*;
@ExtendWith(MockitoExtension.class)
public class OrderServiceTest {
@Mock
private PaymentGateway paymentGateway;
@Mock
private InventoryService inventoryService;
@InjectMocks
private OrderService orderService;
@Test
@DisplayName("注文処理の正常系テスト")
void testProcessOrder() {
// スタブの設定
when(inventoryService.checkStock("ITEM001"))
.thenReturn(true);
when(paymentGateway.processPayment(anyDouble()))
.thenReturn(true);
// テスト実行
Order order = new Order("ITEM001", 2, 1000.0);
OrderResult result = orderService.processOrder(order);
// 検証
assertTrue(result.isSuccess());
verify(inventoryService).reduceStock("ITEM001", 2);
verify(paymentGateway).processPayment(2000.0);
}
@Test
@DisplayName("在庫不足時の注文処理テスト")
void testProcessOrderWithInsufficientStock() {
// スタブの設定
when(inventoryService.checkStock("ITEM001"))
.thenReturn(false);
// テスト実行
Order order = new Order("ITEM001", 2, 1000.0);
OrderResult result = orderService.processOrder(order);
// 検証
assertFalse(result.isSuccess());
assertEquals("在庫不足", result.getErrorMessage());
verify(paymentGateway, never()).processPayment(anyDouble());
}
}
import org.mockito.Mock;
import org.mockito.InjectMocks;
import static org.mockito.Mockito.*;
@ExtendWith(MockitoExtension.class)
public class OrderServiceTest {
@Mock
private PaymentGateway paymentGateway;
@Mock
private InventoryService inventoryService;
@InjectMocks
private OrderService orderService;
@Test
@DisplayName("注文処理の正常系テスト")
void testProcessOrder() {
// スタブの設定
when(inventoryService.checkStock("ITEM001"))
.thenReturn(true);
when(paymentGateway.processPayment(anyDouble()))
.thenReturn(true);
// テスト実行
Order order = new Order("ITEM001", 2, 1000.0);
OrderResult result = orderService.processOrder(order);
// 検証
assertTrue(result.isSuccess());
verify(inventoryService).reduceStock("ITEM001", 2);
verify(paymentGateway).processPayment(2000.0);
}
@Test
@DisplayName("在庫不足時の注文処理テスト")
void testProcessOrderWithInsufficientStock() {
// スタブの設定
when(inventoryService.checkStock("ITEM001"))
.thenReturn(false);
// テスト実行
Order order = new Order("ITEM001", 2, 1000.0);
OrderResult result = orderService.processOrder(order);
// 検証
assertFalse(result.isSuccess());
assertEquals("在庫不足", result.getErrorMessage());
verify(paymentGateway, never()).processPayment(anyDouble());
}
}
パラメータ化テストで効率化
同じロジックを異なる入力値でテストする場合、パラメータ化テストが効果的です。
class TaxCalculatorTest {
void testCalculateTax(double amount, double rate, double expected) {
TaxCalculator calculator = new TaxCalculator();
assertEquals(expected, calculator.calculate(amount, rate));
@MethodSource("provideTestCases")
void testComplexTaxCalculation(TaxTestCase testCase) {
TaxCalculator calculator = new TaxCalculator();
calculator.calculateWithRules(testCase.amount, testCase.rules)
static Stream<TaxTestCase> provideTestCases() {
Arrays.asList(new TaxRule("BASE", 0.1)), 100),
new TaxRule("BASE", 0.1),
new TaxRule("CITY", 0.02)
@DisplayName("税額計算のテスト")
class TaxCalculatorTest {
@ParameterizedTest
@CsvSource({
"1000, 0.10, 100",
"2000, 0.10, 200",
"5000, 0.08, 400",
"8000, 0.08, 640"
})
@DisplayName("基本的な税額計算")
void testCalculateTax(double amount, double rate, double expected) {
TaxCalculator calculator = new TaxCalculator();
assertEquals(expected, calculator.calculate(amount, rate));
}
@ParameterizedTest
@MethodSource("provideTestCases")
@DisplayName("複雑な税額計算")
void testComplexTaxCalculation(TaxTestCase testCase) {
TaxCalculator calculator = new TaxCalculator();
assertEquals(
testCase.expected,
calculator.calculateWithRules(testCase.amount, testCase.rules)
);
}
static Stream<TaxTestCase> provideTestCases() {
return Stream.of(
new TaxTestCase(1000,
Arrays.asList(new TaxRule("BASE", 0.1)), 100),
new TaxTestCase(2000,
Arrays.asList(
new TaxRule("BASE", 0.1),
new TaxRule("CITY", 0.02)
), 240)
);
}
}
@DisplayName("税額計算のテスト")
class TaxCalculatorTest {
@ParameterizedTest
@CsvSource({
"1000, 0.10, 100",
"2000, 0.10, 200",
"5000, 0.08, 400",
"8000, 0.08, 640"
})
@DisplayName("基本的な税額計算")
void testCalculateTax(double amount, double rate, double expected) {
TaxCalculator calculator = new TaxCalculator();
assertEquals(expected, calculator.calculate(amount, rate));
}
@ParameterizedTest
@MethodSource("provideTestCases")
@DisplayName("複雑な税額計算")
void testComplexTaxCalculation(TaxTestCase testCase) {
TaxCalculator calculator = new TaxCalculator();
assertEquals(
testCase.expected,
calculator.calculateWithRules(testCase.amount, testCase.rules)
);
}
static Stream<TaxTestCase> provideTestCases() {
return Stream.of(
new TaxTestCase(1000,
Arrays.asList(new TaxRule("BASE", 0.1)), 100),
new TaxTestCase(2000,
Arrays.asList(
new TaxRule("BASE", 0.1),
new TaxRule("CITY", 0.02)
), 240)
);
}
}
パラメータ化テストの高度な使い方
class AdvancedParameterizedTests {
@ValueSource(strings = {"", " ", " "})
void testIsBlank(String input) {
assertTrue(StringUtils.isBlank(input));
@EnumSource(value = DayOfWeek.class,
names = {"SATURDAY", "SUNDAY"})
void testIsWeekend(DayOfWeek day) {
assertTrue(DateUtils.isWeekend(day));
@CsvFileSource(resources = "/test-data.csv",
void testWithCsvFile(String input, int expected) {
BusinessLogic.process(input));
class AdvancedParameterizedTests {
@ParameterizedTest
@ValueSource(strings = {"", " ", " "})
void testIsBlank(String input) {
assertTrue(StringUtils.isBlank(input));
}
@ParameterizedTest
@EnumSource(value = DayOfWeek.class,
names = {"SATURDAY", "SUNDAY"})
void testIsWeekend(DayOfWeek day) {
assertTrue(DateUtils.isWeekend(day));
}
@ParameterizedTest
@CsvFileSource(resources = "/test-data.csv",
numLinesToSkip = 1)
void testWithCsvFile(String input, int expected) {
assertEquals(expected,
BusinessLogic.process(input));
}
}
class AdvancedParameterizedTests {
@ParameterizedTest
@ValueSource(strings = {"", " ", " "})
void testIsBlank(String input) {
assertTrue(StringUtils.isBlank(input));
}
@ParameterizedTest
@EnumSource(value = DayOfWeek.class,
names = {"SATURDAY", "SUNDAY"})
void testIsWeekend(DayOfWeek day) {
assertTrue(DateUtils.isWeekend(day));
}
@ParameterizedTest
@CsvFileSource(resources = "/test-data.csv",
numLinesToSkip = 1)
void testWithCsvFile(String input, int expected) {
assertEquals(expected,
BusinessLogic.process(input));
}
}
このように、実践的なテストコードを書く際は:
- BDDパターンで可読性の高いテストを設計
- モックとスタブで外部依存を適切に処理
- パラメータ化テストで効率的にテストケースを網羅
することで、保守性が高く信頼できるテストスイートを構築できます。
現場で使える上級テクニック
テストカバレッジ100%への道筋
カバレッジレポートの設定
Maven用の設定(pom.xml):
<groupId>org.jacoco</groupId>
<artifactId>jacoco-maven-plugin</artifactId>
<version>0.8.11</version>
<goal>prepare-agent</goal>
<value>COVEREDRATIO</value>
<plugin>
<groupId>org.jacoco</groupId>
<artifactId>jacoco-maven-plugin</artifactId>
<version>0.8.11</version>
<executions>
<execution>
<goals>
<goal>prepare-agent</goal>
</goals>
</execution>
<execution>
<id>report</id>
<phase>test</phase>
<goals>
<goal>report</goal>
</goals>
</execution>
<execution>
<id>check</id>
<goals>
<goal>check</goal>
</goals>
<configuration>
<rules>
<rule>
<element>CLASS</element>
<limits>
<limit>
<counter>LINE</counter>
<value>COVEREDRATIO</value>
<minimum>0.90</minimum>
</limit>
</limits>
</rule>
</rules>
</configuration>
</execution>
</executions>
</plugin>
<plugin>
<groupId>org.jacoco</groupId>
<artifactId>jacoco-maven-plugin</artifactId>
<version>0.8.11</version>
<executions>
<execution>
<goals>
<goal>prepare-agent</goal>
</goals>
</execution>
<execution>
<id>report</id>
<phase>test</phase>
<goals>
<goal>report</goal>
</goals>
</execution>
<execution>
<id>check</id>
<goals>
<goal>check</goal>
</goals>
<configuration>
<rules>
<rule>
<element>CLASS</element>
<limits>
<limit>
<counter>LINE</counter>
<value>COVEREDRATIO</value>
<minimum>0.90</minimum>
</limit>
</limits>
</rule>
</rules>
</configuration>
</execution>
</executions>
</plugin>
効果的なカバレッジ向上テクニック
void testComplexLogicWithAllBranches() {
ComplexService service = new ComplexService();
assertThrows(IllegalArgumentException.class,
() -> service.process(-1));
assertEquals(0, service.process(0));
assertEquals(100, service.process(100));
assertThrows(IllegalArgumentException.class,
() -> service.process(101));
assertTrue(service.validate(
new Request(true, false, "TEST")));
assertFalse(service.validate(
new Request(false, true, "TEST")));
class TestableService extends ComplexService {
protected boolean internalValidation(String input) {
return super.internalValidation(input);
TestableService testable = new TestableService();
assertTrue(testable.internalValidation("valid"));
@Test
void testComplexLogicWithAllBranches() {
ComplexService service = new ComplexService();
// 1. 境界値のテスト
assertThrows(IllegalArgumentException.class,
() -> service.process(-1));
assertEquals(0, service.process(0));
assertEquals(100, service.process(100));
assertThrows(IllegalArgumentException.class,
() -> service.process(101));
// 2. 条件分岐のカバレッジ
assertTrue(service.validate(
new Request(true, false, "TEST")));
assertFalse(service.validate(
new Request(false, true, "TEST")));
// 3. プライベートメソッドのテスト
// テストしやすい設計に変更することを推奨
class TestableService extends ComplexService {
@Override
protected boolean internalValidation(String input) {
return super.internalValidation(input);
}
}
TestableService testable = new TestableService();
assertTrue(testable.internalValidation("valid"));
}
@Test
void testComplexLogicWithAllBranches() {
ComplexService service = new ComplexService();
// 1. 境界値のテスト
assertThrows(IllegalArgumentException.class,
() -> service.process(-1));
assertEquals(0, service.process(0));
assertEquals(100, service.process(100));
assertThrows(IllegalArgumentException.class,
() -> service.process(101));
// 2. 条件分岐のカバレッジ
assertTrue(service.validate(
new Request(true, false, "TEST")));
assertFalse(service.validate(
new Request(false, true, "TEST")));
// 3. プライベートメソッドのテスト
// テストしやすい設計に変更することを推奨
class TestableService extends ComplexService {
@Override
protected boolean internalValidation(String input) {
return super.internalValidation(input);
}
}
TestableService testable = new TestableService();
assertTrue(testable.internalValidation("valid"));
}
テスト実行時間を50%削減する方法
1. テストの並列実行
@Execution(ExecutionMode.CONCURRENT)
@Test
@Execution(ExecutionMode.CONCURRENT)
class ParallelTest {
@RepeatedTest(100)
void longRunningTest() {
// 重い処理
}
}
@Test
@Execution(ExecutionMode.CONCURRENT)
class ParallelTest {
@RepeatedTest(100)
void longRunningTest() {
// 重い処理
}
}
設定ファイル(junit-platform.properties):
junit.jupiter.execution.parallel.enabled=true
junit.jupiter.execution.parallel.mode.default=concurrent
junit.jupiter.execution.parallel.mode.classes.default=concurrent
junit.jupiter.execution.parallel.config.strategy=dynamic
junit.jupiter.execution.parallel.config.dynamic.factor=1
junit.jupiter.execution.parallel.enabled=true
junit.jupiter.execution.parallel.mode.default=concurrent
junit.jupiter.execution.parallel.mode.classes.default=concurrent
junit.jupiter.execution.parallel.config.strategy=dynamic
junit.jupiter.execution.parallel.config.dynamic.factor=1
junit.jupiter.execution.parallel.enabled=true
junit.jupiter.execution.parallel.mode.default=concurrent
junit.jupiter.execution.parallel.mode.classes.default=concurrent
junit.jupiter.execution.parallel.config.strategy=dynamic
junit.jupiter.execution.parallel.config.dynamic.factor=1
2. テストの最適化テクニック
private static ExpensiveResource resource;
static void initResource() {
resource = new ExpensiveResource();
Stream<DynamicTest> generateTests() {
return Stream.of("A", "B", "C")
.map(input -> DynamicTest.dynamicTest(
() -> assertTrue(resource.process(input))
@DisabledIfEnvironmentVariable(
class OptimizedTests {
// 1. 共有リソースの再利用
private static ExpensiveResource resource;
@BeforeAll
static void initResource() {
resource = new ExpensiveResource();
}
// 2. テストデータの効率的な準備
@TestFactory
Stream<DynamicTest> generateTests() {
return Stream.of("A", "B", "C")
.map(input -> DynamicTest.dynamicTest(
"Test " + input,
() -> assertTrue(resource.process(input))
));
}
// 3. 不要な初期化の回避
@Test
@DisabledIfEnvironmentVariable(
named = "TEST_ENV",
matches = "PROD"
)
void skipInProd() {
// プロダクション環境でスキップ
}
}
class OptimizedTests {
// 1. 共有リソースの再利用
private static ExpensiveResource resource;
@BeforeAll
static void initResource() {
resource = new ExpensiveResource();
}
// 2. テストデータの効率的な準備
@TestFactory
Stream<DynamicTest> generateTests() {
return Stream.of("A", "B", "C")
.map(input -> DynamicTest.dynamicTest(
"Test " + input,
() -> assertTrue(resource.process(input))
));
}
// 3. 不要な初期化の回避
@Test
@DisabledIfEnvironmentVariable(
named = "TEST_ENV",
matches = "PROD"
)
void skipInProd() {
// プロダクション環境でスキップ
}
}
CI/CDパイプラインとの連携
GitLab CI/CD設定例
- target/surefire-reports/TEST-*.xml
coverage: '/Total.*?([0-9]{1,3})%/'
test:
stage: test
script:
- mvn clean test
artifacts:
reports:
junit:
- target/surefire-reports/TEST-*.xml
paths:
- target/site/jacoco/
coverage: '/Total.*?([0-9]{1,3})%/'
test:
stage: test
script:
- mvn clean test
artifacts:
reports:
junit:
- target/surefire-reports/TEST-*.xml
paths:
- target/site/jacoco/
coverage: '/Total.*?([0-9]{1,3})%/'
GitHub Actions設定例
- uses: actions/checkout@v3
uses: actions/setup-java@v3
- name: Publish Test Report
uses: mikepenz/action-junit-report@v3
report_paths: '**/target/surefire-reports/TEST-*.xml'
uses: actions/upload-artifact@v3
path: target/site/jacoco/
name: Java CI with Maven
on: [push, pull_request]
jobs:
test:
runs-on: ubuntu-latest
steps:
- uses: actions/checkout@v3
- name: Set up JDK
uses: actions/setup-java@v3
with:
java-version: '17'
distribution: 'temurin'
- name: Test with Maven
run: mvn clean test
- name: Publish Test Report
uses: mikepenz/action-junit-report@v3
if: always()
with:
report_paths: '**/target/surefire-reports/TEST-*.xml'
- name: Upload coverage
uses: actions/upload-artifact@v3
with:
name: coverage-report
path: target/site/jacoco/
name: Java CI with Maven
on: [push, pull_request]
jobs:
test:
runs-on: ubuntu-latest
steps:
- uses: actions/checkout@v3
- name: Set up JDK
uses: actions/setup-java@v3
with:
java-version: '17'
distribution: 'temurin'
- name: Test with Maven
run: mvn clean test
- name: Publish Test Report
uses: mikepenz/action-junit-report@v3
if: always()
with:
report_paths: '**/target/surefire-reports/TEST-*.xml'
- name: Upload coverage
uses: actions/upload-artifact@v3
with:
name: coverage-report
path: target/site/jacoco/
Jenkins Pipeline設定例
junit '**/target/surefire-reports/TEST-*.xml'
execPattern: 'target/jacoco.exec',
classPattern: 'target/classes',
sourcePattern: 'src/main/java',
exclusionPattern: 'src/test/*'
pipeline {
agent any
stages {
stage('Test') {
steps {
sh 'mvn clean test'
}
post {
always {
junit '**/target/surefire-reports/TEST-*.xml'
jacoco(
execPattern: 'target/jacoco.exec',
classPattern: 'target/classes',
sourcePattern: 'src/main/java',
exclusionPattern: 'src/test/*'
)
}
}
}
}
}
pipeline {
agent any
stages {
stage('Test') {
steps {
sh 'mvn clean test'
}
post {
always {
junit '**/target/surefire-reports/TEST-*.xml'
jacoco(
execPattern: 'target/jacoco.exec',
classPattern: 'target/classes',
sourcePattern: 'src/main/java',
exclusionPattern: 'src/test/*'
)
}
}
}
}
}
これらの上級テクニックを活用することで:
- テストの品質を定量的に計測・改善
- テスト実行時間を大幅に短縮
- CI/CDプロセスを自動化・効率化
することができ、開発チームの生産性向上に貢献できます。
よくあるトラブルと解決方法
テスト失敗時のデバッグ手順
1. テスト失敗のパターン分析
失敗パターン | よくある原因 | 確認ポイント |
---|
AssertionError | 期待値と実際の値の不一致 | – 期待値の妥当性 – 実際の値の計算ロジック |
NullPointerException | オブジェクト初期化の問題 | – @BeforeEachの実装 – モックの設定 |
TimeoutException | 処理時間超過 | – タイムアウト設定 – 非同期処理の待機 |
2. 効果的なデバッグ手法
void demonstrateDebugging() {
Logger logger = LoggerFactory.getLogger(this.getClass());
TestInfo testInfo = new TestInfo() {
public String getDisplayName() {
User user = new User("test@example.com");
assertNotNull(user.getEmail(),
"ユーザーのメールアドレスがnullです。初期化を確認してください。");
Order order = new Order(user);
() -> assertNotNull(order, "注文オブジェクトがnull"),
() -> assertNotNull(order.getUser(), "注文のユーザーがnull"),
() -> assertEquals("test@example.com",
order.getUser().getEmail(), "メールアドレスが一致しない")
@Test
void demonstrateDebugging() {
// 1. ログ出力を活用
Logger logger = LoggerFactory.getLogger(this.getClass());
// 2. テスト実行時の詳細情報を表示
TestInfo testInfo = new TestInfo() {
@Override
public String getDisplayName() {
return "デバッグテスト";
}
};
// 3. アサーションメッセージを具体的に
User user = new User("test@example.com");
assertNotNull(user.getEmail(),
"ユーザーのメールアドレスがnullです。初期化を確認してください。");
// 4. 段階的な検証
Order order = new Order(user);
assertAll("注文処理の検証",
() -> assertNotNull(order, "注文オブジェクトがnull"),
() -> assertNotNull(order.getUser(), "注文のユーザーがnull"),
() -> assertEquals("test@example.com",
order.getUser().getEmail(), "メールアドレスが一致しない")
);
}
@Test
void demonstrateDebugging() {
// 1. ログ出力を活用
Logger logger = LoggerFactory.getLogger(this.getClass());
// 2. テスト実行時の詳細情報を表示
TestInfo testInfo = new TestInfo() {
@Override
public String getDisplayName() {
return "デバッグテスト";
}
};
// 3. アサーションメッセージを具体的に
User user = new User("test@example.com");
assertNotNull(user.getEmail(),
"ユーザーのメールアドレスがnullです。初期化を確認してください。");
// 4. 段階的な検証
Order order = new Order(user);
assertAll("注文処理の検証",
() -> assertNotNull(order, "注文オブジェクトがnull"),
() -> assertNotNull(order.getUser(), "注文のユーザーがnull"),
() -> assertEquals("test@example.com",
order.getUser().getEmail(), "メールアドレスが一致しない")
);
}
デバッグ用の便利なアノテーション
@DisplayName("障害発生時のコンテキスト情報表示")
void testWithCustomFailureMessage() {
DatabaseConnection.isAvailable(),
"システム状態: %s, メモリ使用率: %d%%",
@EnabledIfEnvironmentVariable(
void testInDevelopmentOnly() {
class DebugHelperTest {
// テスト失敗時に詳細情報を表示
@Test
@DisplayName("障害発生時のコンテキスト情報表示")
void testWithCustomFailureMessage() {
assumeTrue(
DatabaseConnection.isAvailable(),
"データベース接続が利用できません"
);
// カスタムコンディション
Assertions.assertTrue(
isSystemReady(),
() -> String.format(
"システム状態: %s, メモリ使用率: %d%%",
getSystemStatus(),
getMemoryUsage()
)
);
}
// 特定の環境でのみ実行
@Test
@EnabledIfEnvironmentVariable(
named = "TEST_ENV",
matches = "development"
)
void testInDevelopmentOnly() {
// 開発環境特有のテスト
}
}
class DebugHelperTest {
// テスト失敗時に詳細情報を表示
@Test
@DisplayName("障害発生時のコンテキスト情報表示")
void testWithCustomFailureMessage() {
assumeTrue(
DatabaseConnection.isAvailable(),
"データベース接続が利用できません"
);
// カスタムコンディション
Assertions.assertTrue(
isSystemReady(),
() -> String.format(
"システム状態: %s, メモリ使用率: %d%%",
getSystemStatus(),
getMemoryUsage()
)
);
}
// 特定の環境でのみ実行
@Test
@EnabledIfEnvironmentVariable(
named = "TEST_ENV",
matches = "development"
)
void testInDevelopmentOnly() {
// 開発環境特有のテスト
}
}
環境依存の問題への対処法
1. 一時ファイル処理の問題
void setUp() throws IOException {
tempDir = Files.createTempDirectory("test");
void testFileOperations() throws IOException {
Path testFile = tempDir.resolve("test.txt");
Files.write(testFile, "test data".getBytes());
FileProcessor processor = new FileProcessor();
assertTrue(processor.process(testFile));
void tearDown() throws IOException {
.sorted(Comparator.reverseOrder())
} catch (IOException e) {
class FileHandlingTest {
private Path tempDir;
@BeforeEach
void setUp() throws IOException {
// 一時ディレクトリの作成
tempDir = Files.createTempDirectory("test");
}
@Test
void testFileOperations() throws IOException {
// テスト用ファイルの作成
Path testFile = tempDir.resolve("test.txt");
Files.write(testFile, "test data".getBytes());
// テスト実行
FileProcessor processor = new FileProcessor();
assertTrue(processor.process(testFile));
}
@AfterEach
void tearDown() throws IOException {
// 一時ファイルの確実な削除
Files.walk(tempDir)
.sorted(Comparator.reverseOrder())
.forEach(path -> {
try {
Files.delete(path);
} catch (IOException e) {
// エラーログ記録
}
});
}
}
class FileHandlingTest {
private Path tempDir;
@BeforeEach
void setUp() throws IOException {
// 一時ディレクトリの作成
tempDir = Files.createTempDirectory("test");
}
@Test
void testFileOperations() throws IOException {
// テスト用ファイルの作成
Path testFile = tempDir.resolve("test.txt");
Files.write(testFile, "test data".getBytes());
// テスト実行
FileProcessor processor = new FileProcessor();
assertTrue(processor.process(testFile));
}
@AfterEach
void tearDown() throws IOException {
// 一時ファイルの確実な削除
Files.walk(tempDir)
.sorted(Comparator.reverseOrder())
.forEach(path -> {
try {
Files.delete(path);
} catch (IOException e) {
// エラーログ記録
}
});
}
}
2. 日付・時刻に依存するテスト
void testWithFixedTime() {
Clock fixedClock = Clock.fixed(
Instant.parse("2024-01-01T10:00:00Z"),
TimeService timeService = new TimeService(fixedClock);
assertEquals("2024-01-01",
timeService.getCurrentDate());
void testWithTimeZone() {
TimeZone original = TimeZone.getDefault();
TimeZone.getTimeZone("Asia/Tokyo"));
TimeZone.setDefault(original);
class TimeBasedTest {
@Test
void testWithFixedTime() {
// 時刻を固定
Clock fixedClock = Clock.fixed(
Instant.parse("2024-01-01T10:00:00Z"),
ZoneId.systemDefault()
);
TimeService timeService = new TimeService(fixedClock);
assertEquals("2024-01-01",
timeService.getCurrentDate());
}
@Test
void testWithTimeZone() {
// タイムゾーンを一時的に変更
TimeZone original = TimeZone.getDefault();
try {
TimeZone.setDefault(
TimeZone.getTimeZone("Asia/Tokyo"));
// テスト実行
} finally {
// 必ず元に戻す
TimeZone.setDefault(original);
}
}
}
class TimeBasedTest {
@Test
void testWithFixedTime() {
// 時刻を固定
Clock fixedClock = Clock.fixed(
Instant.parse("2024-01-01T10:00:00Z"),
ZoneId.systemDefault()
);
TimeService timeService = new TimeService(fixedClock);
assertEquals("2024-01-01",
timeService.getCurrentDate());
}
@Test
void testWithTimeZone() {
// タイムゾーンを一時的に変更
TimeZone original = TimeZone.getDefault();
try {
TimeZone.setDefault(
TimeZone.getTimeZone("Asia/Tokyo"));
// テスト実行
} finally {
// 必ず元に戻す
TimeZone.setDefault(original);
}
}
}
トラブルシューティングのベストプラクティス
- エラーメッセージの明確化
- 具体的な失敗条件を記述
- コンテキスト情報を含める
- 期待値と実際の値を明示
- テスト環境の分離
- 環境変数による制御
- テスト用の設定ファイル
- モックサービスの活用
- デバッグ情報の充実
- ログレベルの調整
- テスト実行コンテキストの記録
- 失敗時のスクリーンショット
これらの手法を活用することで、テストの問題を効率的に特定し、解決することができます。
次のステップ:テスト駆動開発への発展
TDDの基本サイクルとJUnit
テスト駆動開発(TDD)は「Red-Green-Refactor」サイクルに基づいて開発を進めます。
TDDの基本サイクル
- Red: 失敗するテストを書く
- Green: テストが通るように最小限の実装を行う
- Refactor: コードを改善する
// Step 1: Red - まず失敗するテストを書く
void testCalculateDiscountPrice() {
PriceCalculator calculator = new PriceCalculator();
// 1000円の商品に10%割引を適用すると900円になるはず
calculator.calculateDiscountPrice(1000, 10));
// Step 2: Green - 最小限の実装で通るようにする
public class PriceCalculator {
public int calculateDiscountPrice(int price, int discountPercent) {
return price - (price * discountPercent / 100);
// Step 3: Refactor - コードを改善する
public class PriceCalculator {
public int calculateDiscountPrice(int price, int discountPercent) {
validateInputs(price, discountPercent);
return calculateWithDiscount(price, discountPercent);
private void validateInputs(int price, int discountPercent) {
if (price < 0) throw new IllegalArgumentException("価格は0以上である必要があります");
if (discountPercent < 0 || discountPercent > 100)
throw new IllegalArgumentException("割引率は0-100の範囲である必要があります");
private int calculateWithDiscount(int price, int discountPercent) {
return price - (price * discountPercent / 100);
// Step 1: Red - まず失敗するテストを書く
@Test
void testCalculateDiscountPrice() {
PriceCalculator calculator = new PriceCalculator();
// 1000円の商品に10%割引を適用すると900円になるはず
assertEquals(900,
calculator.calculateDiscountPrice(1000, 10));
}
// Step 2: Green - 最小限の実装で通るようにする
public class PriceCalculator {
public int calculateDiscountPrice(int price, int discountPercent) {
return price - (price * discountPercent / 100);
}
}
// Step 3: Refactor - コードを改善する
public class PriceCalculator {
public int calculateDiscountPrice(int price, int discountPercent) {
validateInputs(price, discountPercent);
return calculateWithDiscount(price, discountPercent);
}
private void validateInputs(int price, int discountPercent) {
if (price < 0) throw new IllegalArgumentException("価格は0以上である必要があります");
if (discountPercent < 0 || discountPercent > 100)
throw new IllegalArgumentException("割引率は0-100の範囲である必要があります");
}
private int calculateWithDiscount(int price, int discountPercent) {
return price - (price * discountPercent / 100);
}
}
// Step 1: Red - まず失敗するテストを書く
@Test
void testCalculateDiscountPrice() {
PriceCalculator calculator = new PriceCalculator();
// 1000円の商品に10%割引を適用すると900円になるはず
assertEquals(900,
calculator.calculateDiscountPrice(1000, 10));
}
// Step 2: Green - 最小限の実装で通るようにする
public class PriceCalculator {
public int calculateDiscountPrice(int price, int discountPercent) {
return price - (price * discountPercent / 100);
}
}
// Step 3: Refactor - コードを改善する
public class PriceCalculator {
public int calculateDiscountPrice(int price, int discountPercent) {
validateInputs(price, discountPercent);
return calculateWithDiscount(price, discountPercent);
}
private void validateInputs(int price, int discountPercent) {
if (price < 0) throw new IllegalArgumentException("価格は0以上である必要があります");
if (discountPercent < 0 || discountPercent > 100)
throw new IllegalArgumentException("割引率は0-100の範囲である必要があります");
}
private int calculateWithDiscount(int price, int discountPercent) {
return price - (price * discountPercent / 100);
}
}
実務で使えるTDDの実践例
ショッピングカート機能のTDD開発例
void testAddItemToCart() {
ShoppingCart cart = new ShoppingCart();
Product product = new Product("テスト商品", 1000);
cart.addItem(product, 2);
assertEquals(2000, cart.getTotalPrice());
assertEquals(1, cart.getUniqueItemCount());
assertEquals(2, cart.getQuantity(product));
public class ShoppingCart {
private Map<Product, Integer> items = new HashMap<>();
public void addItem(Product product, int quantity) {
items.merge(product, quantity, Integer::sum);
public int getTotalPrice() {
return items.entrySet().stream()
.mapToInt(e -> e.getKey().getPrice() * e.getValue())
public int getUniqueItemCount() {
public int getQuantity(Product product) {
return items.getOrDefault(product, 0);
void testRemoveItemFromCart() {
ShoppingCart cart = new ShoppingCart();
Product product = new Product("テスト商品", 1000);
cart.addItem(product, 3);
cart.removeItem(product, 2);
assertEquals(1000, cart.getTotalPrice());
assertEquals(1, cart.getQuantity(product));
public class ShoppingCart {
public void removeItem(Product product, int quantity) {
int currentQty = items.getOrDefault(product, 0);
int newQty = Math.max(0, currentQty - quantity);
items.put(product, newQty);
// 1. まず失敗するテストを書く
@Test
void testAddItemToCart() {
ShoppingCart cart = new ShoppingCart();
Product product = new Product("テスト商品", 1000);
cart.addItem(product, 2);
assertEquals(2000, cart.getTotalPrice());
assertEquals(1, cart.getUniqueItemCount());
assertEquals(2, cart.getQuantity(product));
}
// 2. 最小限の実装
public class ShoppingCart {
private Map<Product, Integer> items = new HashMap<>();
public void addItem(Product product, int quantity) {
items.merge(product, quantity, Integer::sum);
}
public int getTotalPrice() {
return items.entrySet().stream()
.mapToInt(e -> e.getKey().getPrice() * e.getValue())
.sum();
}
public int getUniqueItemCount() {
return items.size();
}
public int getQuantity(Product product) {
return items.getOrDefault(product, 0);
}
}
// 3. 追加のテストケース
@Test
void testRemoveItemFromCart() {
ShoppingCart cart = new ShoppingCart();
Product product = new Product("テスト商品", 1000);
cart.addItem(product, 3);
cart.removeItem(product, 2);
assertEquals(1000, cart.getTotalPrice());
assertEquals(1, cart.getQuantity(product));
}
// 4. 機能の追加と改善
public class ShoppingCart {
// 既存のコード...
public void removeItem(Product product, int quantity) {
int currentQty = items.getOrDefault(product, 0);
int newQty = Math.max(0, currentQty - quantity);
if (newQty == 0) {
items.remove(product);
} else {
items.put(product, newQty);
}
}
}
// 1. まず失敗するテストを書く
@Test
void testAddItemToCart() {
ShoppingCart cart = new ShoppingCart();
Product product = new Product("テスト商品", 1000);
cart.addItem(product, 2);
assertEquals(2000, cart.getTotalPrice());
assertEquals(1, cart.getUniqueItemCount());
assertEquals(2, cart.getQuantity(product));
}
// 2. 最小限の実装
public class ShoppingCart {
private Map<Product, Integer> items = new HashMap<>();
public void addItem(Product product, int quantity) {
items.merge(product, quantity, Integer::sum);
}
public int getTotalPrice() {
return items.entrySet().stream()
.mapToInt(e -> e.getKey().getPrice() * e.getValue())
.sum();
}
public int getUniqueItemCount() {
return items.size();
}
public int getQuantity(Product product) {
return items.getOrDefault(product, 0);
}
}
// 3. 追加のテストケース
@Test
void testRemoveItemFromCart() {
ShoppingCart cart = new ShoppingCart();
Product product = new Product("テスト商品", 1000);
cart.addItem(product, 3);
cart.removeItem(product, 2);
assertEquals(1000, cart.getTotalPrice());
assertEquals(1, cart.getQuantity(product));
}
// 4. 機能の追加と改善
public class ShoppingCart {
// 既存のコード...
public void removeItem(Product product, int quantity) {
int currentQty = items.getOrDefault(product, 0);
int newQty = Math.max(0, currentQty - quantity);
if (newQty == 0) {
items.remove(product);
} else {
items.put(product, newQty);
}
}
}
TDD実践のためのベストプラクティス
- テストの粒度を適切に保つ
- 1テストにつき1つの機能
- 境界値のテストを忘れない
- テストケース名で意図を明確に
- FIRST原則の遵守
- Fast(高速)
- Independent(独立)
- Repeatable(再現可能)
- Self-validating(自己検証)
- Timely(適時)
- 実装の進め方
- 小さなステップで進める
- リファクタリングを怠らない
- テストコードも品質を保つ
TDDを実践することで得られる利点
- コードの品質が向上
- 設計の改善が容易
- バグの早期発見が可能
- メンテナンス性の向上
まとめ
JUnit習得のキーポイント
1. 基本から実践までの段階的な学習
- JUnitの基本概念と導入方法を理解
- テストクラスの作成とアサーションの使い方を習得
- テストライフサイクルを活用した効率的なテスト設計
2. 実践的なテストスキル
- BDDアプローチによるテストケース設計
- モックとスタブを使用した依存関係の処理
- パラメータ化テストによるテストケースの効率化
3. プロフェッショナルな品質管理
- テストカバレッジの向上と測定
- テスト実行時間の最適化
- CI/CDパイプラインとの効果的な連携
4. トラブルシューティング能力
- 効率的なデバッグ手法の活用
- 環境依存問題への適切な対処
- テスト失敗時の系統的な解決アプローチ
次のステップに向けて
- スキル向上のロードマップ
- 基本的なユニットテストの作成から開始
- モックやスタブを活用した統合テストへ発展
- TDDの実践によるテスト駆動の開発プロセス習得
- 実践的な目標設定
- プロジェクトのテストカバレッジ80%以上を目指す
- テストの実行時間を最適化
- チーム全体のテスト文化の醸成
- 継続的な学習
- JUnitの新機能のキャッチアップ
- テストパターンの習得
- テスト自動化の範囲拡大
JUnitの習得は、単なるテストフレームワークの使用方法を学ぶだけでなく、品質の高いソフトウェア開発への第一歩となります。本記事で学んだ内容を実践に活かし、継続的な改善を重ねることで、より信頼性の高い開発プロセスを確立できます。
ぜひ、この記事を参考に自身のプロジェクトでJUnitを活用し、テスト駆動開発への歩みを進めていってください。
参考リソース