0

我有一个用户DE9013,在 SQL 表中有两个正面评价:

# select * from pref_rep where id='DE9013';
   id   | author | good | fair | nice | about |         last_rated         |   author_ip
--------+--------+------+------+------+-------+----------------------------+---------------
 DE9013 | DE9241 | t    | t    | t    |       | 2011-03-06 09:23:00.400518 | 97.33.154.43
 DE9013 | DE9544 | t    | t    | t    |       | 2011-03-06 10:06:37.561277 | 97.33.35.54
(2 rows)

而fair + nice评级的总和正如预期的那样是四个:

# select
count(nullif(r.fair, false)) +
count(nullif(r.nice, false)) -
count(nullif(r.fair, true)) -
count(nullif(r.nice, true))
 from pref_rep r where id='DE9013';
 ?column?
----------
        4
(1 row)

我的问题是:为什么我会在下面的列表中找到用户9013,我试图在其中找到所有玩过 30 多场完整游戏并且评分(一般+)高于 30 的用户?

# select substring(m.id from 3)::bigint, 3
from pref_match m, pref_rep r
where m.id=r.id and
m.id like 'DE%'
group by m.id
having (sum(m.completed) > 30 and
count(nullif(r.fair, false)) +
count(nullif(r.nice, false)) -
count(nullif(r.fair, true)) -
count(nullif(r.nice, true)) > 30) limit 3;
 substring | ?column?
-----------+----------
      9013 |        3
      8692 |        3
      7059 |        3
(3 rows)

将 PostgreSQL 8.4.7 与 CentOS 5.7 / 64 位一起使用

4

1 回答 1

1

在您的第一个查询中,您仅从 pref_rep 中进行选择。在第二个查询中,您将 pref_rep 连接到 pref_match,表面上是多对多关系。对于给定的用户,pref_match 中的每一行都将连接到 pref_rep 的每一行。例如,如果用户 9013 在 pref_match 中有 2 行,在 pref_rep 中有 10 行,那么您将获得 20 行!这就是为什么 pref_match 的计数在加入时比没有加入时更高的原因。

我建议你分别按用户聚合这两个表,然后加入结果。像这样的东西应该工作:

select substring(ma.id from 3)::bigint, 3
from (
   select r.id
   from pref_rep r
   where r.id like 'DE%' --yuck!
   group by r.id
   having (count(nullif(r.fair, false)) +
           count(nullif(r.nice, false)) -
           count(nullif(r.fair, true)) -
           count(nullif(r.nice, true)) > 30)
) ra
join (
   select m.id
   from pref_match m
   where m.id like 'DE%' --yuck!
   group by m.id
   having sum(m.completed) > 30
) ma
on ra.id = ma.id 
;
于 2011-04-13T07:04:15.207 回答