2

我有一个带有下表的 sqlite 数据库:

CREATE TABLE games (name text, date text, winloss int, gameid int, pointsfor int, pointsagainst int);

两个示例记录如下所示:

Anna A, 7/12/13, 0, 345, 56, 28
Barley B, 7/12/13, 1, 345, 28, 56

(Barley 的球队输了,Anna 的球队赢了。每场比赛每队都有几名球员。)我想创建一个查询,该查询将返回一个队中有 x 名球员和另一队有 y 名球员的所有比赛,加上这些球员的累积结果游戏。

我知道如何使用 perl 和 csv 文件来做到这一点,并且我相信我可以对 dbi 接口使用相同的方法。但是,我想了解如何仅使用 SQL 查询来创建此报告。我是 SQL 新手,我怀疑解决方案可能涉及使用 CASE WHEN 或 JOIN 旋转表来创建新表;但我不知道该怎么做。

此查询将返回玩家在同一支球队中并赢得(或输掉,取决于 winloss 的值)的所有比赛:

select gameid,date from games
where name in ('Anna A', 'Barley B') and winloss=1 
group by gameid 
having count(*)>1;

但我不知道如何概括该查询以返回与另一支球队的球员的比赛。

4

2 回答 2

0

这样的事情可能会有所帮助:

where name in ('Anna A', 'Barley B') 

改成

where name in (SELECT DISTINCT Player FROM games) 
于 2013-07-25T15:12:22.283 回答
0

这将为您提供 A 和 B 战胜 C、D 和 E 的游戏的所有台词。

select * 
from games 
where gameid in    
    (select gameid from games
        where name in ('Anna A', 'Barley B') and winloss=1 
        group by gameid 
        having count(*) = 2
    intersect
     select gameid from games
        where name in ('Charly C', 'Dave D', 'Ed E') and winloss = 0 
        group by gameid 
        having count(*) = 3) ;

或者,您可以使用:

select *
from games where gameid in (
    select gameid from games where name = 'Anna A'   and winloss = 1   intersect
    select gameid from games where name = 'Barley B' and winloss = 1   intersect 
    select gameid from games where name = 'Charly C'   and winloss = 0 intersect
    select gameid from games where name = 'Dave D' and winloss = 0     intersect
    select gameid from games where name = 'Ed E' and winloss = 0
    ) ;

哪个最适合你。

然后,您可以添加sumgroup by以获得累积结果。

于 2013-07-25T18:07:33.233 回答