SQL如何查询总计和小计
SQL How to Query Total & Subtotal
我有一个 table 看起来像下面存储日期、order_id 和 order_type 的地方。
select day, order_id, order_type
from sample_table
day
order_id
order_type
2021-03-01
1
offline
2021-03-01
2
offline
2021-03-01
3
online
2021-03-01
4
online
2021-03-01
5
offline
2021-03-01
6
offline
2021-03-02
7
online
2021-03-02
8
online
2021-03-02
9
offline
2021-03-02
10
offline
2021-03-03
11
offline
2021-03-03
12
offline
以下是所需的输出:
day
total_order
num_offline_order
num_online_order
2021-03-01
6
4
2
2021-03-02
4
2
2
2021-03-03
2
2
0
有人知道如何查询以获得所需的输出吗?
使用case
和sum
:
select day,
count(1) as total_order
sum(case when order_type='offline' then 1 end) as num_offline_order,
sum(case when order_type='online' then 1 end) as num_online_order
from sample_table
group by day
order by day
您需要旋转数据。在 Vertica 中实现条件聚合的一种简单方法是使用 ::
:
select day, count(*) as total_order,
sum( (order_type = 'online')::int ) as num_online,
sum( (order_type = 'offline')::int ) as num_offline
from t
group by day;
您还可以使用 count
聚合非空值
select
day,
count(*) as total_order,
count(case when order_type='offline' then 1 else null end) as offline_orders,
count(case when order_type='online' then 1 else null end) as online_orders
from sample_table
group by day
order by day;
我有一个 table 看起来像下面存储日期、order_id 和 order_type 的地方。
select day, order_id, order_type
from sample_table
day | order_id | order_type |
---|---|---|
2021-03-01 | 1 | offline |
2021-03-01 | 2 | offline |
2021-03-01 | 3 | online |
2021-03-01 | 4 | online |
2021-03-01 | 5 | offline |
2021-03-01 | 6 | offline |
2021-03-02 | 7 | online |
2021-03-02 | 8 | online |
2021-03-02 | 9 | offline |
2021-03-02 | 10 | offline |
2021-03-03 | 11 | offline |
2021-03-03 | 12 | offline |
以下是所需的输出:
day | total_order | num_offline_order | num_online_order |
---|---|---|---|
2021-03-01 | 6 | 4 | 2 |
2021-03-02 | 4 | 2 | 2 |
2021-03-03 | 2 | 2 | 0 |
有人知道如何查询以获得所需的输出吗?
使用case
和sum
:
select day,
count(1) as total_order
sum(case when order_type='offline' then 1 end) as num_offline_order,
sum(case when order_type='online' then 1 end) as num_online_order
from sample_table
group by day
order by day
您需要旋转数据。在 Vertica 中实现条件聚合的一种简单方法是使用 ::
:
select day, count(*) as total_order,
sum( (order_type = 'online')::int ) as num_online,
sum( (order_type = 'offline')::int ) as num_offline
from t
group by day;
您还可以使用 count
聚合非空值
select
day,
count(*) as total_order,
count(case when order_type='offline' then 1 else null end) as offline_orders,
count(case when order_type='online' then 1 else null end) as online_orders
from sample_table
group by day
order by day;