控制台测试
Introduction
除了简化 HTTP 测试之外,Laravel 还提供了一个简单的 API 来测试你的应用程序的自定义控制台命令.
成功/失败的期望
首先,让我们探索如何对 Artisan 命令的退出代码进行断言。为此,我们将使用artisan
从我们的测试中调用 Artisan 命令的方法。然后,我们将使用assertExitCode
断言命令已完成并带有给定退出代码的方法:
/**
* Test a console command.
*/
public function test_console_command(): void
{
$this->artisan('inspire')->assertExitCode(0);
}
您可以使用assertNotExitCode
断言命令没有以给定的退出代码退出的方法:
$this->artisan('inspire')->assertNotExitCode(1);
当然,所有终端命令通常以状态代码退出0
当他们成功时,当他们不成功时,退出代码为非零。因此,为方便起见,您可以使用assertSuccessful
和assertFailed
assertions 断言给定的命令是否以成功的退出代码退出:
$this->artisan('inspire')->assertSuccessful();
$this->artisan('inspire')->assertFailed();
输入/输出期望
Laravel 允许你使用expectsQuestion
方法。此外,您可以使用以下命令指定您希望控制台命令输出的退出代码和文本assertExitCode
和expectsOutput
方法。例如,考虑以下控制台命令:
Artisan::command('question', function () {
$name = $this->ask('What is your name?');
$language = $this->choice('Which language do you prefer?', [
'PHP',
'Ruby',
'Python',
]);
$this->line('Your name is '.$name.' and you prefer '.$language.'.');
});
您可以使用以下测试来测试此命令,该测试利用了expectsQuestion
,expectsOutput
,doesntExpectOutput
,expectsOutputToContain
,doesntExpectOutputToContain
, 和assertExitCode
方法:
/**
* Test a console command.
*/
public function test_console_command(): void
{
$this->artisan('question')
->expectsQuestion('What is your name?', 'Taylor Otwell')
->expectsQuestion('Which language do you prefer?', 'PHP')
->expectsOutput('Your name is Taylor Otwell and you prefer PHP.')
->doesntExpectOutput('Your name is Taylor Otwell and you prefer Ruby.')
->expectsOutputToContain('Taylor Otwell')
->doesntExpectOutputToContain('you prefer Ruby')
->assertExitCode(0);
}
确认期望
当编写一个期望以“是”或“否”的形式得到确认的命令时,你可以使用expectsConfirmation
方法:
$this->artisan('module:import')
->expectsConfirmation('Do you really wish to run this command?', 'no')
->assertExitCode(1);
表的期望
如果您的命令使用 Artisan 显示信息表table
方法,为整个表编写输出期望可能会很麻烦。相反,您可以使用expectsTable
方法。此方法接受表格的标题作为其第一个参数,表格的数据作为其第二个参数:
$this->artisan('users:all')
->expectsTable([
'ID',
'Email',
], [
[1, 'taylor@example.com'],
[2, 'abigail@example.com'],
]);