gpt4 book ai didi

php - Laravel Eloquent ,当一行满足 2 个条件时,如何从查询中排除行?

转载 作者:可可西里 更新时间:2023-10-31 23:35:56 26 4
gpt4 key购买 nike

所以我正在尝试创建一个 Laravel Eloquent 查询。它有点复杂,有一堆子句,都运行良好,并且正在查询单个表。但是,我想添加一个特定条件,如下所述。

->where('date', '>', Carbon::now())

此条件工作正常,但我希望此条件仅适用于特定行!假设我希望上述 where 子句适用的条件是:

->where('row_type', '=', 'someType')

现在我不想过滤 row_type = 'someType' 的所有行,也不想过滤 date > Carbon::now() 的所有行。

我只想过滤具有日期 > Carbon::now() WHEN row_type = 'someType' 的行。

当然,'date' 和 'row_type' 都是我表中的列。

现在为了简化逻辑,我想做的基本上是排除行,其中 (date < Carbon::now() AND row_type = 'someType') 都是真的。

这是否可以在不插入原始 sql 的情况下在 Eloquent 单个查询中完成?

我能够在原始 sql 中重现我的查询:

select id, date, row_type from my_table where case when row_type = 'someType' then date > '2019-03-01%' end;

最佳答案

Now to simplify the logic, what I want to do basically is EXCLUDE rows where both (date < Carbon::now() AND row_type = 'someType') are true.

要么应用形式 bool 逻辑 !(A and B) = !A or !B 要么只注意“排除两者都为真”等同于“如果其中一个为假则包括”。因此,我们包括那些日期未过去(即 future )或类型不是 someType 的行。

->where('row_type', '!=', 'someType')->orWhere('date', '>', Carbon::now())

如果您还有其他条件并且包含 orWhere 会搞砸这些,您应该只对这个使用嵌套:

// ...other wheres...
->where(function($query) {
$query->where('date', '>', Carbon::now())->orWhere('row_type', '!=', 'someType');
})
->where( // ...other wheres...

我将尝试遍历 SQL 以证明这是可行的。

CREATE TABLE my_table(Id integer PRIMARY KEY, row_type text, date date);

/* First row is someType and past - it should be excluded */
INSERT INTO my_table VALUES(1,'someType', '2019-03-01');
INSERT INTO my_table VALUES(2,'someType', '2019-03-31');
INSERT INTO my_table VALUES(3,'otherType', '2019-03-01');
INSERT INTO my_table VALUES(4,'otherType', '2019-03-01');
COMMIT;

op中的查询是这样的:

SELECT 'Cases from the OP' as '';
SELECT id, row_type, date
FROM my_table
WHERE
CASE
WHEN row_type = 'someType'
THEN date > '2019-03-22%'
END;

/* returns */
2|someType|2019-03-31

它甚至不会按照您所说的进行操作。它还排除 row_type 不是 someType 的每一行。这等效于 row_type = 'someType' AND date > '2019-03-22'。要使其排除您所说的应该排除的内容,您必须使其更加复杂:

SELECT id, row_type, date 
FROM my_table
WHERE
CASE
WHEN row_type = 'someType'
THEN date > '2019-03-22'
ELSE 1
END;

/* returns */
2|someType|2019-03-31
3|otherType|2019-03-01
4|otherType|2019-03-01

但是这样写会更简单更合适(当实际有多个案例时案例是合适的):

SELECT ' ' as '';
SELECT 'The same using OR' as '';
SELECT id, row_type, date
FROM my_table
WHERE
(row_type != 'someType' OR date > '2019-03-22');

/* returns */
2|someType|2019-03-31
3|otherType|2019-03-01
4|otherType|2019-03-01

我将条件括在括号中,因为您说您还希望添加其他语句。这就是 where(function($q) {$q->...}) 会做的事情。

关于php - Laravel Eloquent ,当一行满足 2 个条件时,如何从查询中排除行?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/55287975/

26 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com