将Symfony查询转换为Laravel 6.x口才查询

时间:2019-12-05 21:01:28

标签: php laravel symfony symfony-3.4 laravel-6.2

我目前正在将Symfony 3.4站点迁移到Laravel 6.x,并且我正在寻找将该查询转换为Laravel Eloquent查询的正确方法。

这是Symfony查询

 $qb = $this->createQueryBuilder('up');
 $qb->select('COUNT(up.id)');
 $qb->leftJoin('up.workout', 'w')
        ->leftJoin('up.user', 'u')
        ->where('up.parent IS NULL AND up.deleted = false')
        ->andWhere('up.status != \'Just started\' OR up.status is NULL')
        ->andWhere('w.workoutType = \'Normal\' AND u.deleted = false')
        // Long Cardio, Long Cardio (Burn) and Long Cardio (Hardcore)
        ->andWhere('up.completed = true OR (up.completed_cardio_shred = true AND ((w.level = \'Long Cardio\') OR (w.level = \'Long Cardio (Burn)\') OR (w.level = \'Long Cardio (Hardcore)\')))');
  $qb->getQuery()->getSingleScalarResult();

这是我使用Laravel 6.x DB查询生成的

 $userProgressTable = DB::table('user_progress');
    $userProgressTable->select('id');
    $userProgressTable->leftJoin('fos_user', 'fos_user.id', '=', 'user_progress.user_id');
    $userProgressTable->leftJoin('workout', 'workout.id', '=', 'user_progress.workout_id');
    $userProgressTable->whereRaw('user_progress.parent_id IS NULL');
    $userProgressTable->where('user_progress.deleted', '=', false);
    $userProgressTable->whereRaw('user_progress status <> \'Just started\' OR user_progress.status IS NULL');
    $userProgressTable->where('workout.workout_type', '=', 'Normal');
    $userProgressTable->where('user.deleted', '=', false);
    $userProgressTable->whereRaw('user_progress.completed = true OR (user_progress.completed_cardio_shred = true AND ((workout.level = \'Long Cardio\') OR (workout.level = \'Long Cardio (Burn)\') OR (workout.level = \'Long Cardio (Hardcore)\'))');
    $userProgressTable->where('user_progress.user_id', '=', $user->id);
    return $userProgressTable->count();

我的问题是,如果我使用雄辩的模型/查询方式,上面的查询会是什么样?

1 个答案:

答案 0 :(得分:1)

首先,您必须自己拥有模型类,并正确设置所有关系。从您共享的代码中,我看到了三个单独的模型。通常,您希望每个表一个模型,但这也取决于表。例如,您不需要一个数据透视表(但可以有一个)。

class UserProgress extends Eloquent
{
    ...
}

class FosUser extends Eloquent
{
    ...
}

class workout extends Eloquent
{
    ...
}

您可以随意命名类,它们不必与表名匹配(有关详细信息,请参见文档:https://laravel.com/docs/5.8/eloquent#eloquent-model-conventions)。

然后将您的关系添加到每个需要它们的模型(https://laravel.com/docs/5.8/eloquent-relationships)中,然后就可以开始查询。看起来可能像这样:

$result = UserProgress::join('fos_user', 'fos_user.id', '=', 'user_progress.user_id')
    ->join('workout', 'workout.id', '=', 'user_progress.workout_id')
    ->whereRaw('...')
    ...
    ->where('user_progress.user_id', '=', $user->id)
    ->get(); // this returns a Collection object

return $result->count(); // This is a Collection method

这只是一个示例,您可以通过多种方式来构造where子句(where('user_id', '=', $user.id)whereUserId($user.id)等),但足以让您入门。

此外,对于此特定查询,您实际上只需要第一个模型,但是最终您可能最终将模型用于其他两个表。