Laravel Eloquent - 多对一关系

时间:2017-05-03 05:51:25

标签: php mysql laravel-5 eloquent

我有模特:ArtObjects和照片:

class Photo extends Model
{
    protected $fillable = ['caption','description','alternative_text'];

    public function artObject()
    {
        return $this->belongsTo('App\ArtObject');
    }
}

class ArtObject extends Model
{

    /**
     * The attributes that are mass assignable.
     *
     * @var array
     */
    protected $fillable = [
        'title',
        'description',
        'rating',
        'popularity',
        'type',
        'price'
    ];

    public function photos()
    {
        return $this->hasMany(ArtObjectPhoto::class);
    }
}

控制器:

ArtObject Controller:

public function store(ArtObjectUploadRequest $request)
{
    $art_object = ArtObject::create(request(['title', 'description', 'rating', 'popularity', 'type', 'price']));

    $this->validate($request, [
        'title' => 'required',
        'description' => 'required'
    ]);

    foreach ($photo_ids = Input::get('photos') as $photo_id) {

        $photo = Photo::find($photo_id);

        /*
        Problem is here - The user wants to attach the selected photos with
        the art-object, ........ Please advise, thanks in anticipation !!!
        */  

    }

    //save the artobject to the database
    $art_object->save();

    //And redirect to the home page
    return redirect('/');
}

问题:用户想要将所选照片附加到艺术品上。请注意,照片已存在于数据库中。我尝试过选项 - save(),associate()但没有任何帮助。我的理解是,一旦我找到它应该给我的照片照片对象,我应该能够使用$ art_object保存()。它要我new()并从DB分配并分配给Photo对象。但我不认为这是做到这一点的正确方法。我认为这不是实现多对多关系的最佳方式,那么保存这种关系的最佳方式是什么。请指教,谢谢你的期待!

1 个答案:

答案 0 :(得分:2)

根据数据库中的多对一关系规则,连接表的外键始终保存在具有" many"关系。

就像在这里一样,One ArtObject可以拥有很多照片。所以,那个"很多"表是照片。您的照片模型必须具有名为art_object_id的属性作为外键。

然后,您必须先保存该ArtObject对象,并将此对象的id保存在照片表中所有那些用户选择了id的行中。

$art_object = ArtObject::create(request(['title', 'description', 'rating', 'popularity', 'type', 'price']));

$this->validate($request, [
    'title' => 'required',
    'description' => 'required'
]);

 //save the artobject to the database
$art_object->save();

foreach ($photo_ids = Input::get('photos') as $photo_id) {

    $photo = Photo::find($photo_id);
    $photo->art_object_id = $art_object->id;
    $photo->save();


 }

执行此操作后,您可以通过在Photo模型中定义的方法获取照片的相关ArtObject,以将ArtObject和Photo表关联在一起。您还可以通过ArtObject中定义的方法获取与ArtObject相关的照片。

在ArtObject模型中: -

 public function photos()
{
    return $this->hasMany('App\Photo');
}

在照片模型中: -

 public function artObject()
{
    return $this->belongsTo('App\ArtObject');
}