如何将二维数组转换为集合laravel?

时间:2018-07-23 23:50:57

标签: arrays laravel collections laravel-5.6

我有这样的数组:

$test = array(
    array(
        'name' => 'Christina',  
        'age' => '25' 
    ),
    array(
        'name' => 'Agis', 
        'age' => '22'
    ),
    array(
        'name' => 'Agnes', 
        'age' => '30'
    )
);

我想将其更改为laravel集合

我这样尝试:

collect($test)

结果并不完美。仍然有一个数组

我该如何解决这个问题?

3 个答案:

答案 0 :(得分:2)

collect($test)不会将$test转换为集合,它会返回$test作为集合。您需要将其返回值用于新变量,或覆盖现有变量。

$test = collect($test);

如果您要像下面的注释中所示将单个项目转换为对象(而不是数组),则需要转换它们。

$test = collect($test)->map(function ($item) {
    return (object) $item;
});

答案 1 :(得分:0)

分享更多的光。

集合是“宏”的,它使您可以在运行时向Collection类添加其他方法。根据Laravel关于收藏的解释。数组可以是维。使用map函数可扩展您的集合,以将子数组转换为对象

$test = array(
    array(
        'name' => 'Christina',  
        'age' => '25' 
    ),
    array(
        'name' => 'Agis', 
        'age' => '22'
    ),
    array(
        'name' => 'Agnes', 
        'age' => '30'
    )
);

// can be converted using collection + map function
$test = collect($test)->map(function($inner_child){
    return (Object) $inner_child;
});

This will cast the inner child array into Object.


答案 2 :(得分:0)

我知道已经有一段时间了,但我在 laracast 上找到了这个答案,它似乎更好地解决了这个问题,因为它使它递归。 我从 https://gist.github.com/brunogaspar/154fb2f99a7f83003ef35fd4b5655935 github 获得的这个解决方案非常有用。

\Illuminate\Support\Collection::macro('recursive', function () {
return $this->map(function ($value) {
    if (is_array($value) || is_object($value)) {
        return collect($value)->recursive();
    }

    return $value;
});

});

比你喜欢的:

$data = [
[
    'name' => 'John Doe',
    'emails' => [
        'john@doe.com',
        'john.doe@example.com',
    ],
    'contacts' => [
        [
            'name' => 'Richard Tea',
            'emails' => [
                'richard.tea@example.com',
            ],
        ],
        [
            'name' => 'Fergus Douchebag', // Ya, this was randomly generated for me :)
            'emails' => [
                'fergus@douchebag.com',
            ],
        ],
    ],
  ],
];
$collection = collect($data)->recursive();