Vitest: Jak sprawdzić czy funkcja rzuciła wyjątkiem?

Opublikowano: 30.01.2025 - tagi: JavaScript Vitest Testowanie Test Wyjątek TypeScript

Testowanie wyjątków w Vitest

Mamy prostą funkcję:

function loadFile(fileName?: string): string {
    if (!fileName) {
        throw new Error('File not exist!');
    }

    return 'Some content';
}

I chcemy stestować, czy funkcja rzuca wyjątek. Można to zrobić to w taki sposób:

import { expect, test } from 'vitest';

test('should check file not exist', () => {
    expect(() => loadFile()).toThrowError('File not exist!');
});

Testowanie wersji asynchronicznej

Jak stestować wersją asynchroniczną?

function loadFile(fileName?: string): Promise<string> {
    if (!fileName) {
        throw new Error('File not exist!');
    }

    return Promise.resolve('Some content')
}

Test:

import { expect, test } from 'vitest';

test('should check file not exist', async () => {
    await expect(async () => await loadFile()).rejects.toThrowError('File not exist!');
});