JOIN、GROUP BY、SUM 问题 Mysql

JOIN, GROUP BY, SUM Issue Mysql

假设我有这个 table

tableA
ID       value 
1          5
1          5
3          10
2          4 
2          2
1          2

tableB
ID        Name       
1         apple      
2         carrot      
3         banana     

如果苹果的预期最大值为 10,胡萝卜为 5,香蕉为 15,则输出 table 将为

table output
ID     Name       value
1      apple      12
2      carrot     6

我需要什么 SQL 语句来解决这个问题?

到目前为止我做了什么:

SELECT a,ID, b.name , sum(a.valueSUM) AS value FROM tableA a
INNER JOIN tableB b 
ON a.id = b.id 
GROUP BY id 

我需要在 WHERE 子句上使用哪些选项才能完成此操作?

SELECT TableB.id, TableB.Name, MAX(TableA.value) AS Value
FROM TableA INNER JOIN TableB ON
TableA.id = TableB.id
GROUP BY TableB.id, TableB.Name

不使用 SUM,而是使用 MAX 聚合函数

内部子查询通常将它们分组,然后主查询处理限制结果。

SELECT * FROM 
     (select 
      b.id,
      b.name as name, 
      SUM(a.value) as the_sum
      from tableA a inner join tableB b 
      on a.Id = b.id 
      group by b.name, b.id
     ) y
where (name = 'apple' and the_sum >= 10) OR
  (name = 'banana' and the_sum >= 15) OR
  (name = 'carrot' and the_sum >= 5)

您的示例数据似乎已更改,请尝试此操作。我认为 ID 不必遵循 tableA/tableB 的 ID,并且 ID 是根据结果自动生成的。

如果您有另一个 table 可以设置每个名称的阈值,那就太好了

假设可以在表 B 中指定阈值(有意义):

SELECT a.ID, b.name, sum(a.value) AS value
FROM tableA a
INNER JOIN tableB b 
ON a.id = b.id 
GROUP BY a.ID, b.name, b.Threshold
HAVING sum(a.value) > b.Threshold;

演示:http://rextester.com/ICOQF10295

这适用于 SQL 服务器

--Existing tables
create table #tableA (ID int, value int)
create table #tableB (ID int, Name varchar(30))


insert into #tableA
select 1 , 5 union all  
select 1 , 5 union all  
select 3 , 10 union all  
select 2 , 4 union all  
select 2 , 2 union all  
select 1 , 2

insert into #tableB    
select 1 , 'apple' union all  
select 2 , 'carrot' union all 
select 3 , 'banana'   

--Create new temporary table @tableC

create table #tableC (ID int, MAXvalue int)


insert into #tableC    
select 1 , 10 union all  
select 2 , 5  union all  
select 3 , 15 


select c.ID,b.Name, a.value from #tableC c
inner join #tableB b on b.ID = c.ID
inner join (
    select ID,SUM(value) as value from #tableA
    group by ID
) a on a.ID = c.ID
where a.value >= c.MAXvalue

drop table #tableA
drop table #tableB
drop table #tableC