JUnit testing for assertEqual NullPointerException

2022-09-03 04:26:16

我不确定为什么测试用例没有的输出。这两种情况都应该给出一个 .trueNullPointerException

我尝试过这样做(不完全相同,但它给出了和输出):true

    String nullStr = null;

//@Test
public int NullOutput1() {
    nullStr.indexOf(3);
    return 0;
}

//@Test(expected=NullPointerException.class)
public int NullOutput2() {
    nullStr.indexOf(2);
    return 0;
}

@Test(expected=NullPointerException.class)
public void testboth() {
    assertEquals(NullOutput1(), NullOutput2());
}

跑步者:

import org.junit.runner.JUnitCore;
import org.junit.runner.Result;
import org.junit.runner.notification.Failure;

public class TestRunnerStringMethods {
    public static void main(String[] args) {
        Result result = JUnitCore.runClasses(TestJunitMyIndexOf.class);
        for (Failure failure : result.getFailures()) {
            System.out.println(failure.toString());
        }
        System.out.println(result.wasSuccessful());
    }
}

方法:

public static int myIndexOf(char[] str, int ch, int index) {
        if (str == null) {
            throw new NullPointerException();
        }
        // increase efficiency
        if (str.length <= index || index < 0) {
            return -1;
        }
        for (int i = index; i < str.length; i++) {
            if (index == str[i]) {
                return i;
            }
        }
        // if not found
        return -1;
    }

测试用例:

@Test(expected=NullPointerException.class)
public void testNullInput() {
    assertEquals(nullString.indexOf(3), StringMethods.myIndexOf(null, 'd',3));
}

答案 1

我相信你想在这里使用:fail

@Test(expected=NullPointerException.class)
public void testNullInput() {
    fail(nullString.indexOf(3));
}

如果需要,请务必添加。import static org.junit.Assert.fail;


答案 2

在Java 8和JUnit 5(Jupiter)中,我们可以断言异常,如下所示。用org.junit.jupiter.api.Assertions.assertThrows

公共静态< T 扩展 Throwable > T assertThrows(类< T > expectedType, Executable executable)

断言执行提供的可执行文件会引发 expectedType 的异常并返回该异常。

如果未引发异常,或者如果引发不同类型的异常,则此方法将失败。

如果不想对异常实例执行其他检查,只需忽略返回值即可。

@Test
public void itShouldThrowNullPointerExceptionWhenBlahBlah() {
    assertThrows(NullPointerException.class,
            ()->{
            //do whatever you want to do here
            //ex : objectName.thisMethodShoulThrowNullPointerExceptionForNullParameter(null);
            });
}

该方法将使用 中的功能接口。Executableorg.junit.jupiter.api

指:


推荐