是否可以在Laravel 5中使用以下内容播种相关表?
php artisan db:seed
我有两张表
users
id
first name
projects
id
name
和透视表
project_user
project_id
user_id
我想创建一些用户,一些项目,然后将用户和他们各自的项目联系起来。
播种用户和项目不是问题,但我不确定如何处理数据透视表。
有可能吗?
当然可以。如果你正在使用Eloquent,你可以简单地处理正常关系(也许是最简单的方法)。或者,如果您直接使用SQL构建器,您可以像往常一样为表提供数据,但您需要遵守外键规则。
试一试,你就知道了。但是要确保你导入了你使用的类。
在两个模型之间添加关系很容易,但是在常见的关系类型(以及透视图)之间存在一些差异:一对多、多对一和多对多。
一对多、多对一
假设你的每个项目都有一个创建者,一个所有者,也就是说,你可以在User
和Project
之间有1:n的关系。
public class User {
public function ownedProjects() {
return $this->hasMany('AppProject');
}
}
public class Project {
public function owner() {
return $this->belongsTo('AppUser');
}
}
在这种关系中,您可以将Project
附加到User
上,或者告诉Project
他的主人是谁。
// Attach a project to an user
$project = Project::create([]);
User::find($id)->ownedProjects()->save($project);
// There is also a function saveMany() for an array of projects
// Tell the project who his owner is
$project = Project::create([]);
$project->owner()->associate(User::find($id));
多对多
在你的例子中,我们需要Users
和Projects
之间的多对多关系。语法有点不同,但结果非常直接。首先,我们需要两个模型之间的关系:
public class User {
public function projects() {
return $this->belongsToMany('AppProject');
}
}
public class Project {
public function users() {
return $this->belongsToMany('AppUser');
}
}
那么我们就可以像这样查询关系:
$project = Project::create([]);
User::find($id)->projects()->attach($project->id);
你也可以附加一大堆项目,从另一边做同样的事情,分离模型或同步它们,如果你想确保一个确切的数量(只有这个数量)是相关的:
// Adds a relation for the user to projects with ids 1, 2, 4 and 6
User::find($id)->projects()->attach([1, 2, 4, 6]);
// Adds the users with ids 19 and 173 to this project
Project::find($id)->users()->attach([19, 173]);
// Removes the user 19 from the projects relations
Project::find($id)->users()->detach(19);
// Removes all relations between this user and projects that are
// not listed in the synchronization array and adds a relation
// to all projects where none exists yet
User::find($id)->projects()->sync([4, 7, 19, 6, 38]);
这是多对多关系的正常语法,但是您也可以像在一对多关系中一样附加模型:
// Creation of project could also be done before and saved to a variable
User::find($id)->projects()->save(Project::create([]));