更多資訊請見 rubyonrails.org:

測試 Rails 應用程式

本指南涵蓋 Rails 中用於測試應用程式的內建機制。

閱讀本指南後,您將了解

  • Rails 測試術語。
  • 如何為應用程式撰寫單元、功能、整合和系統測試。
  • 其他流行的測試方法和外掛程式。

1 為什麼要為 Rails 應用程式撰寫測試?

Rails 讓撰寫測試變得非常容易。它從您建立模型和控制器時產生骨架測試程式碼開始。

透過執行 Rails 測試,您可以確保您的程式碼即使在進行一些重大程式碼重構後仍符合所需的功能。

Rails 測試也可以模擬瀏覽器請求,因此您可以測試應用程式的回應,而不必透過瀏覽器進行測試。

2 測試簡介

從一開始,測試支援就融入了 Rails 的架構中。它不是「哦!讓我們加入執行測試的支援,因為它們既新潮又酷」的頓悟。

2.1 Rails 從一開始就為測試做好準備

當您使用 rails new application_name 建立 Rails 專案時,Rails 會立即為您建立一個 test 目錄。如果您列出此目錄的內容,您將會看到

$ ls -F test
application_system_test_case.rb  controllers/                     helpers/                         mailers/                         system/
channels/                        fixtures/                        integration/                     models/                          test_helper.rb

helpersmailersmodels 目錄分別用於保存視圖輔助方法、郵件程式和模型的測試。channels 目錄用於保存 Action Cable 連線和頻道的測試。controllers 目錄用於保存控制器、路由和視圖的測試。integration 目錄用於保存控制器之間互動的測試。

系統測試目錄保存系統測試,用於應用程式的完整瀏覽器測試。系統測試可讓您以使用者體驗的方式測試應用程式,並協助您測試 JavaScript。系統測試繼承自 Capybara,並對您的應用程式執行瀏覽器測試。

Fixture 是一種組織測試資料的方法;它們位於 fixtures 目錄中。

當第一個產生關聯測試時,也會建立 jobs 目錄。

test_helper.rb 檔案保存測試的預設設定。

application_system_test_case.rb 保存系統測試的預設設定。

2.2 測試環境

預設情況下,每個 Rails 應用程式都有三個環境:開發、測試和生產。

每個環境的設定都可以類似地修改。在這種情況下,我們可以透過變更 config/environments/test.rb 中的選項來修改我們的測試環境。

您的測試會在 RAILS_ENV=test 下執行。

2.3 Rails 遇上 Minitest

如果您還記得,我們在Rails 入門 指南中使用了 bin/rails generate model 命令。我們建立了自己的第一個模型,並且除了其他內容外,它還在 test 目錄中建立了測試存根

$ bin/rails generate model article title:string body:text
...
create  app/models/article.rb
create  test/models/article_test.rb
create  test/fixtures/articles.yml
...

test/models/article_test.rb 中的預設測試存根如下所示

require "test_helper"

class ArticleTest < ActiveSupport::TestCase
  # test "the truth" do
  #   assert true
  # end
end

逐行檢查此檔案將有助於您熟悉 Rails 測試程式碼和術語。

require "test_helper"

透過要求此檔案 test_helper.rb,會載入執行測試的預設設定。我們會將此檔案包含在我們撰寫的所有測試中,因此新增至此檔案的任何方法都可供我們所有測試使用。

class ArticleTest < ActiveSupport::TestCase
  # ...
end

ArticleTest 類別定義了一個測試案例,因為它繼承自 ActiveSupport::TestCase。因此,ArticleTest 具有 ActiveSupport::TestCase 中可用的所有方法。在本指南稍後,我們將會看到它提供的一些方法。

定義在繼承自 Minitest::Test (ActiveSupport::TestCase 的超類別) 的類別中的任何以 test_ 開頭的方法都簡稱為測試。因此,定義為 test_passwordtest_valid_password 的方法是合法的測試名稱,並且會在執行測試案例時自動執行。

Rails 也新增了一個 test 方法,該方法會採用測試名稱和區塊。它會產生一個正常的 Minitest::Unit 測試,其方法名稱以 test_ 開頭。因此,您不必擔心命名方法,並且可以撰寫類似這樣的內容

test "the truth" do
  assert true
end

這大致與撰寫以下程式碼相同

def test_the_truth
  assert true
end

雖然您仍然可以使用常規的方法定義,但使用 test 巨集可以產生更易讀的測試名稱。

方法名稱的產生方式是將空格替換為底線。雖然結果不一定要是有效的 Ruby 識別符號,名稱可以包含標點符號等。這是因為在 Ruby 中,技術上任何字串都可以是方法名稱。這可能需要使用 define_methodsend 呼叫才能正常運作,但形式上對於名稱的限制很少。

接下來,讓我們看看第一個斷言。

assert true

斷言是一行程式碼,用於評估物件(或表達式)是否符合預期的結果。例如,斷言可以檢查

  • 這個值是否等於那個值?
  • 這個物件是否為 nil?
  • 這行程式碼是否會拋出異常?
  • 使用者的密碼是否大於 5 個字元?

每個測試可能包含一個或多個斷言,對於允許的斷言數量沒有限制。只有當所有斷言都成功時,測試才會通過。

2.3.1 你第一個失敗的測試

為了了解測試失敗的報告方式,你可以將一個失敗的測試添加到 article_test.rb 測試案例中。

test "should not save article without title" do
  article = Article.new
  assert_not article.save
end

讓我們執行這個新添加的測試(其中 6 是定義測試的行號)。

$ bin/rails test test/models/article_test.rb:6
Run options: --seed 44656

# Running:

F

Failure:
ArticleTest#test_should_not_save_article_without_title [/path/to/blog/test/models/article_test.rb:6]:
Expected true to be nil or false


bin/rails test test/models/article_test.rb:6



Finished in 0.023918s, 41.8090 runs/s, 41.8090 assertions/s.

1 runs, 1 assertions, 1 failures, 0 errors, 0 skips

在輸出中,F 表示失敗。你可以看到在 Failure 下顯示的相應追蹤資訊,以及失敗測試的名稱。接下來的幾行包含堆疊追蹤,以及提到斷言的實際值和預期值的訊息。預設的斷言訊息提供足夠的資訊來幫助找出錯誤。為了使斷言失敗訊息更易讀,每個斷言都提供一個可選的訊息參數,如下所示

test "should not save article without title" do
  article = Article.new
  assert_not article.save, "Saved the article without a title"
end

執行這個測試會顯示更友好的斷言訊息

Failure:
ArticleTest#test_should_not_save_article_without_title [/path/to/blog/test/models/article_test.rb:6]:
Saved the article without a title

現在為了讓這個測試通過,我們可以為 title 欄位添加一個模型層級的驗證。

class Article < ApplicationRecord
  validates :title, presence: true
end

現在測試應該會通過。讓我們再次執行測試來驗證

$ bin/rails test test/models/article_test.rb:6
Run options: --seed 31252

# Running:

.

Finished in 0.027476s, 36.3952 runs/s, 36.3952 assertions/s.

1 runs, 1 assertions, 0 failures, 0 errors, 0 skips

現在,如果你注意到了,我們首先編寫了一個測試,這個測試對於期望的功能會失敗,然後我們編寫了一些程式碼來添加該功能,最後我們確保我們的測試通過。這種軟體開發方法被稱為測試驅動開發 (TDD)

2.3.2 錯誤的樣子

為了了解錯誤如何被報告,這裡有一個包含錯誤的測試

test "should report error" do
  # some_undefined_variable is not defined elsewhere in the test case
  some_undefined_variable
  assert true
end

現在你可以在執行測試的控制台中看到更多的輸出

$ bin/rails test test/models/article_test.rb
Run options: --seed 1808

# Running:

.E

Error:
ArticleTest#test_should_report_error:
NameError: undefined local variable or method 'some_undefined_variable' for #<ArticleTest:0x007fee3aa71798>
    test/models/article_test.rb:11:in 'block in <class:ArticleTest>'


bin/rails test test/models/article_test.rb:9



Finished in 0.040609s, 49.2500 runs/s, 24.6250 assertions/s.

2 runs, 1 assertions, 0 failures, 1 errors, 0 skips

請注意輸出中的 'E'。它表示一個有錯誤的測試。

每個測試方法的執行會在遇到任何錯誤或斷言失敗時立即停止,然後測試套件會繼續執行下一個方法。所有測試方法都以隨機順序執行。可以使用 config.active_support.test_order 選項來設定測試順序。

當測試失敗時,你會看到相應的回溯資訊。預設情況下,Rails 會篩選該回溯資訊,並且只會列印與你的應用程式相關的行。這消除了框架的雜訊,並有助於專注於你的程式碼。但是,在某些情況下,你可能想查看完整的回溯資訊。設定 -b(或 --backtrace)參數以啟用此行為

$ bin/rails test -b test/models/article_test.rb

如果我們想讓這個測試通過,我們可以修改它以使用 assert_raises,如下所示

test "should report error" do
  # some_undefined_variable is not defined elsewhere in the test case
  assert_raises(NameError) do
    some_undefined_variable
  end
end

這個測試現在應該會通過。

2.4 可用的斷言

到目前為止,你已經瞥見了一些可用的斷言。斷言是測試中的主力。它們是實際執行檢查以確保事情按計劃進行的元件。

以下是你可以使用 Minitest(Rails 使用的預設測試庫)的斷言摘錄。[msg] 參數是一個可選的字串訊息,你可以指定它來使你的測試失敗訊息更清晰。

斷言 目的
assert( test, [msg] ) 確保 test 為 true。
assert_not( test, [msg] ) 確保 test 為 false。
assert_equal( expected, actual, [msg] ) 確保 expected == actual 為 true。
assert_not_equal( expected, actual, [msg] ) 確保 expected != actual 為 true。
assert_same( expected, actual, [msg] ) 確保 expected.equal?(actual) 為 true。
assert_not_same( expected, actual, [msg] ) 確保 expected.equal?(actual) 為 false。
assert_nil( obj, [msg] ) 確保 obj.nil? 為 true。
assert_not_nil( obj, [msg] ) 確保 obj.nil? 為 false。
assert_empty( obj, [msg] ) 確保 objempty?
assert_not_empty( obj, [msg] ) 確保 obj 不為 empty?
assert_match( regexp, string, [msg] ) 確保字串符合正規表示式。
assert_no_match( regexp, string, [msg] ) 確保字串不符合正規表示式。
assert_includes( collection, obj, [msg] ) 確保 objcollection 中。
assert_not_includes( collection, obj, [msg] ) 確保 obj 不在 collection 中。
assert_in_delta( expected, actual, [delta], [msg] ) 確保數字 expectedactual 彼此之間的差異在 delta 範圍內。
assert_not_in_delta( expected, actual, [delta], [msg] ) 確保數字 expectedactual 彼此之間的差異不在 delta 範圍內。
assert_in_epsilon ( expected, actual, [epsilon], [msg] ) 確保數字 expectedactual 的相對誤差小於 epsilon
assert_not_in_epsilon ( expected, actual, [epsilon], [msg] ) 確保數字 expectedactual 的相對誤差不小於 epsilon
assert_throws( symbol, [msg] ) { block } 確保給定的程式碼區塊拋出符號。
assert_raises( exception1, exception2, ... ) { block } 確保給定的程式碼區塊拋出給定的異常之一。
assert_instance_of( class, obj, [msg] ) 確保 objclass 的實例。
assert_not_instance_of( class, obj, [msg] ) 確保 obj 不是 class 的實例。
assert_kind_of( class, obj, [msg] ) 確保 objclass 的實例或繼承自該類別。
assert_not_kind_of( class, obj, [msg] ) 確保 obj 不是 class 的實例,並且不是繼承自該類別。
assert_respond_to( obj, symbol, [msg] ) 確保 obj 回應 symbol
assert_not_respond_to( obj, symbol, [msg] ) 確保 obj 不回應 symbol
assert_operator( obj1, operator, [obj2], [msg] ) 確保 obj1.operator(obj2) 為 true。
assert_not_operator( obj1, operator, [obj2], [msg] ) 確保 obj1.operator(obj2) 為 false。
assert_predicate ( obj, predicate, [msg] ) 確保 obj.predicate 為 true,例如 assert_predicate str, :empty?
assert_not_predicate ( obj, predicate, [msg] ) 確保 obj.predicate 為 false,例如 assert_not_predicate str, :empty?
assert_error_reported(class) { block } 確保已回報錯誤類別,例如 assert_error_reported IOError { Rails.error.report(IOError.new("Oops")) }
assert_no_error_reported { block } 確保沒有回報任何錯誤,例如 assert_no_error_reported { perform_service }
flunk( [msg] ) 確保失敗。這對於明確標記尚未完成的測試很有用。

以上是 minitest 支援的斷言子集。如需完整且最新的清單,請查看 Minitest API 文件,特別是 Minitest::Assertions

由於測試框架的模組化特性,可以建立自己的斷言。事實上,這正是 Rails 所做的。它包含一些專用的斷言來使你的生活更輕鬆。

建立自己的斷言是一個進階主題,我們將不在本教學中介紹。

2.5 Rails 特定的斷言

Rails 將一些自訂斷言添加到 minitest 框架中

斷言 目的
assert_difference(expressions, difference = 1, message = nil) {...} 測試在 yield 區塊中評估的結果,表達式回傳值之間的數值差異。
assert_no_difference(expressions, message = nil, &block) 斷言在呼叫傳入的區塊之前和之後,評估表達式的數值結果沒有改變。
assert_changes(expressions, message = nil, from:, to:, &block) 測試在呼叫傳入的區塊之後,評估表達式的結果是否發生改變。
assert_no_changes(expressions, message = nil, &block) 測試在呼叫傳入的區塊之後,評估表達式的結果沒有發生改變。
assert_nothing_raised { block } 確保給定的區塊不會拋出任何異常。
assert_recognizes(expected_options, path, extras={}, message=nil) 斷言給定路徑的路由已正確處理,並且已剖析的選項(在 expected_options 雜湊中給定)與路徑相符。基本上,它斷言 Rails 識別由 expected_options 給定的路由。
assert_generates(expected_path, options, defaults={}, extras = {}, message=nil) 斷言提供的選項可用於產生提供的路徑。這與 assert_recognizes 相反。extras 參數用於告知請求查詢字串中會有的其他請求參數的名稱和值。message 參數允許你為斷言失敗指定自訂錯誤訊息。
assert_response(type, message = nil) 斷言回應帶有特定的狀態碼。你可以指定 :success 表示 200-299,:redirect 表示 300-399,:missing 表示 404,或 :error 表示 500-599 範圍。你也可以傳遞明確的狀態數字或其符號等效值。如需更多資訊,請參閱 狀態碼的完整清單,以及它們的 對應關係 如何運作。
assert_redirected_to(options = {}, message=nil) 斷言回應是重新導向到符合給定選項的 URL。你也可以傳遞具名的路由,例如 assert_redirected_to root_path,以及 Active Record 物件,例如 assert_redirected_to @article
assert_queries_count(count = nil, include_schema: false, &block) 斷言 &block 產生 int 數量的 SQL 查詢。
assert_no_queries(include_schema: false, &block) 斷言 &block 不產生任何 SQL 查詢。
assert_queries_match(pattern, count: nil, include_schema: false, &block) 斷言 &block 產生的 SQL 查詢符合模式。
assert_no_queries_match(pattern, &block) 斷言 &block 不產生任何符合模式的 SQL 查詢。

你將在下一章看到其中一些斷言的用法。

2.6 關於測試案例的簡要說明

Minitest::Assertions 中定義的所有基本斷言,例如 assert_equal,也可用於我們在自己的測試案例中使用的類別。事實上,Rails 提供了以下類別供你繼承

這些類別都包含了 Minitest::Assertions,讓我們可以在測試中使用所有的基本斷言。

關於 Minitest 的更多資訊,請參考它的文件

2.7 交易

預設情況下,Rails 會自動將測試包裹在資料庫交易中,並在測試完成後回滾。這使得測試彼此獨立,並且對資料庫的變更僅在單一測試中可見。

class MyTest < ActiveSupport::TestCase
  test "newly created users are active by default" do
    # Since the test is implicitly wrapped in a database transaction, the user
    # created here won't be seen by other tests.
    assert User.create.active?
  end
end

方法 ActiveRecord::Base.current_transaction 仍然按預期運作。

class MyTest < ActiveSupport::TestCase
  test "current_transaction" do
    # The implicit transaction around tests does not interfere with the
    # application-level semantics of current_transaction.
    assert User.current_transaction.blank?
  end
end

如果有多個寫入資料庫,測試會包裹在許多相應的交易中,並且所有交易都會被回滾。

2.7.1 選擇退出測試交易

個別的測試案例可以選擇退出

class MyTest < ActiveSupport::TestCase
  # No implicit database transaction wraps the tests in this test case.
  self.use_transactional_tests = false
end

2.8 Rails 測試執行器

我們可以使用 bin/rails test 命令一次執行所有的測試。

或者,我們可以將包含測試案例的檔案名稱傳遞給 bin/rails test 命令來執行單一測試檔案。

$ bin/rails test test/models/article_test.rb
Run options: --seed 1559

# Running:

..

Finished in 0.027034s, 73.9810 runs/s, 110.9715 assertions/s.

2 runs, 3 assertions, 0 failures, 0 errors, 0 skips

這將執行測試案例中的所有測試方法。

您也可以透過提供 -n--name 標記以及測試的方法名稱來執行測試案例中的特定測試方法。

$ bin/rails test test/models/article_test.rb -n test_the_truth
Run options: -n test_the_truth --seed 43583

# Running:

.

Finished tests in 0.009064s, 110.3266 tests/s, 110.3266 assertions/s.

1 tests, 1 assertions, 0 failures, 0 errors, 0 skips

您還可以透過提供行號來執行特定行的測試。

$ bin/rails test test/models/article_test.rb:6 # run specific test and line

您也可以透過提供行範圍來執行一系列的測試。

$ bin/rails test test/models/article_test.rb:6-20 # runs tests from line 6 to 20

您還可以透過提供目錄路徑來執行整個測試目錄。

$ bin/rails test test/controllers # run all tests from specific directory

測試執行器還提供了許多其他功能,例如快速失敗、在測試運行結束時延遲測試輸出等等。請查看測試執行器的文件如下

$ bin/rails test -h
Usage:
  bin/rails test [PATHS...]

Run tests except system tests

Examples:
    You can run a single test by appending a line number to a filename:

        bin/rails test test/models/user_test.rb:27

    You can run multiple tests with in a line range by appending the line range to a filename:

        bin/rails test test/models/user_test.rb:10-20

    You can run multiple files and directories at the same time:

        bin/rails test test/controllers test/integration/login_test.rb

    By default test failures and errors are reported inline during a run.

minitest options:
    -h, --help                       Display this help.
        --no-plugins                 Bypass minitest plugin auto-loading (or set $MT_NO_PLUGINS).
    -s, --seed SEED                  Sets random seed. Also via env. Eg: SEED=n rake
    -v, --verbose                    Verbose. Show progress processing files.
    -q, --quiet                      Quiet. Show no progress processing files.
        --show-skips                 Show skipped at the end of run.
    -n, --name PATTERN               Filter run on /regexp/ or string.
        --exclude PATTERN            Exclude /regexp/ or string from run.
    -S, --skip CODES                 Skip reporting of certain types of results (eg E).

Known extensions: rails, pride
    -w, --warnings                   Run with Ruby warnings enabled
    -e, --environment ENV            Run tests in the ENV environment
    -b, --backtrace                  Show the complete backtrace
    -d, --defer-output               Output test failures and errors after the test run
    -f, --fail-fast                  Abort test run on first failure or error
    -c, --[no-]color                 Enable color in the output
        --profile [COUNT]            Enable profiling of tests and list the slowest test cases (default: 10)
    -p, --pride                      Pride. Show your testing pride!

2.9 在持續整合 (CI) 中執行測試

要在 CI 環境中執行所有測試,您只需要一個命令

$ bin/rails test

如果您使用系統測試bin/rails test 將不會執行它們,因為它們可能很慢。若要同時執行它們,請新增另一個執行 bin/rails test:system 的 CI 步驟,或將您的第一個步驟變更為 bin/rails test:all,這會執行包括系統測試在內的所有測試。

3 平行測試

平行測試允許您將測試套件平行化。雖然 Fork 進程是預設方法,但也支援執行緒。平行執行測試可以減少整個測試套件的執行時間。

3.1 使用進程進行平行測試

預設的平行化方法是使用 Ruby 的 DRb 系統 Fork 進程。進程會根據提供的 Worker 數量進行 Fork。預設數量是您所在機器上的實際核心數,但可以透過傳遞給 `parallelize` 方法的數字來變更。

若要啟用平行化,請將以下內容新增至您的 test_helper.rb

class ActiveSupport::TestCase
  parallelize(workers: 2)
end

傳遞的 Worker 數量是進程將被 Fork 的次數。您可能希望以不同於 CI 的方式平行化您的本機測試套件,因此提供了一個環境變數,以便輕鬆變更測試執行應使用的 Worker 數量

$ PARALLEL_WORKERS=15 bin/rails test

在平行化測試時,Active Record 會自動處理建立資料庫並將綱要載入到每個進程的資料庫中。資料庫將會加上與 Worker 對應的數字作為後綴。例如,如果您有 2 個 Worker,則測試會分別建立 test-database-0test-database-1

如果傳遞的 Worker 數量為 1 或更少,則不會 Fork 進程,並且測試將不會被平行化,它們將會使用原始的 test-database 資料庫。

提供了兩個 Hook,一個在進程 Fork 後執行,另一個在 Fork 的進程關閉前執行。如果您的應用程式使用多個資料庫或執行其他取決於 Worker 數量的任務,這些 Hook 可能會很有用。

parallelize_setup 方法會在進程 Fork 後立即被呼叫。parallelize_teardown 方法會在進程關閉前立即被呼叫。

class ActiveSupport::TestCase
  parallelize_setup do |worker|
    # setup databases
  end

  parallelize_teardown do |worker|
    # cleanup databases
  end

  parallelize(workers: :number_of_processors)
end

當使用執行緒進行平行測試時,不需要或無法使用這些方法。

3.2 使用執行緒進行平行測試

如果您偏好使用執行緒或正在使用 JRuby,則提供了執行緒化的平行化選項。執行緒化的平行化器由 Minitest 的 Parallel::Executor 提供支援。

若要將平行化方法變更為使用執行緒而不是 Fork,請將以下內容放入您的 test_helper.rb

class ActiveSupport::TestCase
  parallelize(workers: :number_of_processors, with: :threads)
end

從 JRuby 或 TruffleRuby 產生的 Rails 應用程式將會自動包含 with: :threads 選項。

傳遞給 parallelize 的 Worker 數量決定了測試將使用的執行緒數量。您可能希望以不同於 CI 的方式平行化您的本機測試套件,因此提供了一個環境變數,以便輕鬆變更測試執行應使用的 Worker 數量

$ PARALLEL_WORKERS=15 bin/rails test

3.3 測試平行交易

當您想要測試在執行緒中執行平行資料庫交易的程式碼時,這些交易可能會因為它們已經巢狀在隱含的測試交易下而互相阻塞。

若要解決這個問題,您可以透過設定 self.use_transactional_tests = false 在測試案例類別中停用交易。

class WorkerTest < ActiveSupport::TestCase
  self.use_transactional_tests = false

  test "parallel transactions" do
    # start some threads that create transactions
  end
end

在停用交易測試後,您必須清除測試建立的任何資料,因為在測試完成後變更不會自動回滾。

3.4 平行化測試的閾值

平行執行測試會增加資料庫設定和 Fixture 載入的額外負擔。因此,Rails 不會平行化涉及少於 50 個測試的執行。

您可以在 test.rb 中設定此閾值

config.active_support.test_parallelization_threshold = 100

以及在測試案例層級設定平行化時

class ActiveSupport::TestCase
  parallelize threshold: 100
end

4 測試資料庫

幾乎每個 Rails 應用程式都會大量與資料庫互動,因此,您的測試也需要一個資料庫才能互動。若要編寫有效率的測試,您需要了解如何設定此資料庫並使用範例資料填入它。

預設情況下,每個 Rails 應用程式都有三個環境:開發、測試和生產。每個環境的資料庫都會在 config/database.yml 中設定。

專用的測試資料庫允許您隔離設定和與測試資料互動。這樣一來,您的測試就可以放心地處理測試資料,而不必擔心開發或生產資料庫中的資料。

4.1 維護測試資料庫綱要

若要執行您的測試,您的測試資料庫需要具有目前的結構。測試輔助程式會檢查您的測試資料庫是否有任何待執行的遷移。它會嘗試將您的 db/schema.rbdb/structure.sql 載入到測試資料庫中。如果仍然有待執行的遷移,則會引發錯誤。這通常表示您的綱要尚未完全遷移。針對開發資料庫執行遷移 (bin/rails db:migrate) 將會使綱要保持最新。

如果對現有的遷移進行了修改,則需要重建測試資料庫。這可以透過執行 bin/rails test:db 來完成。

4.2 關於 Fixture 的詳細資訊

對於好的測試,您需要考慮設定測試資料。在 Rails 中,您可以透過定義和自訂 Fixture 來處理此問題。您可以在 Fixture API 文件中找到完整的說明文件。

4.2.1 什麼是 Fixture?

Fixture 是範例資料的一個花俏詞彙。Fixture 允許您在執行測試之前使用預先定義的資料填入測試資料庫。Fixture 與資料庫無關,並以 YAML 撰寫。每個模型都有一個檔案。

Fixture 並非設計為建立您的測試所需的所有物件,並且最好僅用於可以應用於一般情況的預設資料時才進行管理。

您會在 test/fixtures 目錄下找到 Fixture。當您執行 bin/rails generate model 來建立新模型時,Rails 會自動在此目錄中建立 Fixture Stub。

4.2.2 YAML

YAML 格式的 Fixture 是一種人類友善的方式來描述您的範例資料。這些類型的 Fixture 具有 .yml 檔案副檔名(例如 users.yml)。

以下是一個範例 YAML Fixture 檔案

# lo & behold! I am a YAML comment!
david:
  name: David Heinemeier Hansson
  birthday: 1979-10-15
  profession: Systems development

steve:
  name: Steve Ross Kellock
  birthday: 1974-09-27
  profession: guy with keyboard

每個 Fixture 都會被賦予一個名稱,後面接著一個縮排的冒號分隔的鍵/值配對清單。記錄通常以空白行分隔。您可以在 Fixture 檔案的第一欄中使用 # 字元來放置註解。

如果您正在使用關聯,您可以在兩個不同的 Fixture 之間定義一個參考節點。以下是一個帶有 belongs_to/has_many 關聯的範例

# test/fixtures/categories.yml
about:
  name: About
# test/fixtures/articles.yml
first:
  title: Welcome to Rails!
  category: about
# test/fixtures/action_text/rich_texts.yml
first_content:
  record: first (Article)
  name: content
  body: <div>Hello, from <strong>a fixture</strong></div>

請注意,fixtures/articles.yml 中找到的 first Article 的 category 鍵的值為 about,並且 fixtures/action_text/rich_texts.yml 中找到的 first_content 項目的 record 鍵的值為 first (Article)。這暗示 Active Record 載入 fixtures/categories.yml 中找到的 Category about,而 Action Text 載入 fixtures/articles.yml 中找到的 Article first

若要讓關聯透過名稱互相參考,您可以使用 Fixture 名稱,而不是在關聯的 Fixture 上指定 id: 屬性。Rails 將會自動指派一個主要索引鍵,使其在執行之間保持一致。如需更多有關此關聯行為的資訊,請閱讀Fixture API 文件

4.2.3 檔案附件 Fixture

與其他由 Active Record 支援的模型一樣,Active Storage 附件記錄會繼承自 ActiveRecord::Base 執行個體,因此可以使用 Fixture 填入。

考量一個 Article 模型,該模型有一個相關聯的影像作為 thumbnail 附件,以及 Fixture 資料 YAML

class Article < ApplicationRecord
  has_one_attached :thumbnail
end
# test/fixtures/articles.yml
first:
  title: An Article

假設在 test/fixtures/files/first.png 有一個 image/png 編碼檔案,則下列 YAML Fixture 項目將會產生相關的 ActiveStorage::BlobActiveStorage::Attachment 記錄

# test/fixtures/active_storage/blobs.yml
first_thumbnail_blob: <%= ActiveStorage::FixtureSet.blob filename: "first.png" %>
# test/fixtures/active_storage/attachments.yml
first_thumbnail_attachment:
  name: thumbnail
  record: first (Article)
  blob: first_thumbnail_blob

4.2.4 使用 ERB

ERB 允許您將 Ruby 程式碼內嵌在範本中。當 Rails 載入 Fixture 時,會使用 ERB 預先處理 YAML Fixture 格式。這允許您使用 Ruby 來協助您產生一些範例資料。例如,下列程式碼會產生一千個使用者

<% 1000.times do |n| %>
  user_<%= n %>:
    username: <%= "user#{n}" %>
    email: <%= "user#{n}@example.com" %>
<% end %>

4.2.5 實際運作的 Fixture

Rails 預設會自動從 test/fixtures 目錄載入所有 Fixture。載入涉及三個步驟

  1. 從對應於 Fixture 的資料表中移除任何現有資料
  2. 將 Fixture 資料載入資料表
  3. 將 Fixture 資料傾印到方法中,以便您直接存取它

為了從資料庫中移除現有的資料,Rails 會嘗試停用參考完整性觸發器(例如外鍵和檢查約束)。如果您在執行測試時遇到惱人的權限錯誤,請確保資料庫使用者在測試環境中具有停用這些觸發器的權限。(在 PostgreSQL 中,只有超級使用者才能停用所有觸發器。請在此處閱讀更多關於 PostgreSQL 權限的資訊:這裡)。

4.2.6 Fixtures 是 Active Record 物件

Fixtures 是 Active Record 的實例。如上述第 3 點所述,您可以直接存取物件,因為它會自動以方法的形式提供,且其作用域為測試案例的局部作用域。例如:

# this will return the User object for the fixture named david
users(:david)

# this will return the property for david called id
users(:david).id

# one can also access methods available on the User class
david = users(:david)
david.call(david.partner)

要一次取得多個 fixtures,您可以傳入一個 fixture 名稱的清單。例如:

# this will return an array containing the fixtures david and steve
users(:david, :steve)

5 模型測試

模型測試用於測試應用程式的各種模型。

Rails 模型測試儲存在 test/models 目錄下。Rails 提供一個產生器來為您建立模型測試骨架。

$ bin/rails generate test_unit:model article title:string body:text
create  test/models/article_test.rb
create  test/fixtures/articles.yml

模型測試沒有像 ActionMailer::TestCase 這樣的專屬父類別。相反地,它們繼承自 ActiveSupport::TestCase

6 系統測試

系統測試可讓您測試使用者與應用程式的互動,在真實或無頭瀏覽器中執行測試。系統測試在底層使用 Capybara。

要建立 Rails 系統測試,您可以使用應用程式中的 test/system 目錄。Rails 提供一個產生器來為您建立系統測試骨架。

$ bin/rails generate system_test users
      invoke test_unit
      create test/system/users_test.rb

以下是一個新產生的系統測試的樣子:

require "application_system_test_case"

class UsersTest < ApplicationSystemTestCase
  # test "visiting the index" do
  #   visit users_url
  #
  #   assert_selector "h1", text: "Users"
  # end
end

預設情況下,系統測試會使用 Selenium 驅動程式、Chrome 瀏覽器以及 1400x1400 的螢幕尺寸執行。下一節將說明如何變更預設設定。

預設情況下,Rails 會嘗試從測試期間引發的例外狀況中恢復,並以 HTML 錯誤頁面回應。此行為可由 config.action_dispatch.show_exceptions 設定控制。

6.1 變更預設設定

Rails 讓變更系統測試的預設設定非常簡單。所有設定都已抽象化,因此您可以專注於撰寫測試。

當您產生新的應用程式或 scaffold 時,會在 test 目錄中建立一個 application_system_test_case.rb 檔案。這是您所有系統測試的設定應該存在的地方。

如果您想變更預設設定,您可以變更系統測試的「驅動方式」。假設您想將驅動程式從 Selenium 變更為 Cuprite。首先將 cuprite gem 新增至您的 Gemfile。然後在您的 application_system_test_case.rb 檔案中執行以下操作:

require "test_helper"
require "capybara/cuprite"

class ApplicationSystemTestCase < ActionDispatch::SystemTestCase
  driven_by :cuprite
end

驅動程式名稱是 driven_by 的必要引數。可以傳遞給 driven_by 的選用引數有::using 用於瀏覽器(這只會被 Selenium 使用)、:screen_size 用於變更螢幕擷取的螢幕大小,以及 :options 用於設定驅動程式支援的選項。

require "test_helper"

class ApplicationSystemTestCase < ActionDispatch::SystemTestCase
  driven_by :selenium, using: :firefox
end

如果您想使用無頭瀏覽器,您可以在 :using 引數中新增 headless_chromeheadless_firefox 來使用無頭 Chrome 或無頭 Firefox。

require "test_helper"

class ApplicationSystemTestCase < ActionDispatch::SystemTestCase
  driven_by :selenium, using: :headless_chrome
end

如果您想使用遠端瀏覽器,例如 Docker 中的無頭 Chrome,您必須新增遠端 url 並透過 optionsbrowser 設定為遠端。

require "test_helper"

class ApplicationSystemTestCase < ActionDispatch::SystemTestCase
  url = ENV.fetch("SELENIUM_REMOTE_URL", nil)
  options = if url
    { browser: :remote, url: url }
  else
    { browser: :chrome }
  end
  driven_by :selenium, using: :headless_chrome, options: options
end

現在您應該可以連線到遠端瀏覽器。

$ SELENIUM_REMOTE_URL=https://127.0.0.1:4444/wd/hub bin/rails test:system

如果您的應用程式在測試中也是遠端執行的,例如 Docker 容器,Capybara 需要更多關於如何呼叫遠端伺服器的資訊。

require "test_helper"

class ApplicationSystemTestCase < ActionDispatch::SystemTestCase
  def setup
    Capybara.server_host = "0.0.0.0" # bind to all interfaces
    Capybara.app_host = "http://#{IPSocket.getaddress(Socket.gethostname)}" if ENV["SELENIUM_REMOTE_URL"].present?
    super
  end
  # ...
end

現在您應該可以連線到遠端瀏覽器和伺服器,無論它是否在 Docker 容器或 CI 中執行。

如果您的 Capybara 設定需要比 Rails 提供的更多設定,則可以將此額外的設定新增至 application_system_test_case.rb 檔案中。

請參閱 Capybara 的文件以取得其他設定。

6.2 螢幕擷取畫面輔助程式

ScreenshotHelper 是一個旨在擷取測試螢幕擷取畫面的輔助程式。這對於查看測試失敗時瀏覽器的狀態,或稍後查看螢幕擷取畫面進行偵錯很有幫助。

提供兩個方法:take_screenshottake_failed_screenshottake_failed_screenshot 會自動包含在 Rails 內的 before_teardown 中。

take_screenshot 輔助方法可以包含在您測試的任何位置,以擷取瀏覽器的螢幕擷取畫面。

6.3 實作系統測試

現在,我們將為我們的部落格應用程式新增一個系統測試。我們將透過瀏覽索引頁面並建立新的部落格文章來示範如何撰寫系統測試。

如果您使用 scaffold 產生器,則會自動為您建立系統測試骨架。如果您沒有使用 scaffold 產生器,請從建立系統測試骨架開始。

$ bin/rails generate system_test articles

它應該為我們建立一個測試檔案預留位置。使用先前命令的輸出,您應該會看到:

      invoke  test_unit
      create    test/system/articles_test.rb

現在,讓我們開啟該檔案並撰寫我們第一個斷言:

require "application_system_test_case"

class ArticlesTest < ApplicationSystemTestCase
  test "viewing the index" do
    visit articles_path
    assert_selector "h1", text: "Articles"
  end
end

測試應該會看到文章索引頁面上有一個 h1,並通過測試。

執行系統測試。

$ bin/rails test:system

預設情況下,執行 bin/rails test 不會執行您的系統測試。請務必執行 bin/rails test:system 以實際執行它們。您也可以執行 bin/rails test:all 來執行所有測試,包括系統測試。

6.3.1 建立文章系統測試

現在,讓我們測試在我們的部落格中建立新文章的流程。

test "should create Article" do
  visit articles_path

  click_on "New Article"

  fill_in "Title", with: "Creating an Article"
  fill_in "Body", with: "Created this article successfully!"

  click_on "Create Article"

  assert_text "Creating an Article"
end

第一步是呼叫 visit articles_path。這會將測試帶到文章索引頁面。

然後,click_on "New Article" 會在索引頁面上找到「New Article」按鈕。這會將瀏覽器重新導向至 /articles/new

然後,測試將使用指定的文字填入文章的標題和內文。填入欄位後,會點擊「Create Article」,這會傳送 POST 請求以在資料庫中建立新文章。

我們會被重新導向回文章索引頁面,並在那裡斷言新文章標題中的文字是否在文章索引頁面上。

6.3.2 測試多種螢幕尺寸

如果您想在測試桌上型電腦的同時測試行動裝置尺寸,您可以建立另一個繼承自 ActionDispatch::SystemTestCase 的類別,並在您的測試套件中使用它。在此範例中,在 /test 目錄中建立了一個名為 mobile_system_test_case.rb 的檔案,並具有以下設定。

require "test_helper"

class MobileSystemTestCase < ActionDispatch::SystemTestCase
  driven_by :selenium, using: :chrome, screen_size: [375, 667]
end

若要使用此設定,請在 test/system 內建立一個繼承自 MobileSystemTestCase 的測試。現在您可以使用多種不同的設定來測試您的應用程式。

require "mobile_system_test_case"

class PostsTest < MobileSystemTestCase
  test "visiting the index" do
    visit posts_url
    assert_selector "h1", text: "Posts"
  end
end

6.3.3 更進一步

系統測試的優點是它類似於整合測試,因為它測試使用者與您的控制器、模型和視圖的互動,但系統測試更加穩健,並且實際上測試您的應用程式,就好像真實使用者正在使用它一樣。接下來,您可以測試使用者在應用程式中執行的任何操作,例如評論、刪除文章、發佈草稿文章等等。

7 整合測試

整合測試用於測試應用程式各個部分的互動方式。它們通常用於測試應用程式內的重要工作流程。

要建立 Rails 整合測試,我們可以使用應用程式的 test/integration 目錄。Rails 提供一個產生器來為我們建立整合測試骨架。

$ bin/rails generate integration_test user_flows
      exists  test/integration/
      create  test/integration/user_flows_test.rb

以下是一個新產生的整合測試的樣子:

require "test_helper"

class UserFlowsTest < ActionDispatch::IntegrationTest
  # test "the truth" do
  #   assert true
  # end
end

此處的測試繼承自 ActionDispatch::IntegrationTest。這使得一些額外的輔助程式可供我們在整合測試中使用。

預設情況下,Rails 會嘗試從測試期間引發的例外狀況中恢復,並以 HTML 錯誤頁面回應。此行為可由 config.action_dispatch.show_exceptions 設定控制。

7.1 整合測試可用的輔助程式

除了標準的測試輔助程式之外,繼承自 ActionDispatch::IntegrationTest 還會在撰寫整合測試時提供一些額外的輔助程式。讓我們簡要介紹一下我們可以選擇的三種類別輔助程式。

若要處理整合測試執行器,請參閱 ActionDispatch::Integration::Runner

執行請求時,我們可以使用 ActionDispatch::Integration::RequestHelpers

如果我們需要上傳檔案,請查看 ActionDispatch::TestProcess::FixtureFile 以取得協助。

如果我們需要修改整合測試的工作階段或狀態,請查看 ActionDispatch::Integration::Session 以取得協助。

7.2 實作整合測試

讓我們為我們的部落格應用程式新增一個整合測試。我們將從建立新的部落格文章的基本工作流程開始,以驗證一切正常運作。

我們將從產生整合測試骨架開始:

$ bin/rails generate integration_test blog_flow

它應該為我們建立一個測試檔案預留位置。使用先前命令的輸出,我們應該會看到:

      invoke  test_unit
      create    test/integration/blog_flow_test.rb

現在,讓我們開啟該檔案並撰寫我們第一個斷言:

require "test_helper"

class BlogFlowTest < ActionDispatch::IntegrationTest
  test "can see the welcome page" do
    get "/"
    assert_select "h1", "Welcome#index"
  end
end

我們將在下面的 測試視圖 章節中查看 assert_select,以查詢請求產生的 HTML。它用於透過斷言關鍵 HTML 元素及其內容是否存在來測試請求的回應。

當我們瀏覽根路徑時,應該會看到 welcome/index.html.erb 為視圖呈現。因此,此斷言應該會通過。

7.2.1 建立文章整合

測試我們在部落格中建立新文章並查看結果文章的能力如何?

test "can create an article" do
  get "/articles/new"
  assert_response :success

  post "/articles",
    params: { article: { title: "can create", body: "article successfully." } }
  assert_response :redirect
  follow_redirect!
  assert_response :success
  assert_select "p", "Title:\n  can create"
end

讓我們分解此測試,以便我們了解它。

我們首先呼叫 Articles 控制器上的 :new 動作。此回應應該會成功。

在此之後,我們向 Articles 控制器的 :create 動作發出 post 請求。

post "/articles",
  params: { article: { title: "can create", body: "article successfully." } }
assert_response :redirect
follow_redirect!

請求之後的兩行是用於處理我們在建立新文章時設定的重新導向。

如果您計畫在重新導向之後發出後續請求,請別忘了呼叫 follow_redirect!

最後,我們可以斷言我們的回應已成功,並且我們的新文章可在頁面上讀取。

7.2.2 進一步探索

我們成功地測試了一個非常小的流程,用於訪問我們的部落格並創建新文章。如果我們想進一步擴展,我們可以為評論、刪除文章或編輯評論添加測試。整合測試是實驗應用程式各種使用案例的好地方。

8 控制器的功能測試

在 Rails 中,測試控制器的各種動作是一種編寫功能測試的形式。請記住,您的控制器會處理傳入應用程式的 Web 請求,並最終以渲染的視圖作為回應。在編寫功能測試時,您正在測試您的動作如何處理請求以及預期的結果或回應,在某些情況下是 HTML 視圖。

8.1 功能測試中應包含的內容

您應該測試以下內容:

  • Web 請求是否成功?
  • 使用者是否被重新導向到正確的頁面?
  • 使用者是否成功通過身份驗證?
  • 視圖中是否向使用者顯示了適當的訊息?
  • 回應中是否顯示了正確的資訊?

查看功能測試運作的最簡單方法是使用 scaffold 產生器產生控制器。

$ bin/rails generate scaffold_controller article title:string body:text
...
create  app/controllers/articles_controller.rb
...
invoke  test_unit
create    test/controllers/articles_controller_test.rb
...

這將為 Article 資源產生控制器程式碼和測試。您可以查看 test/controllers 目錄中的檔案 articles_controller_test.rb

如果您已經有控制器,並且只想為七個預設動作產生測試 scaffold 程式碼,可以使用以下命令:

$ bin/rails generate test_unit:scaffold article
...
invoke  test_unit
create    test/controllers/articles_controller_test.rb
...

讓我們看一下 articles_controller_test.rb 檔案中的其中一個測試 test_should_get_index

# articles_controller_test.rb
class ArticlesControllerTest < ActionDispatch::IntegrationTest
  test "should get index" do
    get articles_url
    assert_response :success
  end
end

test_should_get_index 測試中,Rails 模擬對名為 index 的動作發出的請求,確保請求成功,並確保已產生正確的回應主體。

get 方法會啟動 Web 請求,並將結果填入 @response 中。它最多可以接受 6 個引數:

  • 您所請求的控制器動作的 URI。這可以是字串或路由輔助程式的形式(例如,articles_url)。
  • params:帶有要傳遞到動作的請求參數雜湊的可選引數(例如,查詢字串參數或文章變數)。
  • headers:用於設定將與請求一起傳遞的標頭。
  • env:用於根據需要自訂請求環境。
  • xhr:請求是否為 Ajax 請求。可以設定為 true 以將請求標記為 Ajax。
  • as:用於以不同的內容類型編碼請求。

所有這些關鍵字引數都是可選的。

範例:呼叫第一個 Article:show 動作,並傳入 HTTP_REFERER 標頭。

get article_url(Article.first), headers: { "HTTP_REFERER" => "http://example.com/home" }

另一個範例:呼叫最後一個 Article:update 動作,並在 params 中傳入新的 title 文字,作為 Ajax 請求。

patch article_url(Article.last), params: { article: { title: "updated" } }, xhr: true

還有一個範例:呼叫 :create 動作來建立新文章,並在 params 中傳入 title 的文字,作為 JSON 請求。

post articles_path, params: { article: { title: "Ahoy!" } }, as: :json

如果您嘗試執行 articles_controller_test.rb 中的 test_should_create_article 測試,則會因新加入的模型級驗證而失敗,這是理所當然的。

讓我們修改 articles_controller_test.rb 中的 test_should_create_article 測試,以便我們所有的測試都通過。

test "should create article" do
  assert_difference("Article.count") do
    post articles_url, params: { article: { body: "Rails is awesome!", title: "Hello Rails" } }
  end

  assert_redirected_to article_path(Article.last)
end

現在您可以嘗試執行所有測試,它們應該會通過。

如果您遵循了基本身份驗證章節中的步驟,則需要為每個請求標頭新增授權,才能讓所有測試都通過。

post articles_url, params: { article: { body: "Rails is awesome!", title: "Hello Rails" } }, headers: { Authorization: ActionController::HttpAuthentication::Basic.encode_credentials("dhh", "secret") }

預設情況下,Rails 會嘗試從測試期間引發的例外狀況中恢復,並以 HTML 錯誤頁面回應。此行為可由 config.action_dispatch.show_exceptions 設定控制。

8.2 功能測試可用的請求類型

如果您熟悉 HTTP 通訊協定,您就會知道 get 是一種請求類型。Rails 功能測試中支援 6 種請求類型:

  • get
  • post
  • patch
  • put
  • head
  • delete

所有請求類型都有您可以使用的等效方法。在典型的 C.R.U.D. 應用程式中,您會更頻繁地使用 getpostputdelete

功能測試不會驗證動作是否接受指定的請求類型,我們更關心結果。請求測試的存在是為了讓您的測試更有目的性。

8.3 測試 XHR (Ajax) 請求

要測試 Ajax 請求,您可以將 xhr: true 選項指定給 getpostpatchputdelete 方法。例如:

test "ajax request" do
  article = articles(:one)
  get article_url(article), xhr: true

  assert_equal "hello world", @response.body
  assert_equal "text/javascript", @response.media_type
end

8.4 末日三雜湊

在提出和處理請求後,您將有 3 個雜湊物件可供使用:

  • cookies - 設定的任何 Cookie
  • flash - flash 中存在的任何物件
  • session - 會話變數中存在的任何物件

就像一般的雜湊物件一樣,您可以透過以字串參考鍵來存取值。您也可以透過符號名稱來參考它們。例如:

flash["gordon"]               # or flash[:gordon]
session["shmession"]          # or session[:shmession]
cookies["are_good_for_u"]     # or cookies[:are_good_for_u]

8.5 可用的執行個體變數

提出請求後,您還可以在功能測試中存取三個執行個體變數:

  • @controller - 處理請求的控制器
  • @request - 請求物件
  • @response - 回應物件
class ArticlesControllerTest < ActionDispatch::IntegrationTest
  test "should get index" do
    get articles_url

    assert_equal "index", @controller.action_name
    assert_equal "application/x-www-form-urlencoded", @request.media_type
    assert_match "Articles", @response.body
  end
end

8.6 設定標頭和 CGI 變數

HTTP 標頭CGI 變數可以作為標頭傳遞。

# setting an HTTP Header
get articles_url, headers: { "Content-Type": "text/plain" } # simulate the request with custom header

# setting a CGI variable
get articles_url, headers: { "HTTP_REFERER": "http://example.com/home" } # simulate the request with custom env variable

8.7 測試 flash 通知

如果您還記得前面提到的,末日三雜湊之一是 flash

我們希望在有人成功建立新文章時,向我們的部落格應用程式新增 flash 訊息。

讓我們從將此判斷新增到我們的 test_should_create_article 測試開始。

test "should create article" do
  assert_difference("Article.count") do
    post articles_url, params: { article: { title: "Some title" } }
  end

  assert_redirected_to article_path(Article.last)
  assert_equal "Article was successfully created.", flash[:notice]
end

如果我們現在執行測試,應該會看到失敗。

$ bin/rails test test/controllers/articles_controller_test.rb -n test_should_create_article
Run options: -n test_should_create_article --seed 32266

# Running:

F

Finished in 0.114870s, 8.7055 runs/s, 34.8220 assertions/s.

  1) Failure:
ArticlesControllerTest#test_should_create_article [/test/controllers/articles_controller_test.rb:16]:
--- expected
+++ actual
@@ -1 +1 @@
-"Article was successfully created."
+nil

1 runs, 4 assertions, 1 failures, 0 errors, 0 skips

現在讓我們在我們的控制器中實作 flash 訊息。我們的 :create 動作現在應該如下所示:

def create
  @article = Article.new(article_params)

  if @article.save
    flash[:notice] = "Article was successfully created."
    redirect_to @article
  else
    render "new"
  end
end

現在,如果我們執行測試,應該會看到它通過。

$ bin/rails test test/controllers/articles_controller_test.rb -n test_should_create_article
Run options: -n test_should_create_article --seed 18981

# Running:

.

Finished in 0.081972s, 12.1993 runs/s, 48.7972 assertions/s.

1 runs, 4 assertions, 0 failures, 0 errors, 0 skips

8.8 將它們整合在一起

此時,我們的文章控制器會測試 :index 以及 :new:create 動作。那麼如何處理現有資料呢?

讓我們為 :show 動作編寫測試。

test "should show article" do
  article = articles(:one)
  get article_url(article)
  assert_response :success
end

請記住我們之前關於 fixtures 的討論,articles() 方法將允許我們存取我們的文章 fixtures。

那麼刪除現有文章如何?

test "should destroy article" do
  article = articles(:one)
  assert_difference("Article.count", -1) do
    delete article_url(article)
  end

  assert_redirected_to articles_path
end

我們也可以新增一個用於更新現有文章的測試。

test "should update article" do
  article = articles(:one)

  patch article_url(article), params: { article: { title: "updated" } }

  assert_redirected_to article_path(article)
  # Reload association to fetch updated data and assert that title is updated.
  article.reload
  assert_equal "updated", article.title
end

請注意,我們開始看到這三個測試中出現一些重複,它們都存取相同的文章 fixture 資料。我們可以透過使用 ActiveSupport::Callbacks 提供的 setupteardown 方法來精簡程式碼。

我們的測試現在應該如下所示。暫時忽略其他測試,我們為了簡潔起見而省略它們。

require "test_helper"

class ArticlesControllerTest < ActionDispatch::IntegrationTest
  # called before every single test
  setup do
    @article = articles(:one)
  end

  # called after every single test
  teardown do
    # when controller is using cache it may be a good idea to reset it afterwards
    Rails.cache.clear
  end

  test "should show article" do
    # Reuse the @article instance variable from setup
    get article_url(@article)
    assert_response :success
  end

  test "should destroy article" do
    assert_difference("Article.count", -1) do
      delete article_url(@article)
    end

    assert_redirected_to articles_path
  end

  test "should update article" do
    patch article_url(@article), params: { article: { title: "updated" } }

    assert_redirected_to article_path(@article)
    # Reload association to fetch updated data and assert that title is updated.
    @article.reload
    assert_equal "updated", @article.title
  end
end

與 Rails 中的其他回呼類似,setupteardown 方法也可以透過傳遞區塊、lambda 或方法名稱作為符號來呼叫。

8.9 測試輔助程式

為了避免程式碼重複,您可以新增自己的測試輔助程式。登入輔助程式可能是一個很好的例子。

# test/test_helper.rb

module SignInHelper
  def sign_in_as(user)
    post sign_in_url(email: user.email, password: user.password)
  end
end

class ActionDispatch::IntegrationTest
  include SignInHelper
end
require "test_helper"

class ProfileControllerTest < ActionDispatch::IntegrationTest
  test "should show profile" do
    # helper is now reusable from any controller test case
    sign_in_as users(:david)

    get profile_url
    assert_response :success
  end
end

8.9.1 使用單獨的檔案

如果您發現您的輔助程式使 test_helper.rb 變得雜亂,您可以將它們提取到單獨的檔案中。一個好的儲存位置是 test/libtest/test_helpers

# test/test_helpers/multiple_assertions.rb
module MultipleAssertions
  def assert_multiple_of_forty_two(number)
    assert (number % 42 == 0), "expected #{number} to be a multiple of 42"
  end
end

然後可以根據需要明確要求這些輔助程式,並根據需要包含它們。

require "test_helper"
require "test_helpers/multiple_assertions"

class NumberTest < ActiveSupport::TestCase
  include MultipleAssertions

  test "420 is a multiple of forty two" do
    assert_multiple_of_forty_two 420
  end
end

或者它們可以繼續直接包含在相關的父類別中。

# test/test_helper.rb
require "test_helpers/sign_in_helper"

class ActionDispatch::IntegrationTest
  include SignInHelper
end

8.9.2 急切要求輔助程式

您可能會覺得在 test_helper.rb 中急切要求輔助程式很方便,這樣您的測試檔案就可以隱式存取它們。可以使用 globbing 來完成此操作,如下所示:

# test/test_helper.rb
Dir[Rails.root.join("test", "test_helpers", "**", "*.rb")].each { |file| require file }

這樣做的缺點是會增加啟動時間,而不是在個別測試中手動要求必要的檔案。

9 測試路由

與 Rails 應用程式中的其他所有內容一樣,您可以測試您的路由。路由測試位於 test/controllers/ 中,或者是控制器測試的一部分。

如果您的應用程式具有複雜的路由,Rails 會提供許多有用的輔助程式來測試它們。

如需更多有關 Rails 中可用的路由判斷的資訊,請參閱 ActionDispatch::Assertions::RoutingAssertions 的 API 文件。

10 測試視圖

透過判斷關鍵 HTML 元素及其內容是否存在來測試對請求的回應,是測試應用程式視圖的常見方法。與路由測試一樣,視圖測試位於 test/controllers/ 中,或者是控制器測試的一部分。assert_select 方法允許您使用簡單而強大的語法查詢回應的 HTML 元素。

assert_select 有兩種形式:

assert_select(selector, [equality], [message]) 可確保透過選取器在選取的元素上滿足 equality 條件。選取器可以是 CSS 選取器運算式(字串)或帶有取代值的運算式。

assert_select(element, selector, [equality], [message]) 可確保透過選取器在從 elementNokogiri::XML::NodeNokogiri::XML::NodeSet 的執行個體)及其子系開始的所有選取元素上滿足 equality 條件。

例如,您可以使用以下程式碼驗證回應中標題元素上的內容:

assert_select "title", "Welcome to Rails Testing Guide"

您也可以使用巢狀 assert_select 區塊進行更深入的調查。

在以下範例中,li.menu_item 的內部 assert_select 在外部區塊選取的元素集合中執行。

assert_select "ul.navigation" do
  assert_select "li.menu_item"
end

可以迭代選取的元素集合,以便可以針對每個元素單獨呼叫 assert_select

例如,如果回應包含兩個排序清單,每個清單有四個巢狀清單元素,則以下測試都將通過。

assert_select "ol" do |elements|
  elements.each do |element|
    assert_select element, "li", 4
  end
end

assert_select "ol" do
  assert_select "li", 8
end

此判斷非常強大。如需更進階的用法,請參閱其文件

10.1 其他基於視圖的判斷

還有更多主要用於測試視圖的判斷:

斷言 目的
assert_select_email 允許您對電子郵件的內容進行判斷。
assert_select_encoded 允許您對編碼的 HTML 進行判斷。它會先取消編碼每個元素的內容,然後使用所有取消編碼的元素呼叫區塊。
css_select(selector)css_select(element, selector) 傳回由 selector 選取的所有元素的陣列。在第二種變體中,它會先比對基本 element,然後嘗試比對其任何子系的 selector 運算式。如果沒有比對,兩種變體都會傳回空陣列。

以下是如何使用 assert_select_email 的範例:

assert_select_email do
  assert_select "small", "Please click the 'Unsubscribe' link if you want to opt-out."
end

11 測試視圖 Partial

Partial 範本(通常稱為「partials」)是另一種將渲染過程分解為更易於管理的區塊的裝置。使用 partials,您可以從範本中提取程式碼片段到單獨的檔案中,並在整個範本中重複使用它們。

視圖測試提供了測試 partials 是否以您預期的方式渲染內容的機會。視圖 partial 測試位於 test/views/ 中,並繼承自 ActionView::TestCase

要渲染 partial,請像在範本中一樣呼叫 render。內容可透過測試本機 #rendered 方法取得。

class ArticlePartialTest < ActionView::TestCase
  test "renders a link to itself" do
    article = Article.create! title: "Hello, world"

    render "articles/article", article: article

    assert_includes rendered, article.title
  end
end

繼承自 ActionView::TestCase 的測試也可以存取 assert_selectrails-dom-testing 提供的其他基於視圖的判斷。

test "renders a link to itself" do
  article = Article.create! title: "Hello, world"

  render "articles/article", article: article

  assert_select "a[href=?]", article_url(article), text: article.title
end

為了與 rails-dom-testing 整合,繼承自 ActionView::TestCase 的測試會宣告 document_root_element 方法,該方法會將渲染的內容傳回為 Nokogiri::XML::Node 的執行個體。

test "renders a link to itself" do
  article = Article.create! title: "Hello, world"

  render "articles/article", article: article
  anchor = document_root_element.at("a")

  assert_equal article.name, anchor.text
  assert_equal article_url(article), anchor["href"]
end

如果你的應用程式使用 Ruby >= 3.0 或更高版本,則依賴 Nokogiri >= 1.14.0 或更高版本,並依賴 Minitest >= >5.18.0document_root_element 支援 Ruby 的模式匹配

test "renders a link to itself" do
  article = Article.create! title: "Hello, world"

  render "articles/article", article: article
  anchor = document_root_element.at("a")
  url = article_url(article)

  assert_pattern do
    anchor => { content: "Hello, world", attributes: [{ name: "href", value: url }] }
  end
end

如果你想要存取與你的 功能測試和系統測試 所使用的相同 Capybara 強大的斷言,你可以定義一個繼承自 ActionView::TestCase 的基礎類別,並將 document_root_element 轉換為 page 方法。

# test/view_partial_test_case.rb

require "test_helper"
require "capybara/minitest"

class ViewPartialTestCase < ActionView::TestCase
  include Capybara::Minitest::Assertions

  def page
    Capybara.string(rendered)
  end
end

# test/views/article_partial_test.rb

require "view_partial_test_case"

class ArticlePartialTest < ViewPartialTestCase
  test "renders a link to itself" do
    article = Article.create! title: "Hello, world"

    render "articles/article", article: article

    assert_link article.title, href: article_url(article)
  end
end

從 Action View 版本 7.1 開始,#rendered 輔助方法會回傳一個能夠解析視圖局部渲染內容的物件。

若要將 #rendered 方法回傳的 String 內容轉換為物件,請呼叫 .register_parser 來定義一個解析器。呼叫 .register_parser :rss 會定義一個 #rendered.rss 輔助方法。例如,若要將渲染的 RSS 內容 解析為一個具有 #rendered.rss 的物件,請註冊呼叫 RSS::Parser.parse

register_parser :rss, -> rendered { RSS::Parser.parse(rendered) }

test "renders RSS" do
  article = Article.create!(title: "Hello, world")

  render formats: :rss, partial: article

  assert_equal "Hello, world", rendered.rss.items.last.title
end

預設情況下,ActionView::TestCase 會為以下項目定義解析器:

test "renders HTML" do
  article = Article.create!(title: "Hello, world")

  render partial: "articles/article", locals: { article: article }

  assert_pattern { rendered.html.at("main h1") => { content: "Hello, world" } }
end

test "renders JSON" do
  article = Article.create!(title: "Hello, world")

  render formats: :json, partial: "articles/article", locals: { article: article }

  assert_pattern { rendered.json => { title: "Hello, world" } }
end

12 測試輔助方法

輔助方法只是一個簡單的模組,你可以在其中定義在你的視圖中可用的方法。

為了測試輔助方法,你只需要檢查輔助方法的輸出是否與你期望的相符即可。與輔助方法相關的測試位於 test/helpers 目錄下。

假設我們有以下輔助方法:

module UsersHelper
  def link_to_user(user)
    link_to "#{user.first_name} #{user.last_name}", user
  end
end

我們可以像這樣測試此方法的輸出:

class UsersHelperTest < ActionView::TestCase
  test "should return the user's full name" do
    user = users(:david)

    assert_dom_equal %{<a href="/user/#{user.id}">David Heinemeier Hansson</a>}, link_to_user(user)
  end
end

此外,由於測試類別繼承自 ActionView::TestCase,你可以存取 Rails 的輔助方法,例如 link_topluralize

13 測試你的郵件發送器

測試郵件發送器類別需要一些特定的工具才能徹底完成工作。

13.1 檢查郵差

你的郵件發送器類別 - 就像你的 Rails 應用程式的其他部分一樣 - 應該經過測試,以確保它們如預期般運作。

測試你的郵件發送器類別的目標是確保:

  • 電子郵件正在被處理(建立和傳送)。
  • 電子郵件內容正確(主旨、寄件者、內文等)。
  • 在正確的時間傳送正確的電子郵件。

13.1.1 從各個方面

測試你的郵件發送器有兩個方面:單元測試和功能測試。在單元測試中,你會在嚴格控制的輸入下隔離執行郵件發送器,並將輸出與已知的值(一個固定裝置)進行比較。在功能測試中,你不會測試郵件發送器產生的微小細節;相反,我們測試控制器和模型是否以正確的方式使用郵件發送器。你測試以證明在正確的時間傳送了正確的電子郵件。

13.2 單元測試

為了測試你的郵件發送器是否如預期般運作,你可以使用單元測試將郵件發送器的實際結果與預先編寫的應該產生的範例進行比較。

13.2.1 固定裝置的反擊

為了進行郵件發送器的單元測試,固定裝置用於提供輸出應該看起來的範例。由於這些是電子郵件範例,而不是像其他固定裝置一樣的 Active Record 資料,因此它們與其他固定裝置分開保存在自己的子目錄中。test/fixtures 內的目錄名稱直接對應於郵件發送器的名稱。因此,對於名為 UserMailer 的郵件發送器,固定裝置應位於 test/fixtures/user_mailer 目錄中。

如果你產生了你的郵件發送器,產生器不會為郵件發送器的動作建立存根固定裝置。你必須如上所述自行建立這些檔案。

13.2.2 基本測試案例

以下是一個單元測試,用於測試名為 UserMailer 的郵件發送器,其動作 invite 用於向朋友傳送邀請。它是產生器為 invite 動作建立的基本測試的修改版本。

require "test_helper"

class UserMailerTest < ActionMailer::TestCase
  test "invite" do
    # Create the email and store it for further assertions
    email = UserMailer.create_invite("me@example.com",
                                     "friend@example.com", Time.now)

    # Send the email, then test that it got queued
    assert_emails 1 do
      email.deliver_now
    end

    # Test the body of the sent email contains what we expect it to
    assert_equal ["me@example.com"], email.from
    assert_equal ["friend@example.com"], email.to
    assert_equal "You have been invited by me@example.com", email.subject
    assert_equal read_fixture("invite").join, email.body.to_s
  end
end

在測試中,我們建立電子郵件並將回傳的物件儲存在 email 變數中。然後,我們確保它已傳送(第一個斷言),然後在第二批斷言中,我們確保電子郵件確實包含我們期望的內容。輔助方法 read_fixture 用於從該檔案讀取內容。

當只有一個(HTML 或文字)部分存在時,email.body.to_s 會出現。如果郵件發送器同時提供兩者,你可以使用 email.text_part.body.to_semail.html_part.body.to_s 針對特定部分測試你的固定裝置。

以下是 invite 固定裝置的內容:

Hi friend@example.com,

You have been invited.

Cheers!

現在是時候多了解一些關於為你的郵件發送器編寫測試的知識了。config/environments/test.rb 中的程式碼 ActionMailer::Base.delivery_method = :test 會將傳遞方法設定為測試模式,以便實際不會傳送電子郵件(有助於在測試時避免向使用者發送垃圾郵件),而是將其附加到陣列 (ActionMailer::Base.deliveries) 中。

ActionMailer::Base.deliveries 陣列僅在 ActionMailer::TestCaseActionDispatch::IntegrationTest 測試中自動重設。如果你想在這些測試案例之外擁有乾淨的狀態,你可以使用以下程式碼手動重設它:ActionMailer::Base.deliveries.clear

13.2.3 測試已加入佇列的電子郵件

你可以使用 assert_enqueued_email_with 斷言來確認電子郵件已加入佇列,其中包含所有預期的郵件發送器方法引數和/或參數化的郵件發送器參數。這允許你比對已使用 deliver_later 方法加入佇列的任何電子郵件。

與基本測試案例一樣,我們建立電子郵件並將回傳的物件儲存在 email 變數中。以下範例包含傳遞引數和/或參數的變體。

此範例會斷言已使用正確的引數將電子郵件加入佇列。

require "test_helper"

class UserMailerTest < ActionMailer::TestCase
  test "invite" do
    # Create the email and store it for further assertions
    email = UserMailer.create_invite("me@example.com", "friend@example.com")

    # Test that the email got enqueued with the correct arguments
    assert_enqueued_email_with UserMailer, :create_invite, args: ["me@example.com", "friend@example.com"] do
      email.deliver_later
    end
  end
end

此範例會斷言已將具有正確郵件發送器方法具名引數的郵件發送器加入佇列,方法是將引數雜湊作為 args 傳遞。

require "test_helper"

class UserMailerTest < ActionMailer::TestCase
  test "invite" do
    # Create the email and store it for further assertions
    email = UserMailer.create_invite(from: "me@example.com", to: "friend@example.com")

    # Test that the email got enqueued with the correct named arguments
    assert_enqueued_email_with UserMailer, :create_invite, args: [{ from: "me@example.com",
                                                                    to: "friend@example.com" }] do
      email.deliver_later
    end
  end
end

此範例會斷言已將具有正確參數和引數的參數化郵件發送器加入佇列。郵件發送器參數作為 params 傳遞,而郵件發送器方法引數則作為 args 傳遞。

require "test_helper"

class UserMailerTest < ActionMailer::TestCase
  test "invite" do
    # Create the email and store it for further assertions
    email = UserMailer.with(all: "good").create_invite("me@example.com", "friend@example.com")

    # Test that the email got enqueued with the correct mailer parameters and arguments
    assert_enqueued_email_with UserMailer, :create_invite, params: { all: "good" },
                                                           args: ["me@example.com", "friend@example.com"] do
      email.deliver_later
    end
  end
end

此範例顯示另一種測試已將具有正確參數的參數化郵件發送器加入佇列的方法。

require "test_helper"

class UserMailerTest < ActionMailer::TestCase
  test "invite" do
    # Create the email and store it for further assertions
    email = UserMailer.with(to: "friend@example.com").create_invite

    # Test that the email got enqueued with the correct mailer parameters
    assert_enqueued_email_with UserMailer.with(to: "friend@example.com"), :create_invite do
      email.deliver_later
    end
  end
end

13.3 功能和系統測試

單元測試允許我們測試電子郵件的屬性,而功能和系統測試則允許我們測試使用者互動是否適當地觸發電子郵件的傳送。例如,你可以檢查邀請朋友的操作是否正在適當地傳送電子郵件。

# Integration Test
require "test_helper"

class UsersControllerTest < ActionDispatch::IntegrationTest
  test "invite friend" do
    # Asserts the difference in the ActionMailer::Base.deliveries
    assert_emails 1 do
      post invite_friend_url, params: { email: "friend@example.com" }
    end
  end
end
# System Test
require "test_helper"

class UsersTest < ActionDispatch::SystemTestCase
  driven_by :selenium, using: :headless_chrome

  test "inviting a friend" do
    visit invite_users_url
    fill_in "Email", with: "friend@example.com"
    assert_emails 1 do
      click_on "Invite"
    end
  end
end

assert_emails 方法並未與特定的傳遞方法綁定,並且適用於使用 deliver_nowdeliver_later 方法傳遞的電子郵件。如果我們明確想要斷言電子郵件已加入佇列,我們可以使用 assert_enqueued_email_with以上範例)或 assert_enqueued_emails 方法。如需更多資訊,請參閱此處的文件

14 測試工作

工作可以在隔離狀態下測試(著重於工作的行為),也可以在上下文中測試(著重於呼叫程式碼的行為)。

14.1 隔離測試工作

當你產生一個工作時,也會在 test/jobs 目錄中產生一個相關的測試檔案。

以下是帳單工作的範例測試:

require "test_helper"

class BillingJobTest < ActiveJob::TestCase
  test "account is charged" do
    perform_enqueued_jobs do
      BillingJob.perform_later(account, product)
    end
    assert account.reload.charged_for?(product)
  end
end

在呼叫 perform_enqueued_jobs 之前,測試的預設佇列配接器不會執行工作。此外,它會在每次測試執行之前清除所有工作,以便測試不會互相干擾。

測試使用 perform_enqueued_jobsperform_later 而不是 perform_now,以便在設定重試時,重試失敗會被測試捕捉到,而不是重新加入佇列而被忽略。

14.2 在上下文中測試工作

測試工作是否正確加入佇列是一個好的做法,例如,由控制器動作加入佇列。 ActiveJob::TestHelper 模組提供了一些方法來協助此作業,例如 assert_enqueued_with

以下是一個測試帳戶模型方法的範例:

require "test_helper"

class AccountTest < ActiveSupport::TestCase
  include ActiveJob::TestHelper

  test "#charge_for enqueues billing job" do
    assert_enqueued_with(job: BillingJob) do
      account.charge_for(product)
    end

    assert_not account.reload.charged_for?(product)

    perform_enqueued_jobs

    assert account.reload.charged_for?(product)
  end
end

14.3 測試是否引發例外

測試你的工作在某些情況下是否會引發例外可能很棘手,特別是在你設定了重試時。 perform_enqueued_jobs 輔助方法會使任何引發例外的測試失敗,因此為了使測試在引發例外時成功,你必須直接呼叫工作的 perform 方法。

require "test_helper"

class BillingJobTest < ActiveJob::TestCase
  test "does not charge accounts with insufficient funds" do
    assert_raises(InsufficientFundsError) do
      BillingJob.new(empty_account, product).perform
    end
    assert_not account.reload.charged_for?(product)
  end
end

一般來說,不建議使用此方法,因為它會繞過架構的某些部分,例如引數序列化。

15 測試 Action Cable

由於 Action Cable 在你的應用程式內的不同層級使用,因此你需要測試通道、連線類別本身,以及其他實體是否廣播正確的訊息。

15.1 連線測試案例

預設情況下,當你使用 Action Cable 產生新的 Rails 應用程式時,也會在 test/channels/application_cable 目錄下產生基礎連線類別 (ApplicationCable::Connection) 的測試。

連線測試旨在檢查是否正確指派了連線的識別碼,或是否拒絕了任何不正確的連線要求。以下是一個範例:

class ApplicationCable::ConnectionTest < ActionCable::Connection::TestCase
  test "connects with params" do
    # Simulate a connection opening by calling the `connect` method
    connect params: { user_id: 42 }

    # You can access the Connection object via `connection` in tests
    assert_equal connection.user_id, "42"
  end

  test "rejects connection without params" do
    # Use `assert_reject_connection` matcher to verify that
    # connection is rejected
    assert_reject_connection { connect }
  end
end

你也可以指定請求 Cookie,就像在整合測試中一樣:

test "connects with cookies" do
  cookies.signed[:user_id] = "42"

  connect

  assert_equal connection.user_id, "42"
end

如需更多資訊,請參閱 ActionCable::Connection::TestCase 的 API 文件。

15.2 通道測試案例

預設情況下,當你產生一個通道時,也會在 test/channels 目錄下產生一個相關的測試。以下是聊天通道的範例測試:

require "test_helper"

class ChatChannelTest < ActionCable::Channel::TestCase
  test "subscribes and stream for room" do
    # Simulate a subscription creation by calling `subscribe`
    subscribe room: "15"

    # You can access the Channel object via `subscription` in tests
    assert subscription.confirmed?
    assert_has_stream "chat_15"
  end
end

此測試非常簡單,只會斷言通道會將連線訂閱到特定的串流。

您也可以指定底層的連線識別符。以下是一個使用網路通知通道的測試範例

require "test_helper"

class WebNotificationsChannelTest < ActionCable::Channel::TestCase
  test "subscribes and stream for user" do
    stub_connection current_user: users(:john)

    subscribe

    assert_has_stream_for users(:john)
  end
end

請參閱 ActionCable::Channel::TestCase 的 API 文件以獲取更多資訊。

15.3 自訂斷言和測試其他元件內的廣播

Action Cable 提供了一系列的自訂斷言,可以用來減少測試的冗長程度。如需完整的可用斷言列表,請參閱 ActionCable::TestHelper 的 API 文件。

確保在其他元件(例如在您的控制器內)已廣播正確的訊息是一個好習慣。這正是 Action Cable 提供的自訂斷言非常有用的地方。例如,在模型中:

require "test_helper"

class ProductTest < ActionCable::TestCase
  test "broadcast status after charge" do
    assert_broadcast_on("products:#{product.id}", type: "charged") do
      product.charge(account)
    end
  end
end

如果您想測試使用 Channel.broadcast_to 進行的廣播,您應該使用 Channel.broadcasting_for 來生成底層的串流名稱。

# app/jobs/chat_relay_job.rb
class ChatRelayJob < ApplicationJob
  def perform(room, message)
    ChatChannel.broadcast_to room, text: message
  end
end
# test/jobs/chat_relay_job_test.rb
require "test_helper"

class ChatRelayJobTest < ActiveJob::TestCase
  include ActionCable::TestHelper

  test "broadcast message to room" do
    room = rooms(:all)

    assert_broadcast_on(ChatChannel.broadcasting_for(room), text: "Hi!") do
      ChatRelayJob.perform_now(room, "Hi!")
    end
  end
end

16 測試預先載入

通常,應用程式不會在 developmenttest 環境中預先載入,以加快速度。但它們會在 production 環境中執行預先載入。

如果專案中的某些檔案因為任何原因而無法載入,您最好在部署到生產環境之前就檢測到它,對吧?

16.1 持續整合

如果您的專案已設置 CI,則在 CI 中預先載入是確保應用程式預先載入的簡單方法。

CI 通常會設定某些環境變數來指示測試套件正在那裡執行。例如,它可以是 CI

# config/environments/test.rb
config.eager_load = ENV["CI"].present?

從 Rails 7 開始,新生成的應用程式預設會以這種方式配置。

16.2 裸測試套件

如果您的專案沒有持續整合,您仍然可以透過呼叫 Rails.application.eager_load! 在測試套件中預先載入。

16.2.1 Minitest

require "test_helper"

class ZeitwerkComplianceTest < ActiveSupport::TestCase
  test "eager loads all files without errors" do
    assert_nothing_raised { Rails.application.eager_load! }
  end
end

16.2.2 RSpec

require "rails_helper"

RSpec.describe "Zeitwerk compliance" do
  it "eager loads all files without errors" do
    expect { Rails.application.eager_load! }.not_to raise_error
  end
end

17 其他測試資源

17.1 測試時間相關的程式碼

Rails 提供了內建的輔助方法,使您能夠斷言您的時間敏感程式碼如預期般運作。

以下範例使用了 travel_to 輔助方法。

# Given a user is eligible for gifting a month after they register.
user = User.create(name: "Gaurish", activation_date: Date.new(2004, 10, 24))
assert_not user.applicable_for_gifting?

travel_to Date.new(2004, 11, 24) do
  # Inside the `travel_to` block `Date.current` is stubbed
  assert_equal Date.new(2004, 10, 24), user.activation_date
  assert user.applicable_for_gifting?
end

# The change was visible only inside the `travel_to` block.
assert_equal Date.new(2004, 10, 24), user.activation_date

請參閱 ActiveSupport::Testing::TimeHelpers 的 API 參考,以取得有關可用時間輔助方法的更多資訊。



回到頂端