343

我知道这样做的一种方法是:

@Test
public void foo() {
   try {
      // execute code that you expect not to throw Exceptions.
   } catch(Exception e) {
      fail("Should not have thrown any exception");
   }
}

有没有更清洁的方法来做到这一点?(可能使用 Junit 的@Rule?)

4

18 回答 18

253

你以错误的方式接近这个。只需测试您的功能:如果抛出异常,测试将自动失败。如果没有抛出异常,您的测试将全部变为绿色。

我注意到这个问题不时引起人们的兴趣,所以我会扩大一点。

单元测试的背景

当您进行单元测试时,向您自己定义您认为的工作单元非常重要。基本上:提取您的代码库,可能包含也可能不包含表示单个功能的多个方法或类。

或者,如Roy Osherove 的 The art of Unit Testing, 2nd Edition 中所定义,第 11 页:

单元测试是一段自动化的代码,它调用正在测试的工作单元,然后检查关于该单元的单个最终结果的一些假设。单元测试几乎总是使用单元测试框架编写的。它可以轻松编写并快速运行。它是可信赖的、可读的和可维护的。只要生产代码没有改变,它的结果是一致的。

重要的是要意识到一个工作单元通常不仅仅是一种方法,而是在最基本的层面上它是一种方法,然后它被其他工作单元封装。

在此处输入图像描述

理想情况下,您应该对每个单独的工作单元都有一个测试方法,这样您就可以随时查看哪里出了问题。在此示例中,调用了一个基本方法getUserById(),该方法将返回一个用户,并且总共有 3 个工作单元。

第一个工作单元应该测试在有效和无效输入的情况下是否返回了有效用户。
数据源抛出的任何异常都必须在这里处理:如果没有用户存在,则应该有一个测试来证明当找不到用户时抛出了异常。其中一个示例可能是注释IllegalArgumentException中捕获的示例。@Test(expected = IllegalArgumentException.class)

一旦你处理了这个基本工作单元的所有用例,你就提升了一个层次。在这里您所做的完全相同,但您只处理来自当前级别正下方的异常。这可以使您的测试代码保持良好的结构,并允许您快速运行架构以找到问题所在,而不必到处乱跳。

处理测试的有效和错误输入

此时应该清楚我们将如何处理这些异常。输入有两种类型:有效输入和错误输入(严格意义上的输入有效,但不正确)。

当您使用有效输入时,您正在设置隐含的期望,即您编写的任何测试都将起作用。

这样的方法调用可能如下所示:existingUserById_ShouldReturn_UserObject. 如果此方法失败(例如:抛出异常),那么您就知道出了点问题,您可以开始挖掘。

通过添加另一个nonExistingUserById_ShouldThrow_IllegalArgumentException使用错误输入并期望出现异常的测试 ( ),您可以查看您的方法是否按照错误输入执行了它应该执行的操作。

TL;博士

您试图在测试中做两件事:检查有效和错误的输入。通过将其拆分为两种方法,每个方法都做一件事,您将获得更清晰的测试,并更好地了解哪里出了问题。

通过牢记分层的工作单元,您还可以减少层次结构中较高层所需的测试量,因为您不必考虑较低层中可能出现的所有问题:当前层之下的层是您的依赖项工作的虚拟保证,如果出现问题,它在您的当前层中(假设较低层本身不会引发任何错误)。

于 2013-07-18T18:33:11.323 回答
231

由于 SonarQube 的规则“squid:S2699”,我偶然发现了这一点:“在这个测试用例中至少添加一个断言。”

我有一个简单的测试,其唯一目标是在不抛出异常的情况下通过。

考虑这个简单的代码:

public class Printer {

    public static void printLine(final String line) {
        System.out.println(line);
    }
}

可以添加什么样的断言来测试这个方法?当然,您可以围绕它进行尝试,但这只是代码膨胀。

解决方案来自 JUnit 本身。

如果没有抛出异常并且您想明确说明此行为,只需添加expected如下示例:

@Test(expected = Test.None.class /* no exception expected */)
public void test_printLine() {
    Printer.printLine("line");
}

Test.None.class是预期值的默认值。

如果你import org.junit.Test.None,你可以写:

@Test(expected = None.class)

您可能会发现它更具可读性。

于 2017-06-28T11:44:59.250 回答
181

JUnit 5 (Jupiter) 提供了三个函数来检查异常是否存在:

assertAll​()

所有提供的断言executables
  不会引发异常。

assertDoesNotThrow​()

断言
  提供的executable/的执行supplier
不会引发任何类型的异常

  此功能
  自JUnit 5.2.0(2018 年 4 月 29 日)起可用。

assertThrows​()

断言提供的执行executable
抛出异常expectedType
  并返回异常

例子

package test.mycompany.myapp.mymodule;

import static org.junit.jupiter.api.Assertions.*;

import org.junit.jupiter.api.Test;

class MyClassTest {

    @Test
    void when_string_has_been_constructed_then_myFunction_does_not_throw() {
        String myString = "this string has been constructed";
        assertAll(() -> MyClass.myFunction(myString));
    }
    
    @Test
    void when_string_has_been_constructed_then_myFunction_does_not_throw__junit_v520() {
        String myString = "this string has been constructed";
        assertDoesNotThrow(() -> MyClass.myFunction(myString));
    }

    @Test
    void when_string_is_null_then_myFunction_throws_IllegalArgumentException() {
        String myString = null;
        assertThrows(
            IllegalArgumentException.class,
            () -> MyClass.myFunction(myString));
    }

}
于 2018-08-09T13:33:58.207 回答
85

使用AssertJ 流利的断言 3.7.0

Assertions.assertThatCode(() -> toTest.method())
    .doesNotThrowAnyException();
于 2017-05-19T07:51:33.497 回答
32

Java 8 让这变得容易多了,而 Kotlin/Scala 更是如此。

我们可以写一个小工具类

class MyAssertions{
  public static void assertDoesNotThrow(FailingRunnable action){
    try{
      action.run()
    }
    catch(Exception ex){
      throw new Error("expected action not to throw, but it did!", ex)
    }
  }
}

@FunctionalInterface interface FailingRunnable { void run() throws Exception }

然后你的代码变得简单:

@Test
public void foo(){
  MyAssertions.assertDoesNotThrow(() -> {
    //execute code that you expect not to throw Exceptions.
  }
}

如果您无法访问 Java-8,我会使用一个非常古老的 Java 工具:任意代码块和一个简单的注释

//setup
Component component = new Component();

//act
configure(component);

//assert 
/*assert does not throw*/{
  component.doSomething();
}

最后,使用 kotlin,这是我最近爱上的一种语言:

fun (() -> Any?).shouldNotThrow() 
    = try { invoke() } catch (ex : Exception){ throw Error("expected not to throw!", ex) }

@Test fun `when foo happens should not throw`(){

  //...

  { /*code that shouldn't throw*/ }.shouldNotThrow()
}

虽然有很大的空间来摆弄你想要如何表达这一点,但我一直是流利断言的粉丝。


关于

你以错误的方式接近这个。只需测试您的功能:如果抛出异常,测试将自动失败。如果没有抛出异常,您的测试将全部变为绿色。

这在原则上是正确的,但在结论上是错误的。

Java 允许控制流的异常。这是由 JRE 运行时本身在 API 中完成的,例如Double.parseDoublevia aNumberFormatExceptionPaths.getvia a InvalidPathException

假设您已经编写了一个验证数字字符串的组件Double.ParseDouble,可能使用正则表达式,可能是手写解析器,或者可能嵌入了一些其他域规则,这些规则将 double 的范围限制为特定的东西,如何最好地测试这个零件?我认为一个明显的测试是断言,当解析结果字符串时,不会引发异常。我会使用上述assertDoesNotThrow/*comment*/{code}块来编写该测试。就像是

@Test public void given_validator_accepts_string_result_should_be_interpretable_by_doubleParseDouble(){
  //setup
  String input = "12.34E+26" //a string double with domain significance

  //act
  boolean isValid = component.validate(input)

  //assert -- using the library 'assertJ', my personal favourite 
  assertThat(isValid).describedAs(input + " was considered valid by component").isTrue();
  assertDoesNotThrow(() -> Double.parseDouble(input));
}

我还鼓励您在input使用Theoriesor时将此测试参数化Parameterized,以便您可以更轻松地将此测试用于其他输入。或者,如果你想变得异国情调,你可以选择一个测试生成工具(和这个)。TestNG 对参数化测试有更好的支持。

我发现特别令人不快的是使用的建议@Test(expectedException=IllegalArgumentException.class)这个例外是危险的广泛。如果您的代码发生更改,使得被测组件的构造函数具有if(constructorArgument <= 0) throw IllegalArgumentException(),并且您的测试为该参数提供 0 因为它很方便——这很常见,因为良好的生成测试数据是一个非常困难的问题——那么你的测试即使它什么也没测试,也会是绿条。这样的测试比没用还糟糕。

于 2016-05-13T07:10:26.443 回答
28

如果您不幸捕获代码中的所有错误。你可以愚蠢地做

class DumpTest {
    Exception ex;
    @Test
    public void testWhatEver() {
        try {
            thisShouldThrowError();
        } catch (Exception e) {
            ex = e;
        }
        assertEquals(null,ex);
    }
}
于 2014-09-16T21:53:28.417 回答
24

虽然这篇文章现在已经有 6 年历史了,但是,Junit 世界发生了很多变化。使用 Junit5,您现在可以使用

org.junit.jupiter.api.Assertions.assertDoesNotThrow()

前任:

public void thisMethodDoesNotThrowException(){
   System.out.println("Hello There");
}

@Test
public void test_thisMethodDoesNotThrowException(){
  org.junit.jupiter.api.Assertions.assertDoesNotThrow(
      ()-> thisMethodDoesNotThrowException()
    );
}

希望对使用较新版本 Junit5 的人有所帮助

于 2020-01-24T22:00:21.177 回答
8

JUnit5 为此目的添加了 assertAll() 方法。

assertAll( () -> foo() )

来源:JUnit 5 API

于 2018-01-04T17:48:50.630 回答
6

使用 void 方法测试场景,例如

void testMeWell() throws SomeException {..}

抛出异常:

Junit5

assertDoesNotThrow(() -> {
    testMeWell();
});
于 2020-11-05T16:21:54.977 回答
2

使用assertNull(...)

@Test
public void foo() {
    try {
        //execute code that you expect not to throw Exceptions.
    } catch (Exception e){
        assertNull(e);
    }
}
于 2016-11-02T18:49:23.253 回答
2

我遇到了同样的情况,我需要检查是否应该抛出异常,并且只在应该抛出异常的时候。最终通过以下代码使用异常处理程序对我有利:

    try {
        functionThatMightThrowException()
    }catch (Exception e){
        Assert.fail("should not throw exception");
    }
    RestOfAssertions();

对我来说的主要好处是它非常简单,并且在相同的结构中检查“当且仅当”的另一种方式真的很容易

于 2020-12-16T13:08:47.813 回答
1

如果您想测试您的测试目标是否使用异常。只需将测试保留为(使用 jMock2 模拟合作者):

@Test
public void consumesAndLogsExceptions() throws Exception {

    context.checking(new Expectations() {
        {
            oneOf(collaborator).doSth();
            will(throwException(new NullPointerException()));
        }
    });

    target.doSth();
 }

如果您的目标确实消耗了抛出的异常,则测试将通过,否则测试将失败。

如果你想测试你的异常消费逻辑,事情会变得更加复杂。我建议将消费委托给可以被嘲笑的合作者。因此测试可能是:

@Test
public void consumesAndLogsExceptions() throws Exception {
    Exception e = new NullPointerException();
    context.checking(new Expectations() {
        {
            allowing(collaborator).doSth();
            will(throwException(e));

            oneOf(consumer).consume(e);
        }
    });

    target.doSth();
 }

但有时如果您只想记录它,它会被过度设计。在这种情况下,这篇文章http://java.dzone.com/articles/monitoring-declarative-transac,http://blog.novoj.net/2008/09/20/testing-aspect-pointcuts-is-there -an-easy-way/ ) 如果您在这种情况下坚持 tdd 可能会有所帮助。

于 2013-07-19T01:34:18.063 回答
1

这可能不是最好的方法,但它绝对可以确保不会从正在测试的代码块中抛出异常。

import org.assertj.core.api.Assertions;
import org.junit.Test;

public class AssertionExample {

    @Test
    public void testNoException(){
        assertNoException();
    }    

    private void assertException(){
        Assertions.assertThatThrownBy(this::doNotThrowException).isInstanceOf(Exception.class);
    }

    private void assertNoException(){
        Assertions.assertThatThrownBy(() -> assertException()).isInstanceOf(AssertionError.class);
    }

    private void doNotThrowException(){
        //This method will never throw exception
    }
}
于 2018-09-13T05:30:57.470 回答
0

您可以基于来自 junit 的断言创建任何类型的您自己的断言,因为这些断言是专门为创建用户定义的断言而设计的,旨在与 junit 的断言完全一样:

static void assertDoesNotThrow(Executable executable) {
    assertDoesNotThrow(executable, "must not throw");
}
static void assertDoesNotThrow(Executable executable, String message) {
    try {
        executable.execute();
    } catch (Throwable err) {
        fail(message);
    }
}

现在测试所谓的场景方法MustNotThrow并以junit 样式记录所有失败:

//test and log with default and custom messages
//the following will succeed
assertDoesNotThrow(()->methodMustNotThrow(1));
assertDoesNotThrow(()->methodMustNotThrow(1), "custom facepalm");
//the following will fail
assertDoesNotThrow(()->methodMustNotThrow(2));
assertDoesNotThrow(()-> {throw new Exception("Hello world");}, "message");
//See implementation of methodMustNotThrow below

一般来说,在任何情况下,在任何有意义的地方,都有可能立即使任何测试失败,调用fail(someMessage)正是为此目的而设计的。例如,如果在测试用例中抛出任何东西,则在 try/catch 块中使用它会失败:

try{methodMustNotThrow(1);}catch(Throwable e){fail("must not throw");}
try{methodMustNotThrow(1);}catch(Throwable e){Assertions.fail("must not throw");}

这是我们测试的方法的示例,假设我们有这样一个方法,在特定情况下一定不能失败,但它可能会失败:

void methodMustNotThrow(int x) throws Exception {
    if (x == 1) return;
    throw new Exception();
}

上述方法是一个简单的示例。但这适用于故障不那么明显的复杂情况。有进口:

import org.junit.jupiter.api.Assertions;
import org.junit.jupiter.api.Test;
import org.junit.jupiter.api.function.Executable;
import static org.junit.jupiter.api.Assertions.*;
于 2019-06-21T14:48:11.240 回答
0

偶然发现了这个问题,因为我创建了一些通用方法,例如

@Test
void testSomething() {
   checkGeneric(anComplexObect)
}

https://newbedev.com/sonarqube-issue-add-at-least-one-assertion-to-this-test-case-for-unit-test-with-assertions中提出了一些注释内容。

解决方案要简单得多。将“checkGeneric”方法重命名为“assertGeneric”就足够了。

@Test
void testSomething() {
  assertGeneric(anComplexObect)
}
于 2021-11-17T16:00:11.100 回答
0

您可以期望通过创建规则不会引发异常。

@Rule
public ExpectedException expectedException = ExpectedException.none();
于 2017-08-03T14:45:24.947 回答
0

你可以通过使用@Rule 然后调用reportMissingExceptionWithMessage 方法来做到这一点,如下所示: 这是Scala 代码。

在此处输入图像描述

于 2017-11-22T16:20:48.340 回答
-2

以下所有异常的测试失败,检查或未检查:

@Test
public void testMyCode() {

    try {
        runMyTestCode();
    } catch (Throwable t) {
        throw new Error("fail!");
    }
}
于 2016-11-14T06:20:48.193 回答