我已经使用过phinx迁移并使用了它的#s;' up'并且'改变'功能,但我没有注意到它们之间的任何差异。以下是我的迁移文件。
GenerateDocumentationFile
有谁可以告诉我这两个功能之间的区别?提前谢谢。
答案 0 :(得分:4)
Phinx 0.2.0增加了一项名为可逆迁移的新功能。您可以使用change
方法实现可逆迁移。如果您已实施change
方法,则不需要编写down
或up
方法。虽然在change
方法中迁移逻辑将被执行,Phinx将为您自动向下迁移。
在定义表结构等时,可逆迁移很有用。
示例(使用更改方法的可逆迁移)
<?php
use Phinx\Migration\AbstractMigration;
class CreateUserLoginsTable extends AbstractMigration
{
/**
* Change Method.
*
* Write your reversible migrations using this method.
*
* More information on writing migrations is available here:
* http://docs.phinx.org/en/latest/migrations.html#the-abstractmigration-class
*
* The following commands can be used in this method and Phinx will
* automatically reverse them when rolling back:
*
* createTable
* renameTable
* addColumn
* renameColumn
* addIndex
* addForeignKey
*
* Remember to call "create()" or "update()" and NOT "save()" when working
* with the Table class.
*/
public function change()
{
// create the table
$table = $this->table('user_logins');
$table->addColumn('user_id', 'integer')
->addColumn('created', 'datetime')
->create();
}
/**
* Migrate Up.
*/
public function up()
{
}
/**
* Migrate Down.
*/
public function down()
{
}
}
示例(不使用更改方法,与上面相同的迁移)
<?php
use Phinx\Migration\AbstractMigration;
class CreateUserLoginsTable extends AbstractMigration
{
/**
* Migrate Up.
*/
public function up()
{
// create the table
$table = $this->table('user_logins');
$table->addColumn('user_id', 'integer')
->addColumn('created', 'datetime')
->create();
}
/**
* Migrate Down.
*/
public function down()
{
$this->dropTable('user_logins');
}
}