Pivoting in sql
Pivoting in sql means changing rows to columns and columns to rows. We often need to change rows to columns in some scenario. Suppose I have a table say "Users" having columns Id,Name and UserType. Now if there is requirement to find number of users under each UserType I can use GROUP BY clause. But if I want UserType as Column and under them count of users in each UserType I can simply pivot the table we obtain from GROUP BY clause.
Example
1) Here is my Users table.
SELECT * FROM Users
data:image/s3,"s3://crabby-images/635b2/635b25efd5302a0ac9e1d541494f4f0da76ed9b7" alt=""
2) To find number of user in each UserType we can use GROUP BY clause.
SELECT UserType,Count(*) As 'Number of Users' FROM Users GROUP BY UserType
data:image/s3,"s3://crabby-images/95448/95448c7779d7ef72c4f642a7060593219d6910af" alt=""
3) Now pivoting table.
SELECT 'Number of Users' As UserType,[1],[2],[3] FROM (SELECT UserType FROM Users) AS SourceTable
PIVOT
(
Count(SourceTable.UserType)
FOR UserType IN ([1],[2],[3])
) AS PivotTable;
data:image/s3,"s3://crabby-images/31917/3191712a7df4c0e1953a4e8b7d49cb2176e4f6e1" alt=""
If I only want value of UserType as column and count of user then I can use the following query.
SELECT [1],[2],[3] FROM (SELECT UserType FROM Users) AS SourceTable
PIVOT
(
Count(SourceTable.UserType)
FOR UserType IN ([1],[2],[3])
) AS PivotTable;
data:image/s3,"s3://crabby-images/d41c1/d41c1337a7764fa2e1cdb2cace2a82dbf3a5aa5a" alt=""
0 Comment(s)