Laravel eloquent 从多维数组批量赋值

Laravel eloquent Mass assignment from multi-dimentional array

我正在创建一个 Restful 应用程序,所以我收到一个 POST 请求,看起来像这样

$_POST = array (
'person' => array (
    'id' => '1',
    'name' => 'John Smith',
    'age' => '45',
    'city' => array (
        'id' => '45',
        'name' => 'London',
        'country' => 'England',
    ),
),

);

我想保存我的人物模型并设置它的 city_id.

我知道最简单的方法是手动设置 $person->city_id = $request['city']['id]; 但这种方式对我没有帮助....这段代码只是一个例子,在我的真实代码中,我的模型有 15 个关系

有什么方法可以使它类似 $person->fill($request);?

我的模型看起来像:

城市

class City extends Model {

    public $timestamps = false;
    public $guarded= ['id'];//Used in order to prevent filling from mass assignment

    public function people(){
        return $this->hasMany('App\Models\Person', 'city_id');
    }

}

class Person extends Model {

public $timestamps = false;
public $guarded= ['id'];//Used in order to prevent filling from mass assignment

public function city(){
    return $this->belongsTo('App\Models\City', 'city_id');
}
public static function savePerson($request){//Im sending a Request::all() from parameter
    $person = isset($request['id']) ? self::find($request['id']) : new self();
    $person->fill($request);//This won't work since my $request array is multi dimentional
    $person->save();
    return $person;
}

}

这有点棘手,但您可以覆盖模型中的 fill 方法,并设置 deeplyNestedAttributes() 以存储将在请求中查找的属性

class Person extends Model {

    public $timestamps = false;
    public $guarded= ['id'];//Used in order to prevent filling from mass assignment

    public function city(){
        return $this->belongsTo('App\Models\City', 'city_id');
    }

    public static function savePerson($request){//Im sending a Request::all() from parameter
        $person = isset($request['id']) ? self::find($request['id']) : new self();
        $person->fill($request);//This won't work since my $request array is multi dimentional
        $person->save();
        return $person;
    }

    public function deeplyNestedAttributes()
    {
        return [
            'city_id',
            // another attributes
        ];
    }

    public function fill(array $attributes = [])
    {
        $attrs = $attributes;
        $nestedAttrs = $this->deeplyNestedAttributes();

        foreach ($nestedAttrs as $attr) {
            list($relationName, $relationAttr) = explode('_', $attr);

            if ( array_key_exists($relationName, $attributes) ) {

                if ( array_key_exists($relationAttr, $attributes[$relationName]) ) {

                    $attrs[$attr] = $attributes[$relationName][$relationAttr];
                }
            }
        }
        return parent::fill($attrs);
    }

}