Verifica le eccezioni previste in Kotlin


94

In Java, il programmatore può specificare le eccezioni previste per i casi di test JUnit come questo:

@Test(expected = ArithmeticException.class)
public void omg()
{
    int blackHole = 1 / 0;
}

Come potrei farlo a Kotlin? Ho provato due variazioni di sintassi, ma nessuna ha funzionato:

import org.junit.Test

// ...

@Test(expected = ArithmeticException) fun omg()
    Please specify constructor invocation;
    classifier 'ArithmeticException' does not have a companion object

@Test(expected = ArithmeticException.class) fun omg()
                            name expected ^
                                            ^ expected ')'

Risposte:


129

La traduzione Kotlin dell'esempio Java per JUnit 4.12 è:

@Test(expected = ArithmeticException::class)
fun omg() {
    val blackHole = 1 / 0
}

Tuttavia, JUnit 4.13 ha introdotto due assertThrowsmetodi per ambiti di eccezione più granulari:

@Test
fun omg() {
    // ...
    assertThrows(ArithmeticException::class.java) {
        val blackHole = 1 / 0
    }
    // ...
}

Entrambi i assertThrowsmetodi restituiscono l'eccezione prevista per ulteriori asserzioni:

@Test
fun omg() {
    // ...
    val exception = assertThrows(ArithmeticException::class.java) {
        val blackHole = 1 / 0
    }
    assertEquals("/ by zero", exception.message)
    // ...
}

83

Kotlin ha il suo pacchetto helper di test che può aiutare a fare questo tipo di unità.

Il tuo test può essere molto espressivo utilizzando assertFailWith:

@Test
fun test_arithmethic() {
    assertFailsWith<ArithmeticException> {
        omg()
    }
}

1
Se ottieni un 404 sul tuo link, è kotlin.teststato sostituito da qualcos'altro?
fredoverflow

@fredoverflow No, non viene sostituito, ma solo rimosso dalle librerie standard. Ho aggiornato il collegamento al repository github kotlin ma sfortunatamente non riesco a trovare alcun collegamento alla documentazione. In ogni caso jar viene fornito da kotlin-plugin in intelliJ oppure puoi trovarlo in rete o aggiungere dipendenza maven / grandle al tuo progetto.
Michele d'Amico

7
compila "org.jetbrains.kotlin: kotlin-test: $ kotlin_version"
mac229

4
@ mac229 s / compile / testCompile /
Laurence Gonsalves

@AshishSharma: kotlinlang.org/api/latest/kotlin.test/kotlin.test/… assertFailCon restituisci l'eccezione e puoi usarla per scrivere il tuo assert.
Michele d'Amico

26

Puoi usare @Test(expected = ArithmeticException::class)o anche meglio uno dei metodi di libreria di Kotlin come failsWith().

Puoi renderlo ancora più breve usando generici reificati e un metodo di supporto come questo:

inline fun <reified T : Throwable> failsWithX(noinline block: () -> Any) {
    kotlin.test.failsWith(javaClass<T>(), block)
}

Ed esempio usando l'annotazione:

@Test(expected = ArithmeticException::class)
fun omg() {

}

javaClass<T>()è deprecato ora. Usa MyException::class.javainvece.
Fasth

failWith è deprecato, al suo posto dovrebbe essere usato assertFailsWith .
gvlasov

15

Puoi usare KotlinTest per questo.

Nel tuo test, puoi racchiudere il codice arbitrario con un blocco shouldThrow:

shouldThrow<ArithmeticException> {
  // code in here that you expect to throw a ArithmeticException
}

sembra che la linea non funzioni in modo corretto. Controllo 1. shouldThrow <java.lang.AssertionError> {someMethod (). IsOK shouldBe true} - verde 2. shouldThrow <java.lang.AssertionError> {someMethod (). IsOK shouldBe false} - green someMethod () throw "java .lang.AssertionError: message "quando dovrebbe, e restituisce oggetto se OK. In entrambi i casi shouldThrow è verde quando OK e quando NON.
Ivan Trechyokas

Forse dai un'occhiata ai documenti, potrebbe essere cambiato dalla mia risposta nel 2016. github.com/kotlintest/kotlintest/blob/master/doc/…
sksamuel

13

JUnit5 ha il supporto per kotlin integrato.

import org.junit.jupiter.api.Test
import org.junit.jupiter.api.assertThrows

class MyTests {
    @Test
    fun `division by zero -- should throw ArithmeticException`() {
        assertThrows<ArithmeticException> {  1 / 0 }
    }
}

3
Questa è la mia risposta preferita. Se vai Cannot inline bytecode built with JVM target 1.8 into bytecode that is being built with JVM target 1.6su assertThrows, assicurati che il tuo build.gradle abbiacompileTestKotlin { kotlinOptions.jvmTarget = "1.8" }
Big Pumpkin

11

Puoi anche usare generics con il pacchetto kotlin.test:

import kotlin.test.assertFailsWith 

@Test
fun testFunction() {
    assertFailsWith<MyException> {
         // The code that will throw MyException
    }
}

1

Asserire l'estensione che verifica la classe di eccezione e anche se il messaggio di errore corrisponde.

inline fun <reified T : Exception> assertThrows(runnable: () -> Any?, message: String?) {
try {
    runnable.invoke()
} catch (e: Throwable) {
    if (e is T) {
        message?.let {
            Assert.assertEquals(it, "${e.message}")
        }
        return
    }
    Assert.fail("expected ${T::class.qualifiedName} but caught " +
            "${e::class.qualifiedName} instead")
}
Assert.fail("expected ${T::class.qualifiedName}")

}

per esempio:

assertThrows<IllegalStateException>({
        throw IllegalStateException("fake error message")
    }, "fake error message")

1

Nessuno ha menzionato che assertFailsWith () restituisce il valore e puoi controllare gli attributi dell'eccezione:

@Test
fun `my test`() {
        val exception = assertFailsWith<MyException> {method()}
        assertThat(exception.message, equalTo("oops!"))
    }
}

0

Un'altra versione della sintassi che utilizza kluent :

@Test
fun `should throw ArithmeticException`() {
    invoking {
        val backHole = 1 / 0
    } `should throw` ArithmeticException::class
}

0

Il primo passo è aggiungere l' (expected = YourException::class)annotazione di prova

@Test(expected = YourException::class)

Il secondo passaggio consiste nell'aggiungere questa funzione

private fun throwException(): Boolean = throw YourException()

Finalmente avrai qualcosa del genere:

@Test(expected = ArithmeticException::class)
fun `get query error from assets`() {
    //Given
    val error = "ArithmeticException"

    //When
    throwException()
    val result =  omg()

    //Then
    Assert.assertEquals(result, error)
}
private fun throwException(): Boolean = throw ArithmeticException()

0

org.junit.jupiter.api.Assertions.kt

/**
 * Example usage:
 * ```kotlin
 * val exception = assertThrows<IllegalArgumentException>("Should throw an Exception") {
 *     throw IllegalArgumentException("Talk to a duck")
 * }
 * assertEquals("Talk to a duck", exception.message)
 * ```
 * @see Assertions.assertThrows
 */
inline fun <reified T : Throwable> assertThrows(message: String, noinline executable: () -> Unit): T =
        assertThrows({ message }, executable)
Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.