One To One
Supposons que le modèle User soit associé au modèle Phone Pour définir une telle association, vous devez définir une méthode phone dans l'utilisateur. model, qui renvoie Une association définie par la méthode hasOne
<?phpnamespace App;use Illuminate\Database\Eloquent\Model;class User extends Model{ /** * Get the phone record associated with the user. */ public function phone() { return $this->hasOne('App\Phone'); } }
Le premier paramètre de la méthode hasOne est le modèle à associer. Une fois défini, vous pouvez utiliser la syntaxe suivante pour interroger les attributs de l'association.
$phone = User::find(1)->phone;
Eloquent supposera que la clé étrangère associée est basée sur le nom du modèle, donc le modèle de téléphone utilisera automatiquement le champ user_id comme clé étrangère. Vous pouvez utiliser les deuxième et troisième paramètres pour remplacer <. 🎜>
return $this->hasOne('App\Phone', 'foreign_key');return $this->hasOne('App\Phone', 'foreign_key', 'local_key');
<?phpnamespace App;use Illuminate\Database\Eloquent\Model;class Phone extends Model{ /** * Get the user that owns the phone. */ public function user() { return $this->belongsTo('App\User'); // return $this->belongsTo('App\User', 'foreign_key'); // return $this->belongsTo('App\User', 'foreign_key', 'other_key'); } }
<?phpnamespace App;use Illuminate\Database\Eloquent\Model;class Post extends Model{ /** * Get the comments for the blog post. */ public function comments() { return $this->hasMany('App\Comment'); } }
$comments = App\Post::find(1)->comments; foreach ($comments as $comment) { //} $comments = App\Post::find(1)->comments()->where('title', 'foo')->first();
$comment = App\Comment::find(1); echo $comment->post->title;
<?phpnamespace App;use Illuminate\Database\Eloquent\Model;class User extends Model{ /** * The roles that belong to the user. */ public function roles() { // 指定关联表 // return $this->belongsToMany('App\Role', 'role_user'); // 指定关联表,关联字段 // return $this->belongsToMany('App\Role', 'role_user', 'user_id', 'role_id'); return $this->belongsToMany('App\Role'); } }
<. 🎜>
Relation d'association inverseuser = App\User::find(1); foreach ($user->roles as $role) { //}$roles = App\User::find(1)->roles()->orderBy('name')->get();
<?phpnamespace App;use Illuminate\Database\Eloquent\Model;class Role extends Model{ /** * The users that belong to the role. */ public function users() { return $this->belongsToMany('App\User'); } }
$user = App\User::find(1); foreach ($user->roles as $role) { echo $role->pivot->created_at; }
Notez que par défaut, les clés du modèle sont accessibles via l'objet pivot
Si la table intermédiaire contient des attributs supplémentaires, vous devez utiliser la méthode withPivot lors de la spécification de l'association. Spécifiez explicitement le nom de la colonne
Has Many Throughreturn $this->belongsToMany('App\Role')->withPivot('column1', 'column2');
Comme vous pouvez le voir, la table posts ne contient pas directement country_id, mais elle établit une relation avec la table country via la table users
countries id - integer name - stringusers id - integer country_id - integer name - stringposts id - integer user_id - integer title - string
méthode Le premier paramètre de hasManyThrough est le nom du modèle auquel nous souhaitons accéder, et le deuxième paramètre est le nom du modèle intermédiaire.
namespace App; use Illuminate\Database\Eloquent\Model;class Country extends Model{ /** * Get all of the posts for the country. */ public function posts() { // return $this->hasManyThrough('App\Post', 'App\User', 'country_id', 'user_id'); return $this->hasManyThrough('App\Post', 'App\User'); } }
Relations polymorphes (association polymorphe)
HasManyThrough hasManyThrough( string $related, string $through, string|null $firstKey = null, string|null $secondKey = null, string|null $localKey = null)
Comme vous pouvez le voir, nous utilisons le champ likeable_type dans la table des likes pour déterminer si l'enregistrement aime une publication ou un commentaire. La structure de la table est en place, il est temps de la définir Modèle
posts id - integer title - string body - textcomments id - integer post_id - integer body - textlikes id - integer likeable_id - integer likeable_type - string
Par défaut, le type de likeable_type est le nom complet du modèle associé, comme AppPost et AppComment ici.
<?php namespace App; use Illuminate\Database\Eloquent\Model;class Like extends Model{ /** * Get all of the owning likeable models. */ public function likeable() { return $this->morphTo(); } }class Post extends Model{ /** * Get all of the product's likes. */ public function likes() { return $this->morphMany('App\Like', 'likeable'); } }class Comment extends Model{ /** * Get all of the comment's likes. */ public function likes() { return $this->morphMany('App\Like', 'likeable'); } }
,
AppServiceProvider
récupère les relations polymorphes
use Illuminate\Database\Eloquent\Relations\Relation;Relation::morphMap([ 'posts' => App\Post::class, 'likes' => App\Like::class,]);
accède à une publication ou un commentaire aimé
$post = App\Post::find(1); foreach ($post->likes as $like) { //}
Dans l'exemple ci-dessus, le like renvoyé renverra des publications ou des commentaires en fonction du type d'enregistrement.
$like = App\Like::find(1); $likeable = $like->likeable;
Vous pouvez interroger l'association comme suit et ajouter des
contraintes supplémentaires/** * Get all of the posts for the user. */public function posts() { return $this->hasMany('App\Post'); }
S'il n'est pas nécessaire d'ajouter des contraintes aux attributs associés, ils sont accessibles directement en tant qu'attributs du modèle. Par exemple, dans l'exemple ci-dessus, nous pouvons utiliser la méthode suivante pour accéder à la publication de l'utilisateur
.$user = App\User::find(1);foreach ($user->posts as $post) { //}
动态的属性都是延迟加载的,它们只有在被访问的时候才会去查询数据库,与之对应的是预加载,预加载可以使用关联查询出所有数据,减少执行sql的数量。
使用has方法可以基于关系的存在性返回结果
// 检索至少有一个评论的所有帖子...$posts = App\Post::has('comments')->get(); // Retrieve all posts that have three or more comments...$posts = Post::has('comments', '>=', 3)->get(); // Retrieve all posts that have at least one comment with votes...$posts = Post::has('comments.votes')->get();
如果需要更加强大的功能,可以使用whereHas和orWhereHas方法,把where条件放到has语句中。
// 检索所有至少存在一个匹配foo%的评论的帖子$posts = Post::whereHas('comments', function ($query) { $query->where('content', 'like', 'foo%'); })->get();
在访问Eloquent模型的时候,默认情况下所有的关联关系都是延迟加载的,在使用的时候才会开始加载,这就造成了需要执行大量的sql的问题,使用预加载功能可以使用关联查询出所有结果
<?phpnamespace App;use Illuminate\Database\Eloquent\Model;class Book extends Model{ /** * Get the author that wrote the book. */ public function author() { return $this->belongsTo('App\Author'); } }
接下来我们检索所有的书和他们的作者
$books = App\Book::all(); foreach ($books as $book) { echo $book->author->name; }
上面的查询将会执行一个查询查询出所有的书,然后在遍历的时候再执行N个查询查询出作者信息,显然这样做是非常低效的,幸好我们还有预加载功能,可以将这N+1个查询减少到2个查询,在查询的时候,可以使用with方法指定哪个关系需要预加载。
$books = App\Book::with('author')->get(); foreach ($books as $book) { echo $book->author->name; }
对于该操作,会执行下列两个sql
select * from books select * from authors where id in (1, 2, 3, 4, 5, ...)
预加载多个关系
$books = App\Book::with('author', 'publisher')->get();
嵌套的预加载
$books = App\Book::with('author.contacts')->get();
$users = App\User::with(['posts' => function ($query) { $query->where('title', 'like', '%first%'); }])->get();$users = App\User::with(['posts' => function ($query) { $query->orderBy('created_at', 'desc'); }])->get();
延迟预加载#
有时候,在上级模型已经检索出来之后,可能会需要预加载关联数据,可以使用load方法
$books = App\Book::all();if ($someCondition) { $books->load('author', 'publisher'); }$books->load(['author' => function ($query) { $query->orderBy('published_date', 'asc'); }]);
保存单个关联模型
$comment = new App\Comment(['message' => 'A new comment.']); $post = App\Post::find(1);$post->comments()->save($comment);
$post = App\Post::find(1); $post->comments()->saveMany([ new App\Comment(['message' => 'A new comment.']), new App\Comment(['message' => 'Another comment.']), ]);
多对多关联可以为save的第二个参数指定关联表中的属性
App\User::find(1)->roles()->save($role, ['expires' => $expires]);
上述代码会更新中间表的expires字段。
使用create方法与save方法的不同在于它是使用数组的形式创建关联模型的
$post = App\Post::find(1);$comment = $post->comments()->create([ 'message' => 'A new comment.',]);
更新belongsTo关系的时候,可以使用associate方法,该方法会设置子模型的外键
$account = App\Account::find(10); $user->account()->associate($account); $user->save();
要移除belongsTo关系的话,使用dissociate方法
$user->account()->dissociate();$user->save();
中间表查询条件#
当查询时需要对使用中间表作为查询条件时,可以使用wherePivot
, wherePivotIn
,orWherePivot
,orWherePivotIn
添加查询条件。
$enterprise->with(['favorites' => function($query) { $query->wherePivot('enterprise_id', '=', 12)->select('id'); }]);
Attaching / Detaching#
$user = App\User::find(1); // 为用户添加角色 $user->roles()->attach($roleId); // 为用户添加角色,更新中间表的expires字段 $user->roles()->attach($roleId, ['expires' => $expires]); // 移除用户的单个角色 $user->roles()->detach($roleId); // 移除用户的所有角色 $user->roles()->detach();
attach和detach方法支持数组参数,同时添加和移除多个
$user = App\User::find(1); $user->roles()->detach([1, 2, 3]); $user->roles()->attach([1 => ['expires' => $expires], 2, 3]);
使用updateExistingPivot方法更新中间表
$user = App\User::find(1);$user->roles()->updateExistingPivot($roleId, $attributes);
同步中间表(同步关联关系)#
使用sync方法,可以指定两个模型之间只存在指定的关联关系
$user->roles()->sync([1, 2, 3]); $user->roles()->sync([1 => ['expires' => true], 2, 3]);
上述两个方法都会让用户只存在1,2,3三个角色,如果用户之前存在其他角色,则会被删除。
更新父模型的时间戳#
假设场景如下,我们为一个帖子增加了一个新的评论,我们希望这个时候帖子的更新时间会相应的改变,这种行为在Eloquent中是非常容易实现的。
在子模型中使用$touches属性实现该功能
<?php namespace App; use Illuminate\Database\Eloquent\Model;class Comment extends Model{ /** * All of the relationships to be touched. * * @var array */ protected $touches = ['post']; /** * Get the post that the comment belongs to. */ public function post() { return $this->belongsTo('App\Post'); } }
现在,更新评论的时候,帖子的updated_at字段也会被更新
$comment = App\Comment::find(1);$comment->text = 'Edit to this comment!';$comment->save();
Ce qui précède est le contenu détaillé de. pour plus d'informations, suivez d'autres articles connexes sur le site Web de PHP en chinois!