我有一个表calls
和calls_statistics
。 calls
有一个主键calls_id
,它是calls_statistics
中的外键。
调用目前包含16k条目。
当我跑步时
SELECT c.*,
array_agg(cs.mean) AS statistics_means
FROM calls AS c
LEFT JOIN calls_statistics AS cs ON c.calls_id = cs.calls_id
GROUP BY c.calls_id
order by caller_id ASC, call_time ASC LIMIT 100;
查询大约需要622毫秒
Limit (cost=11947.99..11948.24 rows=100 width=551) (actual time=518.921..518.941 rows=100 loops=1)
-> Sort (cost=11947.99..11989.07 rows=16429 width=551) (actual time=518.918..518.928 rows=100 loops=1)
Sort Key: c.caller_id, c.call_time
Sort Method: top-N heapsort Memory: 126kB
-> HashAggregate (cost=11114.73..11320.09 rows=16429 width=551) (actual time=461.869..494.761 rows=16429 loops=1)
-> Hash Right Join (cost=6234.65..10705.12 rows=81922 width=551) (actual time=79.171..257.498 rows=81922 loops=1)
Hash Cond: (cs.calls_id = c.calls_id)
-> Seq Scan on calls_statistics cs (cost=0.00..2627.22 rows=81922 width=12) (actual time=3.534..26.778 rows=81922 loops=1)
-> Hash (cost=6029.29..6029.29 rows=16429 width=547) (actual time=75.578..75.578 rows=16429 loops=1)
Buckets: 2048 Batches: 1 Memory Usage: 9370kB
-> Seq Scan on calls c (cost=0.00..6029.29 rows=16429 width=547) (actual time=13.806..42.446 rows=16429 loops=1)
Total runtime: 622.537 ms
但是,当我禁用array_agg
并运行查询时,它会使用我的索引:
SELECT c.*,
cs.mean
FROM calls AS c
LEFT JOIN calls_statistics AS cs ON c.calls_id = cs.calls_id
order by caller_id ASC, call_time ASC LIMIT 100;
查询只需0.565毫秒!
Limit (cost=0.70..52.93 rows=100 width=551) (actual time=0.077..0.320 rows=100 loops=1)
-> Nested Loop Left Join (cost=0.70..42784.95 rows=81922 width=551) (actual time=0.075..0.304 rows=100 loops=1)
-> Index Scan using calls_caller_id_call_time_calls_id_idx on calls c (cost=0.29..22395.06 rows=16429 width=547) (actual time=0.042..0.091 rows=25 loops=1)
-> Index Scan using calls_stats_calls_idx on calls_statistics cs (cost=0.42..1.18 rows=6 width=12) (actual time=0.003..0.005 rows=4 loops=25)
Index Cond: (c.calls_id = calls_id)
Total runtime: 0.565 ms
只是聚合到数组中需要花费这么多时间?我做错了什么?
我正在使用Postgres 9.3。
答案 0 :(得分:1)
一种选择是从表calls
中选择100行,然后加入并汇总calls_statistics
。
类似的东西:
WITH top_calls as (SELECT c.*
FROM calls AS c
ORDER BY caller_id ASC, call_time ASC
LIMIT 100)
SELECT c.*,
array_agg(cs.mean) AS statistics_means
FROM top_calls AS c
LEFT JOIN calls_statistics AS cs ON c.calls_id = cs.calls_id
GROUP BY c.calls_id
order by caller_id ASC, call_time ASC;
它将为您提供与第一个查询完全相同的输出。
答案 1 :(得分:0)
在没有所有信息和实时系统的情况下优化查询可能有点困难,但我会考虑一下。您可以将限制移动到子查询,它应该更快地运行。
SELECT c.*,
array_agg(cs.mean) AS statistics_means
FROM
(SELECT *
FROM calls AS c
ORDER BY caller_id ASC, call_time ASC
LIMIT 100) AS c
LEFT JOIN calls_statistics AS cs ON c.calls_id = cs.calls_id
GROUP BY c.calls_id;