直接从Mysql查询数据生成报告(使用groupby,count)

时间:2015-05-26 18:42:57

标签: php mysql sql group-by aggregate-functions

我有两个表用于存储图像及其相关的exif数据:

image_table的记录如下:

(query: select * from image_table where order_id = 3030303)

enter image description here

image_exif_info表的记录如下:

(query: select * from image_exif_info where 
image_id in (select image_id from image_table where order_id = 3030303)

enter image description here

如第二个屏幕截图所示,我对MakeModel字段感兴趣。

我想要做的是编写一个查询,向我显示这样的数据(REPORT):

Make          Model              # of photos
Canon         CanonEOS 400D      (200)
Nikon         Nikon D3200        (120)
....          .....              ....

我知道我可以编写查询并循环执行并计算等以获取此报告。但是我正努力提高我的SQL技能,因此我尝试使用单个查询创建此报告。

到目前为止,我已经走到了这一步:

select distinct i.value,count(i.image_id) from image_exif_info i 
where (i.key ='Make' or i.key = 'Model')
and i.image_id in (select image_id from image where order_id =303030)
group by value

上述查询的结果是:

Canon                 200
CanonEOS 400D         200
Nikon                 120
Nikon D3200           120

我希望它与上面(REPORT)

中显示的相同

1 个答案:

答案 0 :(得分:1)

以下是使用表子查询执行此操作的一种方法。

SELECT exif.Make, exif.Model, COUNT(i.image_id) AS "# of photos"
FROM image_table i
INNER JOIN (SELECT x.image_id, 
       MAX(CASE WHEN x.`key`='Make' THEN x.`value` ELSE '' END) AS Make,
       MAX(CASE WHEN x.`key`='Model' THEN x.`value` ELSE '' END) AS Model
      FROM image_exif_info x
      WHERE x.`key` IN ('Make','Model')
      GROUP BY x.image_id) exif
ON i.image_id = exif.image_id
GROUP BY exif.Make, exif.Model;

SQLFiddle:http://sqlfiddle.com/#!9/38dc4/11

子查询是一个透视图,它为每个image_id以及制作和模型提供。然后,它由image_id连接到image_table,并按品牌和型号分组。