除了一个之外,如何运行laravel migration和DB seeder

时间:2016-02-04 03:01:06

标签: php laravel laravel-migrations laravel-seeding

我要运行许多迁移和播种器文件,虽然我需要运行所有文件,但目前我需要跳过一个迁移和播种器。

如何从laravel migration和db seeder命令中跳过一个文件。

我不想从迁移或种子文件夹中删除文件以跳过该文件。

6 个答案:

答案 0 :(得分:8)

Laravel没有为您提供默认方法。但是,您可以创建自己的控制台命令和播种器来实现它 我们假设你有这个默认的DatabaseSeeder类:

class DatabaseSeeder extends Seeder
{
    public function run()
    {
        $this->call(ExampleTableSeeder::class);
        $this->call(UserSamplesTableSeeder::class);
    }
}

目标是创建一个新的命令覆盖" db:seed"并传递一个新参数,一个"除了"参数,DatabaseSeeder类。

这是我在Laravel 5.2实例上创建的最终代码,并尝试了:

命令,放入app / Console / Commands,不要忘记更新你的Kernel.php:

namespace App\Console\Commands;
use Illuminate\Console\Command;
class SeedExcept extends Command
{
    protected $signature = 'db:seed-except {--except=class name to jump}';
    protected $description = 'Seed all except one';
    public function handle()
    {
        $except = $this->option('except');
        $seeder = new \DatabaseSeeder($except);
        $seeder->run();
    }
}

DatabaseSeeder

use Illuminate\Database\Seeder;
class DatabaseSeeder extends Seeder
{
    protected $except;

    public function __construct($except = null) {
        $this->except = $except;
    }

    public function call($class)
    {
        if ($class != $this->except)
        {
            echo "calling $class \n";
            //parent::call($class);  // uncomment this to execute after tests
        }
    }

    public function run()
    {
        $this->call(ExampleTableSeeder::class);
        $this->call(UserSamplesTableSeeder::class);
    }
}

代码,你会发现我评论了调用种子的行并为测试目的添加了一个回声。

执行此命令:

  

php artisan db:seed-except

会给你:

  

调用ExampleTableSeeder
  调用UserSamplesTableSeeder

但是,添加"除了":

  

php artisan db:seed-except --except = ExampleTableSeeder

会给你

  

调用UserSamplesTableSeeder

这可以覆盖call类的默认DatabaseSeeder方法,并且仅当类的名称不在$ except变量中时才调用父类。该变量由SeedExcept自定义命令填充。

关于迁移,事情类似但有点困难。

我现在无法为您提供经过测试的代码,但问题是:

  • 创建一个migrate-except命令,覆盖MigrateCommand类(命名空间Illuminate \ Database \ Console \ Migrations,位于vendor / laravel / framework / src / Illuminate / Database / Console / Migrations / MigrateCommand .PHP)。
  • MigrateCommand在构造函数中引用Migrator对象(命名空间Illuminate \ Database \ Migrations,路径vendor / laravel / framework / src / Illuminate / Database / Migrations / Migrator.php)(通过注入IOC)。 Migrator类拥有读取文件夹内所有迁移并执行它的逻辑。此逻辑位于run()方法
  • 创建Migrator的子类,例如MyMigrator,并覆盖run()方法以跳过使用特殊选项传递的文件
  • 覆盖__construct()的{​​{1}}方法并通过您的MigrateExceptCommandMyMigrator

如果我有时间,我会在赏金结束之前添加一个例子的代码

修改 正如所承诺的,这是迁移的一个例子:

MyMigrator类,扩展了Migrator并包含跳过文件的逻辑:

public function __construct(MyMigrator $migrator)

MigrateExcept自定义命令

namespace App\Helpers;
use Illuminate\Database\Migrations\Migrator;
class MyMigrator extends Migrator
{
    public $except = null;

    // run() method copied from it's superclass adding the skip logic
    public function run($path, array $options = [])
    {
        $this->notes = [];

        $files = $this->getMigrationFiles($path);

        // skip logic
        // remove file from array
        if (isset($this->except))
        {
            $index = array_search($this->except,$files);
            if($index !== FALSE){
                unset($files[$index]);
            }
        }
        var_dump($files); // debug

        $ran = $this->repository->getRan();
        $migrations = array_diff($files, $ran);
        $this->requireFiles($path, $migrations);

        //$this->runMigrationList($migrations, $options);  // commented for debugging purposes
    }
}

最后,您需要将此添加到服务提供商以允许Laravel IoC解析依赖关系

namespace App\Console\Commands;
use Illuminate\Console\Command;
use Illuminate\Database\Console\Migrations\MigrateCommand;
use App\Helpers\MyMigrator;
use Illuminate\Database\Migrations\Migrator;
use Symfony\Component\Console\Input\InputOption;

class MigrateExcept extends MigrateCommand
{
    protected $name = 'migrate-except'; 

    public function __construct(MyMigrator $migrator)
    {   
        parent::__construct($migrator);
    }

    public function fire()
    {
        // set the "except" param, containing the name of the file to skip, on our custom migrator
        $this->migrator->except = $this->option('except');
        parent::fire();
    }

    // add the 'except' option to the command
    protected function getOptions()
    {
        return [
            ['database', null, InputOption::VALUE_OPTIONAL, 'The database connection to use.'],

            ['force', null, InputOption::VALUE_NONE, 'Force the operation to run when in production.'],

            ['path', null, InputOption::VALUE_OPTIONAL, 'The path of migrations files to be executed.'],

            ['pretend', null, InputOption::VALUE_NONE, 'Dump the SQL queries that would be run.'],

            ['seed', null, InputOption::VALUE_NONE, 'Indicates if the seed task should be re-run.'],

            ['step', null, InputOption::VALUE_NONE, 'Force the migrations to be run so they can be rolled back individually.'],

            ['except', null, InputOption::VALUE_OPTIONAL, 'Files to jump'],
        ];
    }
}

不要忘记在Kernel.php中添加namespace App\Providers; use App\Helpers\MyMigrator; use App\Console\Commands\MigrateExcept; class CustomServiceProvider extends ServiceProvider { public function boot() { parent::boot($events); $this->app->bind('Illuminate\Database\Migrations\MigrationRepositoryInterface', 'migration.repository'); $this->app->bind('Illuminate\Database\ConnectionResolverInterface', 'Illuminate\Database\DatabaseManager'); $this->app->singleton('MyMigrator', function ($app) { $repository = $app['migration.repository']; return new MyMigrator($repository, $app['db'], $app['files']); }); } }

现在,如果你执行

  

php artisan migrate-except

你有:

Commands\MigrateExcept::class

但添加了除了参数:

  

php artisan migrate-except --except = 2014_04_24_110151_create_oauth_scopes_table

array(70) {
  [0] =>
  string(43) "2014_04_24_110151_create_oauth_scopes_table"
  [1] =>
  string(43) "2014_04_24_110304_create_oauth_grants_table"
  [2] =>
  string(49) "2014_04_24_110403_create_oauth_grant_scopes_table"
  ...

所以,回顾一下:

  • 我们创建了一个自定义migrate-except命令,array(69) { [1] => string(43) "2014_04_24_110304_create_oauth_grants_table" [2] => string(49) "2014_04_24_110403_create_oauth_grant_scopes_table" 类,扩展了MigrateCommand
  • 我们创建了一个自定义迁移器类MigrateExcept,扩展了标准MyMigrator的行为
  • 当MigrateExcept是fi​​re()时,传递文件名以跳转到我们的Migrator
  • MyMigrator会覆盖MyMigrator的{​​{1}}方法并跳过已通过的迁移
  • 更多:因为我们需要向Laravel IoC指示新创建的类,所以它可以正确地注入它们,我们创建一个服务提供者

代码经过测试,因此它应该在Laravel 5.2上正常工作(希望剪切和粘贴正常工作:-) ...如果有任何疑问发表评论

答案 1 :(得分:3)

跳过种子很简单,迁移不是那么多。要跳过种子,请从DatabaseSeeder类中删除以下内容。

$this->call(TableYouDontWantToSeed::class);

对于迁移,有三种方法可以执行此操作:

  • 将您不想迁移的课程迁移到其他文件夹。
  • 手动将迁移内容插入数据库(Bindesh Pandya的答案详述)。
  • 将您不想迁移的文件重命名为UsersTableMigration.dud

希望这有帮助

答案 2 :(得分:2)

我的项目也遇到了同样的问题,但经过长时间的浪费在R&我发现Laravel没有提供任何方法来实现迁移和播种,但你有2种方法可以做到这一点。

1)只需将它们放入不同的文件夹即可节省大量时间。    你理论上可以制作你自己的工匠命令来做什么    你想要的,或者通过创建目录,移动文件和运行来欺骗它    php artisan migrate。

对于播种机,只需制作一个播种机并将其中的其他播种机调用即可。然后只是明确你要运行什么播种机。请尝试php artisan db:seed --help了解更多详情。

2)您可以手动创建一个表(与您在db中创建迁移表的名称相同)并插入像这样的迁移值

insert into migrations(migration, batch) values('2015_12_08_134409_create_tables_script',1);

所以migrate命令不会创建迁移表中已存在的表。

答案 3 :(得分:1)

如果您只想省略(但保留)迁移和播种机:

  1. 删除.php扩展名mv your_migration_file.php your_migration_file
  2. ,重命名您的迁移
  3. 转到:DatabaseSeeder.php并与您不需要的播种机注释掉://$this->call('YourSeeder');
  4. 运行:php artisan migrate --seed
  5. 在db上执行以下sql查询(注意,应该有迁移文件名WITHOUT扩展名)(这将阻止工匠迁移以后执行your_migration_file):

    INSERT INTO migrationsmigrationbatch)VALUES(your_migration_file,1)

  6. 重命名您的迁移文件:mv your_migration_file your_migration_file.php

  7. DatabaseSeeder.php
  8. 中取消注释播种机

    你完成了。现在,当您运行php artisan migrate时,应执行任何迁移(如果添加一些新的迁移文件,则除了新的迁移)。

答案 4 :(得分:0)

只是一个想法评论播种机架构。这就是我猜的方式

BEGIN TRANSACTION
GO
ALTER TABLE dbo.myTable ADD
    myPK int NOT NULL IDENTITY (1, 1)
GO
ALTER TABLE dbo.myTable ADD CONSTRAINT
    PK_myTable PRIMARY KEY CLUSTERED (myPK) 
    WITH (STATISTICS_NORECOMPUTE = OFF, IGNORE_DUP_KEY = OFF, 
            ALLOW_ROW_LOCKS = ON, ALLOW_PAGE_LOCKS = ON) 
    ON [PRIMARY]

GO
ALTER TABLE dbo.myTable SET (LOCK_ESCALATION = TABLE)
GO
COMMIT

答案 5 :(得分:0)

要直接回答您的问题,Laravel目前无法做到这一点。

如果我理解正确,我认为您正在寻找一种方法来暂时禁用/跳过默认DatabaseSeeder中的特定类。

您可以轻松地create your own command接受字符串(例如模型/表名),并尝试为该特定表运行迁移和种子。您只需要以下内容:

<p:progressBar widgetVar="pbAjax" ajax="true" value="#{myBean.progress}"
                                           labelTemplate="{value}%" styleClass="animated" global="false"/>