介绍

除了简化 HTTP 测试之外,Laravel 还提供了一个简单的 API 来测试应用程序的 自定义控制台命令。

期望成功/失败

首先,让我们探索如何对 Artisan 命令的退出代码进行断言。为此,我们将使用 php artisan 方法从我们的测试中调用 Artisan 命令。然后,我们将使用 php assertExitCode 方法断言该命令以给定的退出代码完成:

  1. /**
  2. * 测试控制台命令。
  3. */
  4. public function test_console_command(): void
  5. {
  6. $this->artisan('inspire')->assertExitCode(0);
  7. }

你可以使用 php assertNotExitCode 方法断言命令没有以给定的退出代码退出:

  1. $this->artisan('inspire')->assertNotExitCode(1);

当然,所有终端命令通常在成功时以 php 0 状态码退出,在不成功时以非零退出码退出。因此,为方便起见,你可以使用 php assertSuccessfulphp assertFailed 断言来断言给定命令是否以成功的退出代码退出:

  1. $this->artisan('inspire')->assertSuccessful();
  2. $this->artisan('inspire')->assertFailed();

期望输入/输出

Laravel 允许你使用 php expectsQuestion 方法轻松 「mock」控制台命令的用户输入。此外,你可以使用 php assertExitCodephp expectsOutput 方法指定你希望通过控制台命令输出的退出代码和文本。例如,考虑以下控制台命令:

  1. Artisan::command('question', function () {
  2. $name = $this->ask('What is your name?');
  3. $language = $this->choice('Which language do you prefer?', [
  4. 'PHP',
  5. 'Ruby',
  6. 'Python',
  7. ]);
  8. $this->line('Your name is '.$name.' and you prefer '.$language.'.');
  9. });

你可以用下面的测试来测试这个命令,该测试利用了 php expectsQuestionphp expectsOutputphp doesntExpectOutputphp expectsOutputToContainphp doesntExpectOutputToContainphp assertExitCode 方法。

  1. /**
  2. * 测试控制台命令。
  3. */
  4. public function test_console_command(): void
  5. {
  6. $this->artisan('question')
  7. ->expectsQuestion('What is your name?', 'Taylor Otwell')
  8. ->expectsQuestion('Which language do you prefer?', 'PHP')
  9. ->expectsOutput('Your name is Taylor Otwell and you prefer PHP.')
  10. ->doesntExpectOutput('Your name is Taylor Otwell and you prefer Ruby.')
  11. ->expectsOutputToContain('Taylor Otwell')
  12. ->doesntExpectOutputToContain('you prefer Ruby')
  13. ->assertExitCode(0);
  14. }

确认期望
当编写一个期望以「是」或「否」答案形式确认的命令时,你可以使用 php expectsConfirmation 方法:

  1. $this->artisan('module:import')
  2. ->expectsConfirmation('Do you really wish to run this command?', 'no')
  3. ->assertExitCode(1);

表格期望
如果你的命令使用 Artisan 的 php table 方法显示信息表,则为整个表格编写输出预期会很麻烦。相反,你可以使用 php expectsTable 方法。此方法接受表格的标题作为它的第一个参数和表格的数据作为它的第二个参数:

  1. $this->artisan('users:all')
  2. ->expectsTable([
  3. 'ID',
  4. 'Email',
  5. ], [
  6. [1, 'taylor@example.com'],
  7. [2, 'abigail@example.com'],
  8. ]);