web-dev-qa-db-ja.com

Java 8のJava.time APIでのモック時間

Joda Timeには、ニース DateTimeUtils.setCurrentMillisFixed() があります。

テストでは非常に実用的です。

Java 8のJava.time API に同等のものはありますか?

75
neu242

最も近いものはClockオブジェクトです。任意の時間を使用して(またはシステムの現在の時間から)Clockオブジェクトを作成できます。すべてのdate.timeオブジェクトには、現在の時刻の代わりにクロックオブジェクトを取るnowメソッドがオーバーロードされています。したがって、依存性注入を使用して、特定の時間でClockを注入できます。

public class MyBean {
    private Clock clock;  // dependency inject
    ...
    public void process(LocalDate eventDate) {
      if (eventDate.isBefore(LocalDate.now(clock)) {
        ...
      }
    }
  }

詳細については、 Clock JavaDoc を参照してください

59
dkatzel

新しいクラスを使用して、Clock.fixed作成を非表示にし、テストを簡素化しました。

public class TimeMachine {

    private static Clock clock = Clock.systemDefaultZone();
    private static ZoneId zoneId = ZoneId.systemDefault();

    public static LocalDateTime now() {
        return LocalDateTime.now(getClock());
    }

    public static void useFixedClockAt(LocalDateTime date){
        clock = Clock.fixed(date.atZone(zoneId).toInstant(), zoneId);
    }

    public static void useSystemDefaultZoneClock(){
        clock = Clock.systemDefaultZone();
    }

    private static Clock getClock() {
        return clock ;
    }
}
public class MyClass {

    public void doSomethingWithTime() {
        LocalDateTime now = TimeMachine.now();
        ...
    }
}
@Test
public void test() {
    LocalDateTime twoWeeksAgo = LocalDateTime.now().minusWeeks(2);

    MyClass myClass = new MyClass();

    TimeMachine.useFixedClockAt(twoWeeksAgo);
    myClass.doSomethingWithTime();

    TimeMachine.useSystemDefaultZoneClock();
    myClass.doSomethingWithTime();

    ...
}
19
LuizSignorelli

私はフィールドを使用しました

private Clock clock;

その後

LocalDate.now(clock);

私の生産コードで。次に、ユニットテストでMockitoを使用して、Clock.fixed()を使用してClockをモックしました。

@Mock
private Clock clock;
private Clock fixedClock;

モッキング:

fixedClock = Clock.fixed(Instant.now(), ZoneId.systemDefault());
doReturn(fixedClock.instant()).when(clock).instant();
doReturn(fixedClock.getZone()).when(clock).getZone();

アサーション:

assertThat(expectedLocalDateTime, is(LocalDate.now(fixedClock)));
7
Claas Wilke

Clockを使用すると、運用コードが乱雑になります。

JMockit または PowerMock を使用して、テストコードで静的メソッド呼び出しをモックできます。 JMockitの例:

@Test
public void testSth() {
  LocalDate today = LocalDate.of(2000, 6, 1);

  new Expectations(LocalDate.class) {{
      LocalDate.now(); result = today;
  }};

  Assert.assertEquals(LocalDate.now(), today);
}

EDIT:Jon Skeetの同様の答えに対するコメントを読んだ後 SOに関する質問 私は過去の自分に同意しない。他の何よりも、静的メソッドをモックするときにテストを並列化することはできないと私は確信しました。

ただし、レガシーコードを処理する必要がある場合は、静的モックを使用する必要があります。

6
Stefan Haberl

EasyMockを使用したJava 8 WebアプリケーションでJUnitテストを目的として、現在のシステム時刻を特定の日付に上書きするための実用的な方法を次に示します。

ジョダタイムは確かにニースです(ステファン、ブライアン、あなたは私たちの世界をより良い場所にしてくれました)、私はそれを使うことを許されませんでした。

いくつかの実験の後、EasyMockを使用してJava 8のJava.time APIで特定の日付までの時間を模擬する方法を最終的に思いつきました。

  • joda Time APIなし
  • そしてPowerMockなし。

実行する必要があるものは次のとおりです。

テストしたクラスで何をする必要があるか

ステップ1

テストしたクラスMyServiceに新しいJava.time.Clock属性を追加し、インスタンス化ブロックまたはコンストラクターを使用して、新しい属性がデフォルト値で適切に初期化されることを確認します。

import Java.time.Clock;
import Java.time.LocalDateTime;

public class MyService {
  // (...)
  private Clock clock;
  public Clock getClock() { return clock; }
  public void setClock(Clock newClock) { clock = newClock; }

  public void initDefaultClock() {
    setClock(
      Clock.system(
        Clock.systemDefaultZone().getZone() 
        // You can just as well use
        // Java.util.TimeZone.getDefault().toZoneId() instead
      )
    );
  }
  { initDefaultClock(); } // initialisation in an instantiation block, but 
                          // it can be done in a constructor just as well
  // (...)
}

ステップ2

現在の日時を呼び出すメソッドに新しい属性clockを挿入します。たとえば、私の場合、dataaseに保存された日付がLocalDateTime.now()の前に発生したかどうかのチェックを実行する必要がありました。これは、次のようにLocalDateTime.now(clock)に置き換えました。

import Java.time.Clock;
import Java.time.LocalDateTime;

public class MyService {
  // (...)
  protected void doExecute() {
    LocalDateTime dateToBeCompared = someLogic.whichReturns().aDate().fromDB();
    while (dateToBeCompared.isBefore(LocalDateTime.now(clock))) {
      someOtherLogic();
    }
  }
  // (...) 
}

テストクラスで行う必要があること

ステップ3

テストクラスで、模擬クロックオブジェクトを作成し、テスト済みメソッドdoExecute()を呼び出す直前にテスト対象クラスのインスタンスに注入し、その後すぐにリセットします。

import Java.time.Clock;
import Java.time.LocalDateTime;
import Java.time.OffsetDateTime;
import org.junit.Test;

public class MyServiceTest {
  // (...)
  private int year = 2017;  // Be this a specific 
  private int month = 2;    // date we need 
  private int day = 3;      // to simulate.

  @Test
  public void doExecuteTest() throws Exception {
    // (...) EasyMock stuff like mock(..), expect(..), replay(..) and whatnot

    MyService myService = new MyService();
    Clock mockClock =
      Clock.fixed(
        LocalDateTime.of(year, month, day, 0, 0).toInstant(OffsetDateTime.now().getOffset()),
        Clock.systemDefaultZone().getZone() // or Java.util.TimeZone.getDefault().toZoneId()
      );
    myService.setClock(mockClock); // set it before calling the tested method

    myService.doExecute(); // calling tested method 

    myService.initDefaultClock(); // reset the clock to default right afterwards with our own previously created method

    // (...) remaining EasyMock stuff: verify(..) and assertEquals(..)
    }
  }

デバッグモードで確認すると、2017年2月3日の日付がmyServiceインスタンスに正しく挿入され、比較命令で使用され、initDefaultClock()で現在の日付に適切にリセットされていることがわかります。

1
KiriSakow

この例では、InstantとLocalTimeを組み合わせる方法も示しています( 変換に関する問題の詳細な説明

テスト中のクラス

import Java.time.Clock;
import Java.time.LocalTime;

public class TimeMachine {

    private LocalTime from = LocalTime.MIDNIGHT;

    private LocalTime until = LocalTime.of(6, 0);

    private Clock clock = Clock.systemDefaultZone();

    public boolean isInInterval() {

        LocalTime now = LocalTime.now(clock);

        return now.isAfter(from) && now.isBefore(until);
    }

}

Groovyテスト

import org.junit.Test
import org.junit.runner.RunWith
import org.junit.runners.Parameterized

import Java.time.Clock
import Java.time.Instant

import static Java.time.ZoneOffset.UTC
import static org.junit.runners.Parameterized.Parameters

@RunWith(Parameterized)
class TimeMachineTest {

    @Parameters(name = "{0} - {2}")
    static data() {
        [
            ["01:22:00", true,  "in interval"],
            ["23:59:59", false, "before"],
            ["06:01:00", false, "after"],
        ]*.toArray()
    }

    String time
    boolean expected

    TimeMachineTest(String time, boolean expected, String testName) {
        this.time = time
        this.expected = expected
    }

    @Test
    void test() {
        TimeMachine timeMachine = new TimeMachine()
        timeMachine.clock = Clock.fixed(Instant.parse("2010-01-01T${time}Z"), UTC)
        def result = timeMachine.isInInterval()
        assert result == expected
    }

}
0
banterCZ

スプリングブートテスト用のPowerMockitoを使用すると、ZonedDateTimeをモックできます。次のものが必要です。

注釈

テストクラスではサービスを準備する必要がありますZonedDateTimeを使用します。

@RunWith(PowerMockRunner.class)
@PowerMockRunnerDelegate(SpringRunner.class)
@PrepareForTest({EscalationService.class})
@SpringBootTest
public class TestEscalationCases {
  @Autowired
  private EscalationService escalationService;
  //...
}

テストケース

テストでは、目的の時間を準備し、メソッド呼び出しの応答で取得できます。

  @Test
  public void escalateOnMondayAt14() throws Exception {
    ZonedDateTime preparedTime = ZonedDateTime.now();
    preparedTime = preparedTime.with(DayOfWeek.MONDAY);
    preparedTime = preparedTime.withHour(14);
    PowerMockito.mockStatic(ZonedDateTime.class);
    PowerMockito.when(ZonedDateTime.now(ArgumentMatchers.any(ZoneId.class))).thenReturn(preparedTime);
    // ... Assertions 
}
0
pasquale

LocalDateの代わりにLocalDateTimeインスタンスが必要です。
このような理由で、次のユーティリティクラスを作成しました。

public final class Clock {
    private static long time;

    private Clock() {
    }

    public static void setCurrentDate(LocalDate date) {
        Clock.time = date.toEpochDay();
    }

    public static LocalDate getCurrentDate() {
        return LocalDate.ofEpochDay(getDateMillis());
    }

    public static void resetDate() {
        Clock.time = 0;
    }

    private static long getDateMillis() {
        return (time == 0 ? LocalDate.now().toEpochDay() : time);
    }
}

そして、その使用方法は次のとおりです。

class ClockDemo {
    public static void main(String[] args) {
        System.out.println(Clock.getCurrentDate());

        Clock.setCurrentDate(LocalDate.of(1998, 12, 12));
        System.out.println(Clock.getCurrentDate());

        Clock.resetDate();
        System.out.println(Clock.getCurrentDate());
    }
}

出力:

2019-01-03
1998-12-12
2019-01-03

プロジェクトのすべての作成LocalDate.now()Clock.getCurrentDate()に置き換えました。

spring bootアプリケーションであるためです。 testプロファイルの実行前に、すべてのテストに事前定義された日付を設定するだけです。

public class TestProfileConfigurer implements ApplicationListener<ApplicationPreparedEvent> {
    private static final LocalDate TEST_DATE_MOCK = LocalDate.of(...);

    @Override
    public void onApplicationEvent(ApplicationPreparedEvent event) {
        ConfigurableEnvironment environment = event.getApplicationContext().getEnvironment();
        if (environment.acceptsProfiles(Profiles.of("test"))) {
            Clock.setCurrentDate(TEST_DATE_MOCK);
        }
    }
}

spring.factoriesに追加します:

org.springframework.context.ApplicationListener = com.init.TestProfileConfigurer

0
nazar_art