Laravel save / update many to many relationship

后端 未结 4 855
日久生厌
日久生厌 2020-12-07 07:28

Can anyone help me on how to save many to many relationship? I have tasks, user can have many tasks and task can have many users (many to many), What I want to achieve is th

4条回答
  •  刺人心
    刺人心 (楼主)
    2020-12-07 07:35

    tldr; Use sync with 2nd param false


    Many-to-many relationship is belongsToMany on both models:

    // Task model
    public function users()
    {
      return $this->belongsToMany('User', 'user_tasks'); // assuming user_id and task_id as fk
    }
    
    // User model
    public function tasks()
    {
      return $this->belongsToMany('Task', 'user_tasks');
    }
    

    In order to add new relation use attach or sync.

    Difference between the two is:

    1 attach will add new row on the pivot table without checking if it's already there. It's good when you have additional data linked to that relation, for example:

    User and Exam linked with pivot table attempts: id, user_id, exam_id, score

    I suppose this is not what you need in your situation:

    $user->tasks()->getRelatedIds(); // [1,2,3,4,5,6]
    
    $user->tasks()->attach([5,6,7]);
    // then
    $user->tasks()->getRelatedIds(); // [1,2,3,4,5,6,5,6,7]
    

    2 sync on the other hand, will either remove all relations and set them up anew:

    $user->tasks()->getRelatedIds(); // [1,2,3,4,5,6]
    
    $user->tasks()->sync([1,2,3]);
    // then
    $user->tasks()->getRelatedIds(); // [1,2,3]
    

    or it will setup new relations without detaching previous AND without adding duplicates:

    $user->tasks()->sync([5,6,7,8], false); // 2nd param = detach
    // then
    $user->tasks()->getRelatedIds(); // [1,2,3,4,5,6,7,8]
    

提交回复
热议问题