例如,我有查询:
$posts = DB::table('posts')->select(['id', 'user_id', 'title'])->get();
然后$posts
数组看起来像这样:
array(3) {
[0]=>
object(stdClass) (3) {
["id"]=>
int(1)
["user_id"]=>
int(1000)
["title"]=>
string(8) "Post # 1"
}
[1]=>
object(stdClass) (3) {
["id"]=>
int(2)
["user_id"]=>
int(2000)
["title"]=>
string(8) "Post # 2"
}
[2]=>
object(stdClass) (3) {
["id"]=>
int(3)
["user_id"]=>
int(2000)
["title"]=>
string(8) "Post # 3"
}
}
正如您所看到id 1000
的用户有1个帖子,id 2000
的用户有2个帖子。
我希望将结果作为关联数组以user_id
作为键:
array(2) {
[1000]=>
array(1) {
[0]=>
object(stdClass) (3) {
["id"]=>
int(1)
["user_id"]=>
int(1000)
["title"]=>
string(8) "Post # 1"
}
}
[2000]=>
array(2) {
[1]=>
object(stdClass) (3) {
["id"]=>
int(2)
["user_id"]=>
int(2000)
["title"]=>
string(8) "Post # 2"
}
[2]=>
object(stdClass) (3) {
["id"]=>
int(3)
["user_id"]=>
int(2000)
["title"]=>
string(8) "Post # 3"
}
}
}
有没有很好的Laravel解决方案来执行此操作?
答案 0 :(得分:1)
您可能希望查看Eloquent Relationships而不是使用查询构建器。在您的情况下,您有一对多关系。所以你有一个User
模型看起来像这样:
class User extends Model {
public function posts()
{
// One User can have many Posts
return $this->hasMany('App\Post');
}
}
和Post
模型:
class Post extends Model {
public function user()
{
// A Post belongs to one User
return $this->belongsTo('App\User');
}
}
然后您可以像这样获得用户的帖子:
$users = User::all();
foreach ($users as $user)
{
$posts = $user->posts;
// $posts will now contain a Collection of Post models
}
答案 1 :(得分:0)
Laravel无法做到这一点。但您可以使用此功能手动执行此操作:
public static function makeAssocArrByField($arr, $field)
{
$assocArr = array();
foreach($arr as $arrObj)
{
if(isset($arrObj[$field]))
$assocArr[$arrObj[$field]] = $arrObj;
}
return $assocArr;
}
调用方法为:
$posts = makeAssocArrByField($posts, 'user_id');
这将根据您所需的格式返回数组。