Reputation: 13582
Assume these Tables:
Group: (Id, Title): {1,G1}, {2,G2}, {3,G3}, {4, G4}
Category: (Id, Title): {1, Cat1}, {2, Cat2}, {3, Cat3}, {4, Cat4}
Product: (Id, GroupId, CategoryId, Name):
{1, 1, 1, G1C1P1},
{2, 1, 2, G1C2P2},
{3, 1, 2, G1C2P3},
{4, 2, 2, G2C2P4},
{5, 2, 2, G2C2P5},
{6, 3, 1, G3C1P6},
{7, 3, 3, G3C3P7}
So What I need is Count of any Category by Group for the above values is:
Group Category Count
----------------------
G1 Cat1 1
G1 Cat2 2
G1 Cat3 0
G1 Cat4 0
G2 Cat1 0
G2 Cat2 2
G2 Cat3 0
G2 Cat4 0
G3 Cat1 1
G3 Cat2 0
G3 Cat3 1
G3 Cat4 0
G4 Cat1 0
G4 Cat2 0
G4 Cat3 0
G4 Cat4 0
I try this:
SELECT
[GR].[Title] AS [Group],
COUNT([PR].[Id]) AS [Count],
[CA].[Title]
FROM [dbo].[Group] AS [GR]
FULL OUTER JOIN [dbo].[Product] AS [PR] ON [GR].[Id] = [PR].[GroupId]
FULL OUTER JOIN [dbo].[Category] AS [CA] ON [PR].[CategoryId] = [CA].[Id]
GROUP BY [CA].[Title], [GR].[Title];
GO
But it's not the exact one, So What is your suggestion?
Upvotes: 2
Views: 1914
Reputation: 115520
You need to CROSS JOIN
the two tables (Group
and Category
) to create all possible group-category combinations and then LEFT JOIN
to the Product
table:
SELECT
gr.Title AS [Group],
ca.Title,
COUNT(pr.Id) AS [Count]
FROM
dbo.[Group] AS gr
CROSS JOIN
dbo.Category AS ca
LEFT OUTER JOIN
dbo.Product AS pr
ON pr.GroupId = gr.Id
AND pr.CategoryId = ca.Id
GROUP BY
gr.Title,
ca.Title
ORDER BY
gr.Title,
ca.Title ;
or this way (first GROUP BY
in the Products table and then join the derived table):
SELECT
gr.Title AS [Group],
ca.Title,
COALESCE(pr.cnt, 0) AS [Count]
FROM
dbo.[Group] AS gr
CROSS JOIN
dbo.Category AS ca
LEFT OUTER JOIN
( SELECT
GroupId,
CategoryId,
COUNT(*) AS cnt
FROM
dbo.Product
GROUP BY
GroupId,
CategoryId
) AS pr
ON pr.GroupId = gr.Id
AND pr.CategoryId = ca.Id
ORDER BY
gr.Id,
ca.Id ;
If the Group(Title)
and the Category(Title)
columns are unique, the queries are equivalent (except for the ordering).
Upvotes: 4
Reputation: 4211
Try this one:
SELECT
[GR].[Title] AS [Group],
[CA].[Title],
COUNT([PR].[Id]) AS [Count]
FROM [dbo].[Product] AS [PR]
FULL OUTER JOIN [dbo].[Group] AS [GR] ON [PR].[GroupId] = [GR].[Id]
FULL OUTER JOIN [dbo].[Category] AS [CA] ON [PR].[CategoryId] = [CA].[Id]
GROUP BY [GR].[Title],[CA].[Title];
GO
Upvotes: 0