How to generate the data needed for a cohort chart- cohort analysis Part 3
Sean Ronan pointed out on twitter that "what" the columns on www.quickcohort.com are which is a good point so I thought I would fill in the gaps a little. The data for a cohort is fairly simple and can be as granular as you decide but the columns needed are:
- First Action Date/Time
- Most Recent Action Date/Time
- Count of customers which have this First/Most Recent Action Date/Times
Most of the time you can strip the time part from the date/time (especially if you're looking at the data on a month basis) but the tricky part is getting the count of users within each date grouping. You can't just select min/max dates as you need the data grouped by your unique customer identifier. If you're running SQL Server 2005+ then you've got the benefit of Common Table Expressions.
For this example, I've assumed a simple order table structure which contains a Customer Reference (CustomerId) and an Order Date (OrderDate). You could however use any date and identifier which groups actions together e.g. ProfileId and LastLoginDate.
SQL 2005 or later
WITH Actions (FirstAction, LastAction, UniqueId) AS ( SELECT min(dateadd(dd, datediff(dd, 0, o.[OrderDate]), 0)) , max(dateadd(dd, datediff(dd, 0, o.[OrderDate]), 0)) , o.[CustomerId] FROM Orders o GROUP BY CustomerId ) SELECT a.[FirstAction] , a.[LastAction] , count(a.[UniqueId]) AS [CountOfCustomers] FROM Actions a GROUP BY a.[FirstAction] , a.[LastAction] ORDER BY a.[FirstAction] , a.[LastAction]
Otherwise, I think you'll need to write something using temporary tables e.g.:
Pre SQL 2005
CREATE TABLE #Actions( FirstAction SMALLDATETIME, LastAction SMALLDATETIME, UniqueId INT ) INSERT INTO #Actions ( FirstAction ,LastAction ,UniqueId ) SELECT min(dateadd(dd, datediff(dd, 0, o.[OrderDate]), 0)) , max(dateadd(dd, datediff(dd, 0, o.[OrderDate]), 0)) , o.[CustomerId] FROM #Orders o GROUP BY CustomerId SELECT a.[FirstAction] , a.[LastAction] , count(a.[UniqueId]) AS [CountOfCustomers] FROM #Actions a GROUP BY a.[FirstAction] , a.[LastAction] ORDER BY a.[FirstAction] , a.[LastAction] DROP TABLE #Actions
This should then generate some data that looks like this:
FirstActionLastActionCountOfCustomers2011-03-012011-03-0112011-03-012011-04-0112011-04-012011-06-0112011-05-012011-10-0112011-06-012011-11-0112011-07-012011-08-0112011-08-012011-08-0112011-09-012011-12-0112011-10-012012-02-0112011-11-012012-02-0112011-12-012012-02-0112012-01-012012-01-0112012-02-012012-02-012
Which you should just be able to drop into www.quickcohort.com. I've not written a version for MySQL as I suspect someone far better at MySQL will be able to pop something together but the pre SQL 2005 script should work.
