Laravel Eloquent를 사용하여 여러 Where 절 쿼리를 만드는 방법은 무엇입니까?


405

Laravel Eloquent 쿼리 빌더를 사용하고 WHERE있으며 여러 조건 에서 절을 원하는 쿼리가 있습니다. 작동하지만 우아하지 않습니다.

예:

$results = User::where('this', '=', 1)
    ->where('that', '=', 1)
    ->where('this_too', '=', 1)
    ->where('that_too', '=', 1)
    ->where('this_as_well', '=', 1)
    ->where('that_as_well', '=', 1)
    ->where('this_one_too', '=', 1)
    ->where('that_one_too', '=', 1)
    ->where('this_one_as_well', '=', 1)
    ->where('that_one_as_well', '=', 1)
    ->get();

이 작업을 수행하는 더 좋은 방법이 있습니까, 아니면이 방법을 사용해야합니까?


4
이를 단순화하는 방법에는 여러 가지 가능성이 있지만보다 현실적인 코드가 필요합니다. 좀 더 현실적으로 코드를 업데이트 할 수 있습니까? 여러 예를 들어, 회가 ->where(...)통화가 교체 할 수있는 ->whereIn(...)전화, 등등 .
jonathanmarvens

2
@Jarek Tkaczyk의 해결책이 답이되어야합니다. 그러나 이해와 유지 보수를 위해 빌더 스크립트와 같은 코드를 선호합니다.
Tiefan Ju

답변:


618

에서 Laravel 5.3 (그리고 현재로 여전히 진정한 7.x의 ) 당신이 배열로 전달보다 세분화 된 알의를 사용할 수 있습니다 :

$query->where([
    ['column_1', '=', 'value_1'],
    ['column_2', '<>', 'value_2'],
    [COLUMN, OPERATOR, VALUE],
    ...
])

개인적으로 나는 여러 번의 where전화를 통해 유스 케이스를 찾지 못했지만 실제로는 사용할 수 있습니다.

2014 년 6 월부터 배열을 where

모든 wheres사용 and연산자 를 원하는 한 다음과 같이 그룹화 할 수 있습니다.

$matchThese = ['field' => 'value', 'another_field' => 'another_value', ...];

// if you need another group of wheres as an alternative:
$orThose = ['yet_another_field' => 'yet_another_value', ...];

그때:

$results = User::where($matchThese)->get();

// with another group
$results = User::where($matchThese)
    ->orWhere($orThose)
    ->get();

위와 같은 쿼리가 발생합니다.

SELECT * FROM users
  WHERE (field = value AND another_field = another_value AND ...)
  OR (yet_another_field = yet_another_value AND ...)

8
연산자를 어떻게 지정합니까?
Styphon

9
@Styphon 당신은하지 않습니다. 현재는에서만 작동합니다 =.
Jarek Tkaczyk

5
@Styphon과 내가 만들고 싶다면 어떻게해야 WHERE (a IS NOT NULL AND b=1) OR (a IS NULL AND b=2);합니까?
alexglue

9
다음과 같은 조건의 배열을 전달할 수도 있습니다.$users = DB::table('users')->where([ ['status', '=', '1'], ['subscribed', '<>', '1'], ])->get();
0과 1

3
@jarek : whereNotIn다른 wherecluases에 대한 귀하의 답변에 따라를 포함시키는 방법은 무엇입니까?
Kalanka

93

쿼리 범위를 사용하면 코드를보다 쉽게 ​​읽을 수 있습니다.

http://laravel.com/docs/eloquent#query-scopes

몇 가지 예를 들어이 답변을 업데이트하십시오.

모델에서 다음과 같이 범위 메소드를 작성하십시오.

public function scopeActive($query)
{
    return $query->where('active', '=', 1);
}

public function scopeThat($query)
{
    return $query->where('that', '=', 1);
}

그런 다음 쿼리를 작성하는 동안이 범위를 호출 할 수 있습니다.

$users = User::active()->that()->get();

이와 같은 조건에 가장 적합한 방법은 무엇입니까? query-> where ( 'start_date'> $ startDate) 스코프를 사용해도 괜찮습니까?
Buwaneka Kalansuriya

72

다음과 같이 익명 함수에서 하위 쿼리를 사용할 수 있습니다.

 $results = User::where('this', '=', 1)
            ->where('that', '=', 1)
            ->where(function($query) {
                /** @var $query Illuminate\Database\Query\Builder  */
                return $query->where('this_too', 'LIKE', '%fake%')
                    ->orWhere('that_too', '=', 1);
            })
            ->get();

43

이 경우 다음과 같은 것을 사용할 수 있습니다.

User::where('this', '=', 1)
    ->whereNotNull('created_at')
    ->whereNotNull('updated_at')
    ->where(function($query){
        return $query
        ->whereNull('alias')
        ->orWhere('alias', '=', 'admin');
    });

다음과 같은 쿼리를 제공해야합니다.

SELECT * FROM `user` 
WHERE `user`.`this` = 1 
    AND `user`.`created_at` IS NOT NULL 
    AND `user`.`updated_at` IS NOT NULL 
    AND (`alias` IS NULL OR `alias` = 'admin')

36

배열을 사용하는 조건 :

$users = User::where([
       'column1' => value1,
       'column2' => value2,
       'column3' => value3
])->get();

다음과 같은 쿼리를 생성합니다.

SELECT * FROM TABLE WHERE column1=value1 and column2=value2 and column3=value3

Antonymous Function을 사용하는 조건 :

$users = User::where('column1', '=', value1)
               ->where(function($query) use ($variable1,$variable2){
                    $query->where('column2','=',$variable1)
                   ->orWhere('column3','=',$variable2);
               })
              ->where(function($query2) use ($variable1,$variable2){
                    $query2->where('column4','=',$variable1)
                   ->where('column5','=',$variable2);
              })->get();

다음과 같은 쿼리를 생성합니다.

SELECT * FROM TABLE WHERE column1=value1 and (column2=value2 or column3=value3) and (column4=value4 and column5=value5)

12

여러 where 절

    $query=DB::table('users')
        ->whereRaw("users.id BETWEEN 1003 AND 1004")
        ->whereNotIn('users.id', [1005,1006,1007])
        ->whereIn('users.id',  [1008,1009,1010]);
    $query->where(function($query2) use ($value)
    {
        $query2->where('user_type', 2)
            ->orWhere('value', $value);
    });

   if ($user == 'admin'){
        $query->where('users.user_name', $user);
    }

마침내 결과를 얻는

    $result = $query->get();

9

whereColumn방법에는 여러 조건의 배열이 전달 될 수 있습니다. 이러한 조건은 and연산자를 사용하여 결합됩니다 .

예:

$users = DB::table('users')
            ->whereColumn([
                ['first_name', '=', 'last_name'],
                ['updated_at', '>', 'created_at']
            ])->get();

$users = User::whereColumn([
                ['first_name', '=', 'last_name'],
                ['updated_at', '>', 'created_at']
            ])->get();

자세한 내용은 https://laravel.com/docs/5.4/queries#where-clauses 설명서의이 섹션을 확인 하십시오.


8
Model::where('column_1','=','value_1')->where('column_2 ','=','value_2')->get();

또는

// If you are looking for equal value then no need to add =
Model::where('column_1','value_1')->where('column_2','value_2')->get();

또는

Model::where(['column_1' => 'value_1','column_2' => 'value_2'])->get();

5

하위 필터에 다른 필터를 적용해야합니다. 그렇지 않으면 또는 모든 레코드를 수집 할 수 있습니다.

$query = Activity::whereNotNull('id');
$count = 0;
foreach ($this->Reporter()->get() as $service) {
        $condition = ($count == 0) ? "where" : "orWhere";
        $query->$condition(function ($query) use ($service) {
            $query->where('branch_id', '=', $service->branch_id)
                  ->where('activity_type_id', '=', $service->activity_type_id)
                  ->whereBetween('activity_date_time', [$this->start_date, $this->end_date]);
        });
    $count++;
}
return $query->get();

'use ($ service)'를 추가해 주셔서 감사합니다. Juljan의 대답은 거의 필요했습니다. 귀하의 의견은 검색 문자열을 쿼리에 전달하는 데 도움이되었습니다.
Elliot Robert

5
$projects = DB::table('projects')->where([['title','like','%'.$input.'%'],
    ['status','<>','Pending'],
    ['status','<>','Not Available']])
->orwhere([['owner', 'like', '%'.$input.'%'],
    ['status','<>','Pending'],
    ['status','<>','Not Available']])->get();

3

실제 사례가 없으면 추천하기가 어렵습니다. 그러나 쿼리에서 많은 WHERE 절을 사용할 필요가 없으며 데이터 구조에 문제가 있음을 나타낼 수 있습니다.

데이터 정규화에 대해 배우는 것이 도움이 될 수 있습니다. http://en.wikipedia.org/wiki/Third_normal_form


3

Laravel 5.3 에서 웅변을 사용할 수 있습니다

모든 결과

UserModel::where('id_user', $id_user)
                ->where('estado', 1)
                ->get();

부분 결과

UserModel::where('id_user', $id_user)
                    ->where('estado', 1)
                    ->pluck('id_rol');

3
이것은 질문과 어떻게 다릅니 까?
veksen

2

whereIn조건을 사용 하고 배열을 전달하십시오.

$array = [1008,1009,1010];

User::whereIn('users.id', $array)->get();


1

아래와 같이 where 절에서 배열을 사용할 수 있습니다.

$result=DB::table('users')->where(array(
'column1' => value1,
'column2' => value2,
'column3' => value3))
->get();

1
DB::table('users')
            ->where('name', '=', 'John')
            ->orWhere(function ($query) {
                $query->where('votes', '>', 100)
                      ->where('title', '<>', 'Admin');
            })
            ->get();

1

필터 또는 검색을 수행하는 경우 내 제안에 따라

그럼 당신은 함께 가야합니다 :

        $results = User::query();
        $results->when($request->that, function ($q) use ($request) {
            $q->where('that', $request->that);
        });
        $results->when($request->this, function ($q) use ($request) {
            $q->where('this', $request->that);
        });
        $results->when($request->this_too, function ($q) use ($request) {
            $q->where('this_too', $request->that);
        });
        $results->get();

검색은 phpside 또는 sql 쪽에서 발생합니까?
Mr Mohamed

SQL 쪽. SQL 쿼리는 요청 매개 변수로 실행됩니다. 전의. requrst에이 매개 변수가있는 경우 그런 다음 where = ''where 조건이 쿼리에 추가되었습니다.
Dhruv Raval


0

순수한 Eloquent를 사용하여 그렇게 구현하십시오. 이 코드는 계정이 활성화 된 로그인 한 모든 사용자를 반환합니다. $users = \App\User::where('status', 'active')->where('logged_in', true)->get();


0

코드 샘플.

첫째로 :

$matchesLcl=[];

배열은 원하는 카운트 / 루프 조건을 사용하여 여기에 채워집니다 .

if (trim($request->pos) != '') $matchesLcl['pos']= $request->pos;

그리고 여기:

if (trim($operation) !== '')$matchesLcl['operation']= $operation;

그리고 더 웅변 :

if (!empty($matchesLcl))
    $setLcl= MyModel::select(['a', 'b', 'c', 'd'])
        ->where($matchesLcl)
        ->whereBetween('updated_at', array($newStartDate . ' 00:00:00', $newEndDate . ' 23:59:59'));
else 
    $setLcl= MyModel::select(['a', 'b', 'c', 'd'])
        ->whereBetween('updated_at', array($newStartDate . ' 00:00:00', $newEndDate . ' 23:59:59'));

-4
public function search()
{
    if (isset($_GET) && !empty($_GET))
    {
        $prepareQuery = '';
        foreach ($_GET as $key => $data)
        {
            if ($data)
            {
                $prepareQuery.=$key . ' = "' . $data . '" OR ';
            }
        }
        $query = substr($prepareQuery, 0, -3);
        if ($query)
            $model = Businesses::whereRaw($query)->get();
        else
            $model = Businesses::get();

        return view('pages.search', compact('model', 'model'));
    }
}

이것은 SQL 주입에 매우 취약합니다.
rrrhys

-21
$variable = array('this' => 1,
                    'that' => 1
                    'that' => 1,
                    'this_too' => 1,
                    'that_too' => 1,
                    'this_as_well' => 1,
                    'that_as_well' => 1,
                    'this_one_too' => 1,
                    'that_one_too' => 1,
                    'this_one_as_well' => 1,
                    'that_one_as_well' => 1);

foreach ($variable as $key => $value) {
    User::where($key, '=', $value);
}

여러 쿼리를 실행합니다.
veksen
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.