2

I have a table EventLogs which records a given Event's details such as the date of the event and the fee.

+------+----------+---------------------------+-------------------+
| id   | place_id | start_at                  | total_fee_pennies |
+------+----------+---------------------------+-------------------+
| 4242 | 40       | 2013-10-20 19:00:00 +0100 | 8700              |
| 4288 | 48       | 2013-10-22 20:00:00 +0100 | 8000              |
| 4228 | 141      | 2013-10-17 19:30:00 +0100 | 20000             |
| 4232 | 19       | 2013-10-20 19:30:00 +0100 | 8000              |
| 4239 | 5        | 2013-10-20 19:30:00 +0100 | 6800              |
| 4269 | 6        | 2013-10-20 20:00:00 +0100 | 7000              |
| 4234 | 98       | 2013-10-20 20:00:00 +0100 | 6900              |

I would like to be able to aggregate this data total fee by week, I believe this is a PIVOT?

So I'd select them for a given month:

"SELECT \"event_logs\".* FROM \"event_logs\"  WHERE (event_logs.start_at BETWEEN '2013-10-01' AND '2013-10-31')"

And then somehow aggregate them by distinct place_id and by week using start_at (5 weeks in a month, usually?) with the total fee for each week.

place_id, week 1, week2, ...

But I'm not sure how to do this?

ere
  • 1,739
  • 3
  • 19
  • 41

1 Answers1

2

Here you can find how to extract the week number. Then use a Week number in the CASE statement

SQLFiddle demo

WITH T AS
(
SELECT
EventLogs.*
,
extract(week from start_at) - 
extract(week from date_trunc('month', start_at)) + 1 as WeekNo


 FROM EventLogs  
WHERE (start_at BETWEEN '2013-10-01' AND '2013-10-31')
)

SELECT
place_id,
SUM(CASE WHEN WeekNo=1 THEN total_fee_pennies ELSE 0 END) as Week_1,
SUM(CASE WHEN WeekNo=2 THEN total_fee_pennies ELSE 0 END) as Week_2,
SUM(CASE WHEN WeekNo=3 THEN total_fee_pennies ELSE 0 END) as Week_3,
SUM(CASE WHEN WeekNo=4 THEN total_fee_pennies ELSE 0 END) as Week_4,
SUM(CASE WHEN WeekNo=5 THEN total_fee_pennies ELSE 0 END) as Week_5

from T

GROUP BY place_id
Community
  • 1
  • 1
valex
  • 23,966
  • 7
  • 43
  • 60
  • Awesome, that works great. One last question, about months such as Feb that have only 4 weeks? – ere Oct 31 '13 at 15:44