php Laravel repository pattern add query

uqdfh47h  于 2023-04-04  发布在  PHP
关注(0)|答案(3)|浏览(100)

我在Laravel中创建了一个仓库模式,我创建了一个AbstractRepository类,它可以被任何仓库扩展,以获得可以共享的最常用的CRUD方法。
现在,如果我需要一些更复杂的查询,我可以通过向具体存储库添加额外的方法来扩展主要功能。
例如:

public function eagerWhere($column, $value, $relation, $orderBy = 'name')
{
    return Region::with($relation)->where($column, $value)->orderBy($orderBy);
}

现在我遇到麻烦的部分是主代码中使用我的存储库的这部分:

$regions = $this->regionRepository->eagerWhere('name', $term, 'country');

if ($includeCountry) { //<-- from here
    $regions->orWhereHas('country', function ($query) use ($term) {
        $query->where('name', 'LIKE', '%' . $term . '%');
    });
}

我如何在仓库中编写这一部分,以便最终使它看起来像:

$regions = $this->regionRepository->eagerWhere('name', $term, 'country');

if ($includeCountry) {
    $regions->orWhereHas($term, 'country');
}

我尝试将这部分代码复制到repository,但是我不能链接方法,因为当$region被获取时,它不再被认为是repository示例,而是Eloquent。现在它需要的是Eloquent方法。

vybvopom

vybvopom1#

我认为你的抽象水平有点混合,因为你没有抽象模型本身,但无论如何。解决方案可能是这样的:

public function eagerWhere($column, $value, $relation)
{
    $builder = Region::with($relation)->where($column, $value);

    return $builder
}

然后:

$regions = $this->regionRepository->eagerWhere('name', $term, 'country');

if ($includeCountry) {

    $regions->orWhereHas($term, 'country');
}

return $regions->orderBy('name')->get();
mutmk8jj

mutmk8jj2#

我没有做到我想要的,但令人满意的解决方案是将完整的逻辑放在方法中,所以现在我有了这个:

public function eagerWhereLike($column, $value, $relation, $searchOnRelation = false, $orderBy = 'name')
{
    $regions = Region::with($relation)->where($column, 'LIKE', '%' . $value . '%')->orderBy($orderBy);

    if ($searchOnRelation) {
        $regions->orWhereHas($relation, function ($query) use ($column, $value) {
            $query->where($column, 'LIKE', '%' . $value . '%');
        });
    }

    return $regions;
}
roejwanj

roejwanj3#

if (isset($conditions['search']) && !empty($conditions['search'])) {
        $search = strtolower($conditions['search']);

        $maintanceTechnician->orWhereRaw(
            "LOWER(CONCAT(IFNULL(first_name,''),' ',IFNULL(last_name,''),' ',IFNULL(mobile_no,''))) like ?",
            ["%{$search}%"]
        );

        if (isset($conditions['post_code']) && !empty($conditions['post_code'])) {
            $maintanceTechnician->orWhere('post_code', trim($conditions['post_code']));
        }

    }

相关问题