避免检查每一行,按功能替换查询?

时间:2017-04-15 06:58:15

标签: sql postgresql plpgsql sql-optimization

我有团队:

create table team (
    id      integer     primary key,
    type    text
);

另外,我有球员:

create table player
(
    id      integer     primary key,
    age     integer,
    team_id integer     references team(id)
);

团队的类型可以是'YOUTH'或'ADULT'。在青年队中,只允许16岁以上的球员参加正式比赛。在成人团队中,只允许18岁以上的玩家参加官方游戏。

鉴于团队标识符,我想找到即将到来的游戏所有允许的玩家。我有以下查询:

select    player.*
from      player
join      team
on        player.team_id = team.id
where     team.id = 1 and
          (
              (team.type = 'YOUTH' and player.age >= 16) or
              (team.type = 'ADULT' and player.age >= 18)
          );

这很有效。但是,在此查询中,对于每个玩家,我都在重复检查团队的类型。在整个查询过程中,此值将保持不变。

有没有办法改进此查询?我应该用pgplsql函数替换它,我首先将团队存储到局部变量中,然后区分以下流程吗?

IF team.type = 'YOUTH' THEN <youth query> ELSE <adult query> END IF

对我而言,感觉就像用火箭筒杀死一只苍蝇,但我现在还没有看到替代品。

我创建了一个SQL小提琴:http://rextester.com/TPFA20157

1 个答案:

答案 0 :(得分:1)

辅助表

在(严格关系)理论中,你会有另一个表存储团队类型的属性,比如最小年龄。

但是,永远不要存储“年龄”,这是潜在的恒定生日和当前时间的函数。始终存放生日。可能看起来像这样:

CREATE TABLE team_type (
   team_type text PRIMARY KEY
 , min_age   int NOT NULL  -- in years
);

CREATE TABLE team (
   team_id   integer PRIMARY KEY
 , team_type text NOT NULL REFERENCES team_type
);

CREATE TABLE player (
   player_id serial  PRIMARY KEY
 , birthday  date NOT NULL   -- NEVER store "age", it's outdated the next day
 , team_id   integer REFERENCES team
);

查询:

SELECT p.*, age(now(), p.birthday) AS current_age
FROM   player    p
JOIN   team      t  USING (team_id)
JOIN   team_type tt USING (team_type)
WHERE  t.team_id = 1
AND    p.birthday <= now() - interval '1 year' * tt.min_age;

使用函数age() 显示当前年龄,这符合传统算法以确定年龄。

但是在p.birthday <= now() - interval '1 year' * tt.min_age子句中使用更高效的表达式WHERE

除此之外:当前日期取决于当前时区,因此结果可能会变化+/- 12小时,具体取决于会话的时区设置。详细说明:

替代方案:功能

但是 ,您可以将表team_tpye替换为封装在如下函数中的逻辑:

CREATE FUNCTION f_bday_for_team_type(text)
  RETURNS date AS
$func$
SELECT (now() - interval '1 year' * CASE $1 WHEN 'YOUTH' THEN 16
                                            WHEN 'ADULT' THEN 18 END)::date
$func$  LANGUAGE sql STABLE;

计算满足给定团队类型的最小年龄的最大生日。可以假设函数是STABLE(不是VOLATILE)。 The manual:

  

另请注意,current_timestamp系列函数符合条件   稳定,因为它们的价值在交易中不会改变。

查询:

SELECT p.*, age(now(), p.birthday) AS current_age
FROM   player p
JOIN   team   t USING (team_id)
     , f_bday_for_team_type(t.team_type) AS max_bday  -- implicit CROSS JOIN LATERAL
WHERE  t.team_id = 2
AND    p.birthday <= max_bday;

这不是关系理论的圣杯,但它有效

dbfiddle here