テストフレームワーク

wippy/testモジュールはアサーション、ライフサイクルフック、モッキングを備えたBDDスタイルのテストフレームワークを提供します。

セットアップ

依存関係を追加します:

wippy add wippy/test
wippy install

このモジュールはtestコマンドを自動的に登録します。インストール後、wippy run testでプロジェクト内の全テストエントリを検出して実行します。

テストの定義

テストはmeta.type: testを持つfunction.luaエントリです:

version: "1.0"
namespace: app.test

entries:
  - name: math
    kind: function.lua
    meta:
      type: test
      suite: math
      description: Math operations
    source: file://math_test.lua
    method: run
    imports:
      test: wippy.test:test

テストメタデータ

フィールド 必須 説明
type Yes ランナーが検出するために"test"である必要がある
suite No ランナー出力でテストをグループ化する
description No 人間が読める説明
order No スイート内のソート順(小さい値が先に実行される)

テストの記述

BDDスタイル

describeitブロックを使用してテストを構造化します:

local test = require("test")

local function define_tests()
    test.describe("calculator", function()
        test.it("adds numbers", function()
            test.eq(1 + 1, 2)
        end)

        test.it("multiplies numbers", function()
            test.eq(3 * 4, 12)
        end)
    end)
end

local run_cases = test.run_cases(define_tests)

local function run(options)
    local result = run_cases(options)
    if result.failed_tests > 0 then
        error("tests failed: " .. result.failed_tests)
    end
    return result
end

return { run = run }

ネストされたスイート

スイートは整理のためにネストできます:

test.describe("user", function()
    test.describe("validation", function()
        test.it("requires name", function()
            test.ok(validate({}).error)
        end)

        test.it("accepts valid input", function()
            test.is_nil(validate({name = "Alice"}).error)
        end)
    end)

    test.describe("formatting", function()
        test.it("formats display name", function()
            test.eq(format_name("alice"), "Alice")
        end)
    end)
end)

テストのスキップ

test.it_skip("not implemented yet", function()
    test.fail("TODO")
end)

スキップされたテストは出力に表示されますが、失敗としてカウントされません。

スイートエイリアス

test.spectest.contexttest.describeのエイリアスです:

test.spec("feature", function()
    test.context("when valid input", function()
        test.it("succeeds", function()
            test.ok(true)
        end)
    end)
end)

アサーション

等値

test.eq(actual, expected, msg?)       -- actual == expected
test.neq(actual, expected, msg?)      -- actual ~= expected

真偽値

test.ok(val, msg?)                    -- val is truthy
test.fail(msg?)                       -- unconditional failure

Nilチェック

test.is_nil(val, msg?)                -- val == nil
test.not_nil(val, msg?)               -- val ~= nil

型チェック

test.is_true(val, msg?)               -- val == true
test.is_false(val, msg?)              -- val == false
test.is_string(val, msg?)
test.is_number(val, msg?)
test.is_table(val, msg?)
test.is_function(val, msg?)
test.is_boolean(val, msg?)

文字列とコレクション

test.contains(str, substr, msg?)      -- substring match
test.matches(str, pattern, msg?)      -- Lua pattern match
test.has_key(tbl, key, msg?)          -- table key exists
test.len(val, expected, msg?)         -- #val == expected

数値比較

test.gt(a, b, msg?)                   -- a > b
test.gte(a, b, msg?)                  -- a >= b
test.lt(a, b, msg?)                   -- a < b
test.lte(a, b, msg?)                  -- a <= b

エラー処理

test.throws(fn, msg?)                 -- fn() raises error, returns it
test.has_error(val, err, msg?)        -- val is nil, err is not nil
test.no_error(val, err, msg?)         -- err is nil

全てのアサーションは最後の引数としてオプションのメッセージを受け取ります。失敗時にこのメッセージがエラー出力に含まれます。

ライフサイクルフック

test.describe("database", function()
    test.before_all(function()
        -- runs once before the suite
        db = connect()
    end)

    test.after_all(function()
        -- runs once after the suite
        db:close()
    end)

    test.before_each(function()
        -- runs before each test
        db:begin_transaction()
    end)

    test.after_each(function()
        -- runs after each test
        db:rollback()
    end)

    test.it("inserts a record", function()
        db:exec("INSERT INTO users (name) VALUES ('Alice')")
        local count = db:query_row("SELECT COUNT(*) FROM users")
        test.eq(count, 1)
    end)
end)

ネストされたスイートのフックは順番に実行されます: 親のbefore_eachが子のbefore_eachの前に実行され、子のafter_eachが親のafter_eachの前に実行されます。

モッキング

モックシステムはグローバルオブジェクトのフィールドを置き換え、各テスト後に自動的に復元します。

基本的なモッキング

test.describe("notifications", function()
    test.it("sends message", function()
        local sent = false
        test.mock("process.send", function(pid, topic, payload)
            sent = true
        end)

        notify_user("hello")
        test.is_true(sent)
        -- mock is auto-restored after this test
    end)
end)

モックAPI

test.mock("object.field", replacement)    -- replace a global field
test.mock_process("field", replacement)   -- shorthand for process fields
test.restore_mock("object.field")         -- restore one mock
test.restore_all_mocks()                  -- restore all mocks

モックパスはドット記法を使用します: "process.send"_G.process.sendを置き換えます。

process.sendのモックは元の関数を通じてテストフレームワークメッセージを自動的にプロキシするため、process.sendがモックされていてもテストイベントレポートは機能し続けます。

全てのモックはafter_eachフックにより各テスト後に自動的に復元されます。

テストの実行

全テストの実行

wippy run test

パターンによるフィルタ

wippy run test math
wippy run test user validation

フィルタはエントリIDに対してマッチします。複数のパターンは組み合わされます。

出力例

3 tests in 1 suites

  calculator
    + adds numbers                           0ms
    + multiplies numbers                     0ms
    - divides by zero                        1ms
      Error: expected error, got nil

  1 suite | 2 passed | 1 failed | 0 skipped | 3ms

シンプルテスト

BDDフレームワークを必要としないテストの場合、trueを返すかエラーを発生させるシンプルな関数を定義します:

local funcs = require("funcs")

local function main()
    local result, err = funcs.call("app:my_function", "input")
    if err then
        error("call failed: " .. tostring(err))
    end
    if result ~= "expected" then
        error("expected 'expected', got: " .. tostring(result))
    end
    return true
end

return { main = main }
  - name: integration
    kind: function.lua
    meta:
      type: test
      suite: integration
    source: file://integration_test.lua
    method: main
    modules:
      - funcs

ランナーはテストがBDDケースイベントを使用しているか、シンプルな値を返しているかを検出します。両方のパターンがwippy run testで動作します。

プロジェクト構造

典型的なテストレイアウト:

src/
  _index.yaml
  app.lua
  test/
    _index.yaml          # test entries
    math_test.lua
    user_test.lua
    integration_test.lua

テスト用の_index.yamlはテスト名前空間とエントリを定義します:

version: "1.0"
namespace: app.test

entries:
  - name: math
    kind: function.lua
    meta:
      type: test
      suite: math
    source: file://math_test.lua
    method: run
    imports:
      test: wippy.test:test

  - name: user
    kind: function.lua
    meta:
      type: test
      suite: user
    source: file://user_test.lua
    method: run
    imports:
      test: wippy.test:test

インフラストラクチャ要件

テストランナーはアプリケーションにprocess.hostterminal.hostが必要です。これらは通常既に存在しています。存在しない場合は追加してください:

entries:
  - name: processes
    kind: process.host
    lifecycle:
      auto_start: true

  - name: terminal
    kind: terminal.host
    lifecycle:
      auto_start: true

関連項目