PHPUnit - 在测试中自动加载类

2022-08-30 18:26:34

我的项目中有以下结构:

/
/app
/app/models/ --UserTable.php

/lib
/lib/framework
/lib/framework/Models
/lib/framework/Db

/tests -- phpunit.xml, bootstrap.php
/tests/app
/tests/app/models --UserTableTest.php

对于应用程序和 lib 目录,我有各种类可以协同工作来运行我的应用程序。为了设置我的测试,我创建了一个/tests/phpunit.xml文件和一个/tests/bootstrap.php

phpunit.xml

<phpunit bootstrap="bootstrap.php">
</phpunit>

引导.php

<?php

function class_auto_loader($className)
{
  $parts = explode('\\', $className);
  $path = '/var/www/phpdev/' . implode('/', $parts) . '.php';

  require_once $path;
}

spl_autoload_register('class_auto_loader');

所以我有以下测试:

<?php

class UserTableTest extends PHPUnit_Framework_TestCase
{
  protected $_userTable;

  public function setup()
  {
    $this->_userTable = new app\models\UserTable;
  }

  public function testFindRowByPrimaryKey()
  {
    $user = $this->_userTable->find(1);

    $this->assertEquals($user->id, 1);
  }
}

但是当我运行测试时,它找不到类 -PHP Fatal error: Class 'app\models\UserTable' not found in /var/www/phpdev/tests/app/models/UserTableTest.php on line 13

我做错了什么?我试图更好地理解PHPUnit配置,所以我选择自己编写配置和引导文件。


答案 1

如果您使用的是作曲家自动加载

改变

<phpunit colors="true" strict="true" bootstrap="vendor/autoload.php">

<phpunit colors="true" strict="true" bootstrap="tests/autoload.php">

并在目录中创建包含以下内容的新内容testsautoload.php

include_once __DIR__.'/../vendor/autoload.php';

$classLoader = new \Composer\Autoload\ClassLoader();
$classLoader->addPsr4("Your\\Test\\Namespace\\Here\\", __DIR__, true);
$classLoader->register();

答案 2

您可能应该使用 composer 来组织代码,例如,项目根目录中的 composer.json 应包含如下内容:

  ...
  "autoload": {
    "psr-0": {
      "PRJ_NAME\\APP\\": "app/",
      "PRJ_NAME\\LIB\\": "lib/"
    }
  },
  ...

然后,在运行 composer 更新后,上面定义的两个命名空间将放入 vendor/composer/autoload_namespaces.php。接下来很简单,只需使用自动加载选项运行phpunit,如下所示:

phpunit --bootstrap vendor/autoload.php tests/app/models/UserTableTest

确保在源代码和测试代码中更改命名空间的用法。


推荐