Eloquent强制转换属性为Collections意外行为

时间:2017-04-08 16:34:46

标签: laravel laravel-5 eloquent laravel-5.4

Q1。我有一个Eloquent模型,可以将属性转换为Collection。 在此属性上调用Collection方法不会影响模型值。例如:put()

使用收藏集时,我可以这样做:

$var = collect();
$var->put('ip', '127.0.0.1');
var_dump($var);

按预期输出:

object(Illuminate\Support\Collection)[191] protected 'items' => array (size=1) 'ip' => string '127.0.0.1' (length=4)

但是当我在Eloquent模型上使用铸造属性时,这不能按预期工作

$user = App\User::create(['email'=>'Name', 'email'=>'mail@example.com', 'password'=>bcrypt('1234')]);
$user->properties = collect();
$user->properties->put('ip', '127.0.0.1');
var_dump($user->properties);

object(Illuminate\Support\Collection)[201] protected 'items' => array (size=0) empty

这不会填充该字段。 我认为创建了另一个集合,所以为了按预期工作,我必须将这个新集合分配给我的字段。

像这样: $user->properties = $user->properties->put('ip', '127.0.0.1');

Q2。默认情况下是否有正确的方法来初始化字段集合(如果字段为空,则创建一个空集合),而不必每次“手动”调用$user->properties = collect();时间?

user.php的

class User extends Authenticatable
{
    protected $casts = [
        'properties' => 'collection',
    ];
    ...
}

迁移文件

Schema::table('users', function($table) {
    $table->text('properties')->nullable();
});

2 个答案:

答案 0 :(得分:1)

Q1 :投放到集合的属性有一个 getter ,返回每次,构建一个new BaseCollection属性的值。

正如已经假设的那样,getter会返回另一个集合实例,并且其上的每个直接更改都不会更改 属性的值,而是新创建的集合对象。

正如您所指出的,设置集合转换属性的唯一方法是为其分配自己的原始值与新的合并。

因此,您必须使用以下put()代替:

$user->properties = $user->properties->put('ip', '127.0.0.1');
// or
$user->properties = $user->properties ->merge(['ip'=>'127.0.0.1'])

Q2 :我们必须认为数据库表示是文本;所以恕我直言,在迁移中初始化模型的正确方法是给它一个默认的空json ,即:

$table->text('properties')->default('{}');

但是,如果没有设置属性字段而创建的模型,>后检索

对于新创建的 模型,我的建议是传递默认void array,即:

 App\User::create([
     'name'=>'Name', 
     'email'=>'mail@example.com', 
     'password'=>bcrypt('1234'),
     'properties' => []
 ]);

答案 1 :(得分:0)

除了dparoli的出色答案外,还可以通过Laravel的引导方法添加默认值,该方法适用于所有型号。

类似以下示例代码

   protected static function boot()
   {
      parent::boot(); //because we want the parent boot to be run as well
      static::creating(function($model){
         $model->propertyName = 'propertyValue';
      });
    }

如果您愿意,也可以使用这种方法。