gpt4 book ai didi

mysql - 分组最大值适用于表,但不适用于 View

转载 作者:行者123 更新时间:2023-11-29 13:09:38 25 4
gpt4 key购买 nike

我有一个查询,它生成一组中最大值的行。它适用于表,但不适用于 View 。分组依据不起作用。代码如下;

SELECT View1.timestamp, View1.person_name
FROM View1
WHERE View1.timestamp IN
(
SELECT MAX(View1.timestamp)
FROM View1
GROUP BY View1.person_name
)

我做错了什么? Group By 可以在 View 上正常工作吗?我正在使用 MySQL。

最佳答案

GROUP BY 在内联 View 中工作,并且在存储 View 中工作。

目前尚不清楚“无法工作”是什么意思。查询是否产生错误或意外的结果?它会抛出错误消息吗?或者说,性能是 G_L_A_C_I_A_L 吗?

NOT IN(子查询)谓词是一条真正的狗。对于从外部查询返回的每一行,MySQL 将运行该子查询。如果这是对 View 的查询,那么 MySQL 将首先运行 View 查询,将结果具体化为临时 MyISAM 表,然后对其运行查询。

这是运行该查询时发生的情况的图片...

execute View1 query from outermost query
populate temporary MyISAM table with the results
fetch first row
evaluate IN predicate
execute subquery to get the list to compare to
execute view1 query
populate temporary MyISAM table with results
find MAX value from MyISAM table
populate another temporary MyISAM table with found MAX values
search the MyISAM table to see if the value from the row matches or not
fetch next row
evaluate IN predicate
execute subquery to get the list to compare to
execute view1 query
populate temporary MyISAM table with results
find MAX value from MyISAM table
populate another temporary MyISAM table with found MAX values
search the MyISAM table to see if the value from the row matches or not
fetch next row
evaluate IN predicate
...

每行都会产生大量开销。所有这些开销都会随着大型集合而增加。

返回等效结果集的更有效方法是使用连接操作,例如

SELECT v.*
FROM View1 v
JOIN ( SELECT MAX(m.timestamp)
FROM View1 m
GROUP BY m.person_name
) p
ON p.timestamp = v.timestamp

使用这种方法,执行计划看起来更像是这样:

execute View1 query and materialize results as temporary MyISAM table m 
execute MAX query against m and populate temporary MyISAM table p
execute View1 query and materialize results as temporary MyISAM table v
execute outermost query to find matching rows from temporary tables p and v

View1 查询执行了两次,但至少只执行了两次。虽然仍然存在开销,但它比对 View1 返回的每一行执行 View1 查询要好得多。

同样,当您说“无法工作”时,不清楚您的意思。

您的查询对 person_name 执行 GROUP BY,但外部查询中没有引用 person_name,这有点奇怪。

如果目的是查找每个人的“最新”行,那么我们将包含一个谓词来匹配 person_name 以及时间戳,如下所示:

SELECT v.*
FROM ( SELECT m.person_name
, MAX(m.timestamp) AS latest_timestamp
FROM View1 m
GROUP BY m.person_name
) p
JOIN View1 v
AND v.person_name = p.person_name
AND v.timestamp = p.latest_timestamp
<小时/>

但我不确定这些是否有助于回答您的问题。

<小时/>

更新*

要获得与上一个查询中所示相同类型的 person_name 匹配,但使用 IN(子查询) 谓词,您可以使用相关子查询和GROUP BY 不是必需的。

注意:对于大型集合,此方法通常比连接操作效率低得多。它遇到了与原始查询相同的“每行”性能开销问题;对于 v 中的每一行,都会重新执行相关子查询。

SELECT v.timestamp
, v.person_name
FROM View1 v
WHERE v.timestamp IN
( SELECT MAX(m.timestamp)
FROM View1 m
WHERE m.person_name = v.person_name
)

关于mysql - 分组最大值适用于表,但不适用于 View ,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/22264953/

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