我正在开发一个在开发环境中没有生产数据库副本的项目。
有时我们会遇到数据库迁移问题 - 它们会传递开发数据库但在生产/测试中失败。
这通常是因为Dev environent数据是从使用最新实体的Fixtures加载的 - 正确填充所有表格。
有没有简单的方法可以确保Doctrine Migration(s)会在生产中传递?
您是否已经/知道如何编写自动测试,以确保在不下载生产/测试数据库并手动运行迁移的情况下正确迁移数据?
我想避免将生产/测试数据库下载到开发机器,这样我就可以检查迁移,因为数据库包含私有数据,而且它可能非常大。
答案 0 :(得分:3)
首先,您需要在迁移之前在状态中创建示例数据库转储。对于MySQL使用mysqldump。对于postgres pg_dump,例如:
mysqldump -u root -p mydatabase > dump-2018-02-20.sql
pg_dump -Upostgres --inserts --encoding utf8 -f dump-2018-02-20.sql mydatabase
然后为所有迁移测试创建一个抽象类(我假设您已在config_test.yml
中为集成测试配置了单独的数据库):
abstract class DatabaseMigrationTestCase extends WebTestCase {
/** @var ResettableContainerInterface */
protected $container;
/** @var Application */
private $application;
protected function setUp() {
$this->container = self::createClient()->getContainer();
$kernel = $this->container->get('kernel');
$this->application = new Application($kernel);
$this->application->setAutoExit(false);
$this->application->setCatchExceptions(false);
$em = $this->container->get(EntityManagerInterface::class);
$this->executeCommand('doctrine:schema:drop --force');
$em->getConnection()->exec('DROP TABLE IF EXISTS public.migration_versions');
}
protected function loadDump(string $name) {
$em = $this->container->get(EntityManagerInterface::class);
$em->getConnection()->exec(file_get_contents(__DIR__ . '/dumps/dump-' . $name . '.sql'));
}
protected function executeCommand(string $command): string {
$input = new StringInput("$command --env=test");
$output = new BufferedOutput();
$input->setInteractive(false);
$returnCode = $this->application->run($input, $output);
if ($returnCode != 0) {
throw new \RuntimeException('Failed to execute command. ' . $output->fetch());
}
return $output->fetch();
}
protected function migrate(string $toVersion = '') {
$this->executeCommand('doctrine:migrations:migrate ' . $toVersion);
}
}
迁移测试示例:
class Version20180222232445_MyMigrationTest extends DatabaseMigrationTestCase {
/** @before */
public function prepare() {
$this->loadDump('2018-02-20');
$this->migrate('20180222232445');
}
public function testMigratedSomeData() {
$em = $this->container->get(EntityManagerInterface::class);
$someRow = $em->getConnection()->executeQuery('SELECT * FROM myTable WHERE id = 1')->fetch();
$this->assertEquals(1, $someRow['id']);
// check other stuff if it has been migrated correctly
}
}
答案 1 :(得分:1)
我已经想出了简单的"烟雾测试" for Doctrine Migrations。
我按照以下步骤进行PHPUnit测试:
通过这种方式,我可以测试我们最近遇到的主要问题。
PHPUnit测试的示例可以在我的博客上找到:http://damiansromek.pl/2015/09/29/how-to-test-doctrine-migrations/