如何在mysql中为每个客户查找type1和type2的事务计数

时间:2009-09-23 10:23:16

标签: sql mysql pivot-table

我有一张客户表:

id   name
1    customer1
2    customer2
3    customer3

和一个交易表:

id   customer   amount   type
1    1          10       type1
2    1          15       type1
3    1          15       type2
4    2          60       type2
5    3          23       type1

我希望我的查询返回的是下表

name        type1    type2
customer1   2        1
customer2   0        1
customer3   1        0

这表明customer1已经完成了type1的两个事务和type2的1个事务,等等。

是否有可用于获取此结果的查询,或者我是否必须使用过程代码。

3 个答案:

答案 0 :(得分:2)

你可以尝试

select c.id as customer_id
   , c.name as customer_name
   , sum(case when t.`type` = 'type1' then 1 else 0 end) as count_of_type1
   , sum(case when t.`type` = 'type2' then 1 else 0 end) as count_of_type2
from customer c
   left join `transaction` t
   on c.id = t.customer
group by c.id, c.name

此查询只需要在连接上迭代一次。

答案 1 :(得分:1)

SELECT  name, 
        (
        SELECT  COUNT(*)
        FROM    transaction t
        WHERE   t.customer = c.id
                AND t.type = 'type1'
        ) AS type1,
        (
        SELECT  COUNT(*)
        FROM    transaction t
        WHERE   t.customer = c.id
                AND t.type = 'type2'
        ) AS type2
FROM    customer c

要将WHERE条件应用于这些列,请使用以下命令:

SELECT  name
FROM    (
        SELECT  name, 
                (
                SELECT  COUNT(*)
                FROM    transaction t
                WHERE   t.customer = c.id
                        AND t.type = 'type1'
                ) AS type1,
                (
                SELECT  COUNT(*)
                FROM    transaction t
                WHERE   t.customer = c.id
                        AND t.type = 'type2'
                ) AS type2
        FROM    customer c
        ) q
WHERE   type1 > 3

答案 2 :(得分:1)

dirk打败了我;)

类似但也适用于mysql 4.1。

Select c.name,
sum(if(type == 1,1,0)) as `type_1_total`,
sum(if(type == 2,1,0)) as `type_2_total`,
from 
customer c
join transaction t on (c.id = t.customer)
;