3

例外の処理を改善するために@Rule注釈を見つけました。jUnitエラーコードを確認する方法はありますか?

現在、私のコードは次のようになっています(@Ruleなし):

 @Test
    public void checkNullObject() {
    MyClass myClass= null;
    try {
        MyCustomClass.get(null); // it throws custom exception when null is passed
    } catch (CustomException e) { // error code is error.reason.null
        Assert.assertSame("error.reason.null", e.getInformationCode());
    }
    }

しかし、を使用して@Rule、私は次のことをしています:

        @Rule
        public ExpectedException exception = ExpectedException.none();

        @Test
        public void checkNullObject() throws CustomException {
        exception.expect(CustomException .class);
        exception.expectMessage("Input object is null.");
        MyClass myClass= null;
        MyCustomClass.get(null);

        }

しかし、私は以下のようなことをしたいと思います:

       @Rule
        public ExpectedException exception = ExpectedException.none();

        @Test
        public void checkNullObject() throws CustomException {
        exception.expect(CustomException .class);
       //currently below line is not legal. But I need to check errorcode.
        exception.errorCode("error.reason.null");
        MyClass myClass= null;
        MyCustomClass.get(null);

        }
4

2 に答える 2

4

メソッドを使用して、ルールでカスタムマッチャーを使用できますexpect(Matcher<?> matcher)

例えば:

public class ErrorCodeMatcher extends BaseMatcher<CustomException> {
  private final String expectedCode;

  public ErrorCodeMatcher(String expectedCode) {
    this.expectedCode = expectedCode;
  }

  @Override
  public boolean matches(Object item) {
    CustomException e = (CustomException)item;
    return expectedCode.equals(e.getInformationCode());
  }
}

とテストで:

exception.expect(new ErrorCodeMatcher("error.reason.null"));
于 2012-07-10T13:15:01.150 に答える
1

また、 ExpectedException.javaソースexpect(Matcher<?> matcher)内でがどのように使用されているかを確認できます。

private Matcher<Throwable> hasMessage(final Matcher<String> matcher) {
     return new TypeSafeMatcher<Throwable>() {
      @Override
        public boolean matchesSafely(Throwable item) {
        return matcher.matches(item.getMessage());
        }
   };
}

    public void expectMessage(Matcher<String> matcher) {
         expect(hasMessage(matcher));
 }
于 2012-07-10T13:24:31.687 に答える