我对工厂和种子完全陌生,直到现在我一直在Sequel Pro或Workbench an中手动向每个项目添加数据。
我一般来说对Laravel还是陌生的,但是我认为我已经正确设置了模型。
我有一个可以包含多种成分的食谱,这些成分可以属于多种食谱。
两者之间的枢纽有一个数量和单位列(后者为空)。
Recipe.php
class Recipe extends Model
{
public function user(){
return $this->belongsTo('App\User');
}
public function ingredients(){
return $this->belongsToMany('App\Ingredient');
}
}
Ingredient.php
class Ingredient extends Model
{
public function recipes(){
return $this->belongsToMany('App\Recipe');
}
}
IngredientFactory.php
$factory->define(App\Ingredient::class, function (Faker $faker) {
return [
'name' => $faker->word,
'created_at' => Carbon::now()->format('Y-m-d H:i:s'),
'updated_at' => Carbon::now()->format('Y-m-d H:i:s'),
];
});
RecipeFactory.php
$factory->define(App\Recipe::class, function (Faker $faker) {
$userIds = User::all()->pluck('id')->toArray();
return [
'title' => $faker->text(30),
'description' => $faker->text(200),
'user_id' => $faker->randomElement($userIds),
'created_at' => Carbon::now()->format('Y-m-d H:i:s'),
'updated_at' => Carbon::now()->format('Y-m-d H:i:s'),
];
});
IngredientTableSeeder
public function run()
{
factory(App\Ingredient::class, 100)->create();
}
RecipeTableSeeder
public function run()
{
factory(App\Recipe::class, 30)->create();
}
一切正常,但是我试图弄清楚如何为数据透视表生成数据。
我觉得应该是这样的:
RecipeIngredientsFactory.php
$factory->define(?::class, function (Faker $faker) {
$recipeIds = Recipe::all()->pluck('id')->toArray();
$ingredientIds = Ingredient::all()->pluck('id')->toArray();
return [
'recipe_id' => $faker->randomElement($recipeIds),
'ingredient_id' => $faker->randomElement($ingredientIds),
];
});
但是我不确定?
中将model::class
放在什么位置?
我本可以完全脱离基地,但逻辑似乎是正确的。
如果需要更多信息,请在评论中让我知道。
答案 0 :(得分:3)
通常来说,您正在定义映射表,该表提供了配方及其成分之间的链接。从非常简单的角度来看,在很多关系中,您将没有该链接的模型,因为该关系除了链接之外没有其他意义。在这种情况下,您可以像这样构建食谱播种器:
public function run()
{
$recipies = factory(App\Recipe::class, 30)->create();
$ingredients = factory(App\Ingredient::class, 20)->create();
$recipies->each(function (App\Recipe $r) use ($ingredients) {
r$->ingredients()->attach(
$ingredients->random(rand(5, 10))->pluck('id')->toArray(),
['grams' => 5]
);
});
}
这将独立生成食谱和成分,然后您以一种标准方式将它们关联起来。您也可以在不同的播种器中分别生成它们,并有三分之一来进行连接。
在您的特定情况下,您将加入食谱和配料。相应的关系将具有自己的属性,例如,配方需要多少克的配料。在这种情况下,您可能会发现联接模型很有用。在定义自定义中间表模型部分下的https://laravel.com/docs/5.7/eloquent-relationships#many-to-many中查看。