Eloquent - Updating all models in a collection

前端 未结 2 758
自闭症患者
自闭症患者 2021-02-07 15:11

I want to set a certain attribute in all the models of a collection.

in plain SQL:

UPDATE table SET att = \'foo\' WHERE id in (1,2,3)

t

2条回答
  •  耶瑟儿~
    2021-02-07 15:29

    You are returning a collection, not keeping the query open to update. Like your example is doing.

    $models = MyModel::whereIn('id',[1,2,3]);
    $models->update(['att'=>'foo']);
    

    whereIn will query a column in your case id, the second parameter is an array of the ids you want to return, but will not execute the query. The findMany you were using was executing it thus returning a Collection of models.

    If you need to get the model to use for something else you can do $collection = $models->get(); and it will return a collection of the models.

    If you do not just simply write it on one line like so;

    MyModel::whereIn('id',[1,2,3])->update(['att'=>'foo']);
    

    Another option which i do not recommend is using the following;

    $models = MyModel::findMany([1,2,3]);
    
    $models->each(function ($item){
        $item->update(['att'=>'foo']);
    });
    

    This will loop over all the items in the collection and update them individually. But I recommend the whereIn method.

提交回复
热议问题