来自SQL / 92的查询在更高版本中不起作用

时间:2019-04-08 19:24:17

标签: sql mysql-5.7 ansi-sql-92

我有一个这样的SQL查询:

select tt.product_name, tt.countt
from (select ofr.product_name as product_name, count(*) as countt
from offers ofr
group by ofr.product_name) as tt
where 12 = (select max(tt.countt) from tt);

我的问题在最后一行:sql无法识别表tt!

正如我在SQL / 92中所知道的,表的这种用法有效。 但是我不知道在以后的版本中应该使用什么替代方法。

我正在使用此版本的MY-SQL:

适用于Linux(x86_64)的MySQL版本14.14 Distrib 5.7.25,使用EditLine包装器

更新: 我希望tt中“计数”的行在tt中的所有行中最大。数字“ 12”是一个示例,因为基于我的数据库中的数据,“ count”列的最大值将为12

2 个答案:

答案 0 :(得分:0)

我不知道max()打算做什么。如果 ever 在MySQL中工作,我会感到惊讶。

也许你打算:

select tt.product_name, tt.countt
from (select ofr.product_name as product_name, count(*) as countt
      from offers ofr
      group by ofr.product_name
     ) tt
where 12 = tt.countt;

该逻辑不需要子查询。您可以改用HAVING子句。

编辑:

如果需要最大值,可以使用ORDER BYLIMIT

select ofr.product_name as product_name, count(*) as countt
from offers ofr
group by ofr.product_name
order by countt desc
limit 1;

答案 1 :(得分:0)

在MySQL 5.x中对我有用的唯一解决方案需要重复您的查询。在MySQL 8.x中,您可以使用CTE(公用表表达式),但是在5.x中不可用。

无论如何,这是有效的查询:

select x.*
from (
  select product_name, count(*) as cnt
  from offers
  group by product_name
) x
join (
  select max(cnt) as ct
  from (
    select product_name, count(*) as cnt
    from offers
    group by product_name
  ) y
) z on z.ct = x.cnt

结果:

product_name  cnt
------------  ---
Daguerrotype  3

作为参考,我使用的数据是:

create table offers (
  product_name varchar(30)
);

insert into offers (product_name) values ('Daguerrotype');
insert into offers (product_name) values ('Transistor radio');
insert into offers (product_name) values ('Victrola');
insert into offers (product_name) values ('Daguerrotype');
insert into offers (product_name) values ('Victrola');
insert into offers (product_name) values ('Daguerrotype');