0

connection('mysql2') 是我的(工作)第二个数据库连接。

当我第一次迁移时,connection('mysql2') 工作正常,表已创建。

Schema::connection('mysql2')->create('brands', function(Blueprint $table)
{
    //...
});

但是当我尝试在我的第二个数据库中播种表时:

use Illuminate\Database\Seeder;
use Illuminate\Database\Eloquent\Model;
use App\Brands;

class DatabaseSeeder extends Seeder
{
    /**
    * Run the database seeds.
    *
    * @return void
    */
    public function run()
    {
        Model::unguard();
        $this->call('BrandsTableSeeder');
        $this->command->info("Brands table seeded.");
    }
}

class BrandsTableSeeder extends Seeder
{

    public function run()
    {
        DB::connection('mysql2')->table('brands')->delete();
        Brands::connection('mysql2')->create(['brand' => 'test']);
    }
}

我有:

[BadMethodCallException]
Call to undefined method Illuminate\Database\Query\Builder::connection()
4

1 回答 1

5

您的代码的问题是您使用Connection()了 Eloquent(不是 DB)的方法,Eloquent 没有connection()方法。

您可以使用on()带有模型(Eloquent)的方法来指定连接

$user = User::on('mysql2')->create(['brand' => 'test']);

参考http://laravel.com/docs/4.2/eloquent#basic-usage

或者

而不是on('mysql2')到处写

您可以在模型中编写以下代码

protected $connection = 'mysql2'; 

现在种子写成

class BrandsTableSeeder extends Seeder
{
    public function run()
    {
        Brands::truncate();
        Brands::create(['brand' => 'test']);
    }
}
于 2015-03-24T10:57:58.057 回答