4

我有一个 SQL Server 2008 R2 数据库,其中包含大约 5 亿行数据,目前看起来像这样

ID          Eventtype
201         1
201         3
201         4
201         1
201         1
664         1
664         0
664         1
664         3

我似乎找不到可以以这种格式提供数据的查询:

ID         Event0   Event1  Event2  Event3  Event4
201        0        3       0       1       1
664        1        2       0       1       0

这是我目前所得到的:

select distinct ID as ID, count(EventType)
from database.dbo.events 
group by questID, EventType

它将数据吐回给我,例如:

ID       EventType
201      0
201      3
201      0
201      1
201      1
664      1
664      2
664      0
etc.

这确实显示了我需要的所有数据,但是在试图弄清楚EventType哪个是非常令人沮丧的过程中所涉及的格式和猜测。

谁能建议一个更好的查询,以良好的格式返回数据?

4

2 回答 2

4

怎么样...之类的

select ID, sum(Event0), sum(Event1), sum(Event2), sum(Event3), sum(Event4)
from (
    select ID, 
        case EventType when 0 then 1 else 0 end as Event0,
        case EventType when 1 then 1 else 0 end as Event1,
        case EventType when 2 then 1 else 0 end as Event2,
        case EventType when 3 then 1 else 0 end as Event3,
        case EventType when 4 then 1 else 0 end as Event4
    from dbo.events
) E
group by ID
  • 假设恰好有 5 种事件类型,编号为 0 到 4。
  • 根据表的索引方式,它可能会占用大量的排序空间,并且如果没有足够的空间可用,则可能会失败。
于 2012-06-13T00:03:04.757 回答
4

Sql Server 中有数据透视功能。如果你有例如 6 个不同的事件,你可以使用这个:

select ID, [0], [1], [2], [3], [4], [5]
from events
pivot 
(
  -- aggregate function to apply on values
  count(EventType) 
  -- list of keys. If values of keys are not fixed,
  -- you will have to use dynamic sql generation 
  for EventType in ([0], [1], [2], [3], [4], [5])
) pvt

对于动态枢轴生成,请参阅此 SO 帖子

顺便说一句,我相信您的原始查询应该是:

select ID, EventType, count(EventType)
from events 
group by ID, EventType
order by ID, EventType

您可以在@Sql Fiddle中看到它(向下滚动以查看旋转结果)。

于 2012-06-13T00:06:00.697 回答