Using PIVOT and JOIN together

Consider this request:

SELECT [Order Details].OrderID,
   c.CategoryName,
   COUNT(c.CategoryID)
FROM   [Order Details]
   INNER JOIN Products p
        ON  p.ProductID = [Order Details].ProductID
   INNER JOIN Categories c
        ON  c.CategoryID = p.CategoryID
GROUP BY
   [Order Details].OrderID,
   c.CategoryName
ORDER BY
   [Order Details].OrderID

      

this query returns this result (Usnig Northwind database):

enter image description here

I want to use Pivot with Join to get a result like this:

OrderID    Condiments    Produce    Seafood    Condiments    Grains/Cereals    ...
--------------------------------------------------------------------------------------
10250           1            1           1          0              0             ...
10251           1            0           0          0              2             ...
...

      

How can i do this?

thank

+2


source to share


1 answer


WITH T
     AS (SELECT [Order Details].OrderID,
                c.CategoryName,
                c.CategoryID
         FROM   [Order Details]
                INNER JOIN Products p
                  ON p.ProductID = [Order Details].ProductID
                INNER JOIN Categories c
                  ON c.CategoryID = p.CategoryID)
SELECT *
FROM   T PIVOT ( COUNT (CategoryID) FOR CategoryName IN ( 
       [Beverages],
       [Condiments],
       [Confections], 
       [Dairy Products], 
       [Grains/Cereals],
       [Meat/Poultry],
       [Produce],
       [Seafood]) ) AS pvt
ORDER  BY OrderID  

      



+5


source







All Articles