当我的测试类使用自己的构造函数方法时,PHPUnit 6.1.x会抛出array_merge()错误

时间:2017-05-03 14:21:04

标签: php constructor phpunit extends

我收到此错误:

1) XTest::testX
array_merge(): Argument #1 is not an array

ERRORS!
Tests: 1, Assertions: 0, Errors: 1.

在这个测试案例中:

use PHPUnit\Framework\TestCase;

class XTest extends TestCase
{

    function __construct()
    {}

    function testX()
    {
        $this->assertTrue(true);
    }
}

如果我删除__construct方法,我的测试通过。 PHPUnit处理我的类构造函数方法会发生什么?它在PHPUnit版本4.8中运行良好,但现在我使用PHPUnit版本6.1.3

2 个答案:

答案 0 :(得分:29)

PHPUnit使用构造函数初始化基础TestCase

您可以在此处查看构造函数方法: https://github.com/sebastianbergmann/phpunit/blob/6.1.3/src/Framework/TestCase.php#L328

public function __construct($name = null, array $data = [], $dataName = '')

您不应该使用构造函数,因为phpunit使用它并且对签名等的任何更改都可能会破坏事物。

您可以使用phpunit为您调用的特殊setUpsetUpBeforeClass方法。

use PHPUnit\Framework\TestCase;

class XTest extends TestCase
{
    function static setUpBeforeClass()
    { 
       // Called once just like normal constructor
       // You can create database connections here etc
    }

    function setUp()
    {
      //Initialize the test case
      //Called for every defined test
    }

    function testX()
    {
        $this->assertTrue(true);
    }

    // Clean up the test case, called for every defined test
    public function tearDown() { }

    // Clean up the whole test class
    public static function tearDownAfterClass() { }
}

文档:https://phpunit.de/manual/current/en/fixtures.html

请注意,为类中的每个指定测试调用setUp

对于单个初始化,您可以使用setUpBeforeClass

另一个提示:运行带有-v标志的phpunit来显示堆栈跟踪;)

答案 1 :(得分:10)

您可以在Test类中调用parent::__construct();

public function __construct() {
    parent::__construct();
    // Your construct here
}

编辑2019

不要这样做。桑德维瑟的答案更好。读他的回答。