Laravel使用点表示法合并两个数组

时间:2019-02-26 13:47:24

标签: arrays laravel-5.7

我认为我的大脑今天无法运转,因为我似乎无法绕开这个脑袋。

我有一个具有数据数组的类,例如-

class Testing {

    protected $fillable = ['questions.*.checked'];

    protected $data = [
        'active' => true,
        'questions' => [
            [
                'question' => 'This is the first question',
                'checked' => true,
            ],
            [
                'question' => 'This is the second question',
                'checked' => false,
            ]
         ]
    ];

    public function fill(array $attributes = []) {
        // take our attributes array, check if the key exists in
        // fillable, and if it does then populate our $data property
    }

}

我想做的是,如果我将以下数组传递给Testing::fill()方法,它将仅更新被认为可填充的各个属性。

例如,传递以下数组

[
    'active' => false,
    'questions' => [
        [
            'question' => 'This is the first question',
            'checked' => true,
        ],
        [
            'question' => 'This is the second question',
            'checked' => true,
        ]
    ]
]

将仅修改对象上的选中标志,其他所有内容都将被忽略-仅将$ data属性questions.*.checked属性标记为true

我觉得有使用Laravel助手的解决方案,但是我似乎无法解决,或者我走错了路...

最终,我只想进行某种程度的卫生处理,以便在将整个结构发布回对象fill方法时,实际上只能更新某些项目(就像Laravel的fill方法一样,只对动态值进行更深入的介绍)。问题是$ data中实际包含的内容是动态的,因此可能有一个问题,可能有100个...

1 个答案:

答案 0 :(得分:1)

好吧,我想出了一个可以解决问题的解决方案,但我希望在那里能以Laravel为中心。


protected function isFillable($key)
{
    // loop through our objects fillables
    foreach ($this->fillable as $fillable) {

        // determine if we have a match
        if ($fillable === $key
            || preg_match('/' . str_replace('*', '([0-9A-Z]+)', $fillable) . '/i', $key)
        ) {
            return true;
        }
    }

    // return false by default
    return false;
}

public function fill(array $attributes = [])
{
    // convert our attributes to dot notation
    $attributes = Arr::dot($attributes);

    // loop through each attribute
    foreach ($attributes as $key => $value) {

        // check our attribute is fillable and already exists...
        if ($this->isFillable($key)
            && !(Arr::get($this->data, $key, 'void') === 'void')
        ) {

            // set our attribute against our data
            Arr::set($this->data, $key, $value);
        }
    }

    // return ourself
    return $this;
}

因此,在上面,当我调用fill()方法时,我正在使用Arr::dot()将所有属性转换为Laravel的点表示法。这使数组更易于遍历,并允许我执行所需的检查。

然后,我创建了一个isFillable()方法来确定属性键是否存在于我们的对象$fillable属性中。如果涉及通配符,它​​将星号(*)转换为正则表达式,然后检查是否存在匹配项。在执行正则表达式之前,它会执行基本的比较检查,理想情况下希望绕过正则表达式并在可能的情况下提高整体性能。

因此,最后,如果我们的属性是可填充的,并且我们已经能够从数据数组中获取值,那么我们将使用Arr::set()

来更新该值。