Codeception测试用例的前提条件

时间:2017-01-31 12:58:10

标签: php phpunit codeception

我正在使用代码框架编写自动化测试。我有一个测试用例,用于在用户登录后验证某些功能。大约有20个具有不同功能的测试用例。所有测试用例都需要用户登录系统,因此我在_before回调下编写了登录功能。当我执行所有测试用例时,在每个测试用例之前检查登录功能需要花费很多时间。我们可以将登录功能作为前提条件写入,一旦用户登录,它应该执行所有测试用例吗?

1 个答案:

答案 0 :(得分:2)

您可以在代码中使用所谓的帮助程序。您可以使用以下命令生成帮助程序:

vendor/bin/codecept generate:helper Login

然后你可以在类中放入一个方法来登录用户:

<?php
namespace Helper;

// here you can define custom actions
// all public methods declared in helper class will be available in $I

class Login extends \Codeception\Module
{
    public function login($username, $password)
    {
        /** @var \Codeception\Module\WebDriver $webDriver */
        $webDriver = $this->getModule('WebDriver');
        // if snapshot exists - skipping login
        if ($webDriver->loadSessionSnapshot('login')) {
            return;
        }
        // logging in
        $webDriver->amOnPage('/login');
        $webDriver->submitForm('#loginForm', [
            'login' => $username,
            'password' => $password
        ]);
        $webDriver->see($username, '.navbar');
        // saving snapshot
        $webDriver->saveSessionSnapshot('login');
    }
}

有关快照的更多信息,请参阅http://codeception.com/docs/06-ReusingTestCode#session-snapshot

你的acceptance.suite.yml应该是这样的:

# Codeception Test Suite Configuration
#
# Suite for acceptance tests.
# Perform tests in browser using the WebDriver or PhpBrowser.
# If you need both WebDriver and PHPBrowser tests - create a separate suite.

class_name: AcceptanceTester
modules:
    enabled:
        # Note we must use WebDriver for us to use session snapshots
        - WebDriver:
            url: http://localhost/myapp
            browser: chrome

        - \Helper\Acceptance

        # Note that we must add the Login Helper class we generated here
        - \Helper\Login

现在我们有一个可以在我们所有测试中重用的辅助类。让我们看一个例子:

<?php


class UserCest
{
    // tests
    public function testUserCanLogin(AcceptanceTester $I)
    {
        $I->login('username', 'password');
    }

    public function testUserCanCarryOutTask(AcceptanceTester $I)
    {
        $I->login('username', 'password');
        $I->amOnPage('/task-page');
        $I->see('Task Page');
        // other assertions below
    }

    public function testUserCanCarryOutAnotherTask(AcceptanceTester $I)
    {
        $I->login('username', 'password');
        $I->amOnPage('/another-task-page');
        $I->see('Another Task Page');
        // other assertions below
    }
}

现在,当运行UserCest测试时,它应该只登录用户一次。