1

我正在使用 JUnit 规则来立即重新运行任何失败的测试。我的额外要求是,如果重新运行也失败,请确定它们是否因相同原因而失败。

为此,我调整了此答案中的代码,以记录故障并进行比较。但是,比较 (.equals) 始终评估为 false,尽管它们由于相同的原因而失败。解决此问题的最佳方法是什么?

  private Statement statement(final Statement base, final Description description) {
    return new Statement() {
      @Override
      public void evaluate() throws Throwable {

        for (int i = 0; i < retryCount; i++) {
          try {
            base.evaluate();
            return;
          } catch (Throwable t) {
            System.err.println(description.getDisplayName() + ": run " + (i + 1) + " failed");

            // Compare this error with the one before it.
            if (errors.size() > 0) {
              if (t.equals(errors.get(errors.size() - 1))) {
                System.out.println("The error is the same as the previous one!");
              } else {
                System.out.println("The error is different from the previous one.");
              }
            }

            errors.add(t);
          }
        }
        System.err.println(description.getDisplayName() + ": giving up after " + retryCount
            + " failures");

        // Throw most recent error.
        throw errors.get(errors.size() - 1);
      }
    };
  }
4

4 回答 4

3

仅使用instance ofif 想知道是否是任何类的类型,例如:

if( t instanceof Throwable){
   //... 
}
于 2015-05-15T13:44:54.930 回答
2

a 的相等Throwable性被定义为“相同Throwable”。(它比较参考。)


“相同的原因”是您需要为您的应用程序考虑和定义的东西。

我们可以定义它的一种方式是“相同的类型和大致相同的throw语句”:

static boolean sameTypeAndLine(Throwable t1, Throwable t2) {
    if (t1.getClass() == t2.getClass()) {
        StackTraceElement[] trace1 = t1.getStackTrace();
        StackTraceElement[] trace2 = t2.getStackTrace();
        return trace1[0].equals(trace2[0]);
    } else {
        return false;
    }
}

但这仍然有歧义:

  • if (bad1 || bad2) {
        // same throw site, different conditions
        throw new Exception(...);
    }
    
  • // throws NullPointerExeption
    // (was it foo or the result of bar() that was null?)
    Object baz = foo.bar().baz();
    

因此,您能做的最好的事情就是明确定义异常的原因:

class MyException {
    final Reason reason;

    MyException(Reason reason) {
        this.reason = reason;
    }

    // or a class, or whatever you need
    enum Reason {A, B, C}
}

并检查这些。然后另外,使用防止歧义的编码风格。

于 2015-05-15T13:57:37.347 回答
1

Equals 没有针对异常正确实现。您必须自己比较消息和/或堆栈跟踪。

于 2015-05-15T13:36:52.340 回答
1

您只能比较:

按名字

t.getClass().getName()

或通过 instanceof

t instanceof XXXXXXX
于 2015-05-15T13:43:50.230 回答