daily_payment.md 2.3 KB
Newer Older
M
Mars Liu 已提交
1 2 3 4
# 每日报表

数据分析组需要经常执行以下查询生成从昨天到之前某一天的交易量统计

fix bug  
张志晨 已提交
5
```sql
M
Mars Liu 已提交
6
select date(payment_date) as day, sum(amount)
M
Mars Liu 已提交
7
from payment
M
Mars Liu 已提交
8 9
where date(payment_date) between $1 and DATE_SUB(CURDATE(), INTERVAL 1 DAY)
group by date(payment_date);
M
Mars Liu 已提交
10 11 12 13 14
```

现在这个查询很慢,payment 表的信息如下:

```text
M
Mars Liu 已提交
15 16 17 18 19 20 21 22
mysql> desc payment;
+---------------+---------------+------+-----+---------+----------------+
| Field         | Type          | Null | Key | Default | Extra          |
+---------------+---------------+------+-----+---------+----------------+
| payment_id    | int           | NO   | PRI | NULL    | auto_increment |
| customer_id   | int           | YES  |     | NULL    |                |
| staff_id      | int           | YES  |     | NULL    |                |
| rental_id     | int           | YES  |     | NULL    |                |
M
cte  
Mars Liu 已提交
23
| amount        | decimal(12,4) | YES  |     | NULL    |                |
M
Mars Liu 已提交
24 25 26
| pathment_date | timestamp     | YES  |     | NULL    |                |
+---------------+---------------+------+-----+---------+----------------+
6 rows in set (0.12 sec)
M
Mars Liu 已提交
27 28 29 30
```

应该如何优化这个查询?

M
Mars Liu 已提交
31 32
<hr/>

F
feilong 已提交
33
点击进入[MySQL实战练习环境](https://mydev.csdn.net/product/pod/new?image=cimg-centos7-skilltreemysql&connect=auto&create=auto&utm_source=skill){target="_blank"}。
F
feilong 已提交
34

F
feilong 已提交
35 36
* `show databases;` 列出所有数据库
* `show tables;` 列出所有表
M
Mars Liu 已提交
37

M
Mars Liu 已提交
38 39 40 41
## 答案

建立表达式索引

fix bug  
张志晨 已提交
42
```sql
M
Mars Liu 已提交
43
alter table payment add index idx_payment_date((date(payment_date)));
M
Mars Liu 已提交
44 45 46 47 48 49 50 51
```

## 选项

### 对性能优化并无帮助

建立视图

fix bug  
张志晨 已提交
52
```sql
M
Mars Liu 已提交
53
create view view_daily_payment as select date(payment_date) as day, amount from payment;
M
Mars Liu 已提交
54 55 56 57
```

然后在视图 view_daily_payment 上执行

fix bug  
张志晨 已提交
58
```sql
M
Mars Liu 已提交
59 60
select day, sum(amount) 
from view_daily_payment
M
Mars Liu 已提交
61
where day between $1 and DATE_SUB(CURDATE(), INTERVAL 1 DAY)
M
Mars Liu 已提交
62 63 64 65 66 67 68
group by day 
```

### 对该查询帮助不大

在 payment_date 列上建立索引

fix bug  
张志晨 已提交
69
```sql
M
Mars Liu 已提交
70
create index idx_payment_date on payment(payment_date);
M
Mars Liu 已提交
71 72 73 74 75 76
```

### 可以简化语句,但对优化没有帮助

建立计算列

fix bug  
张志晨 已提交
77
```sql
M
Mars Liu 已提交
78
alter table payment add day date generated always as (date(payment_date)) stored; 
M
Mars Liu 已提交
79 80 81 82
```

然后使用它改写查询

fix bug  
张志晨 已提交
83
```sql
M
Mars Liu 已提交
84 85
select day as day, sum(amount)
from payment
M
Mars Liu 已提交
86
where day between $1 and date('yesterday')
M
Mars Liu 已提交
87 88
group by day;
```