3

我正在学习 Codeception,我想知道什么时候应该使用 setUp() 或 tearDown(),什么时候应该使用 _before() 或 _after()。我看不出有什么区别。这两种方法都是在我的测试文件中的单个测试之前或之后运行的?谢谢,

4

1 回答 1

4

正如 Gabriel Hemming 所提到的,setUp() 和 tearDown() 是 PHPUnit 在每次测试运行前设置环境并在每次测试运行后拆除环境的方式。_before() 和 _after() 是 codeception 的执行方式。

为了回答您的问题,关于为什么 codeception 有不同的方法,让我推荐您参考 codeception 的文档:http ://codeception.com/docs/05-UnitTests#creating-test

如您所见,与 PHPUnit 不同的是,setUp 和 tearDown 方法被替换为它们的别名:_before、_after。

实际的 setUp 和 tearDown 由父类 \Codeception\TestCase\Test 实现,并将 UnitTester 类设置为让 Cept 文件中的所有酷动作作为单元测试的一部分运行。

文档中提到的很酷的操作是现在可以在单元测试中使用的任何模块或辅助类。

这是如何在单元测试中使用模块的一个很好的例子:http: //codeception.com/docs/05-UnitTests#using-modules

让我们举一个在单元测试中设置夹具数据的例子:

<?php


class UserRepositoryTest extends \Codeception\Test\Unit
{
    /**
     * @var \UnitTester
     */
    protected $tester;

    protected function _before()
    {
        // Note that codeception will delete the record after the test.
        $this->tester->haveInDatabase('users', array('name' => 'miles', 'email' => 'miles@davis.com'));
    }

    protected function _after()
    {

    }

    // tests
    public function testUserAlreadyExists()
    {

        $userRepository = new UserRepository(
            new PDO(
                'mysql:host=localhost;dbname=test;port=3306;charset=utf8',
                'testuser',
                'password'
            )
        );

        $user = new User();
        $user->name = 'another name';
        $user->email = 'miles@davis.com';

        $this->expectException(UserAlreadyExistsException::class);

        $user->save();

    }
}

class User
{
    public $name;
    public $email;

}

class UserRepository
{
    public function __construct(PDO $database)
    {
        $this->db = $database;
    }

    public function save(User $user)
    {
        try {
            $this->db->prepare('INSERT INTO `users` (`name`, `email`) VALUES (:name, :email)')
                ->execute(['name' => $user->name, 'email' => $user->email]);
        } catch (PDOException $e) {
            if ($e->getCode() == 1062) {
                throw new UserAlreadyExistsException();
            } else {
                throw $e;
            }
        }

    }
}
于 2017-02-01T12:17:16.537 回答