Reputation: 103
I am trying to query this table using LINQ:
Here's what I want to do:
Here's my LINQ query:
var query = from a in table
where a.Country.Equals("USA")
group a by a.Product_brand into grp
select new
{
Product_brand = grp.key.Product_brand,
Country = grp.Key.Country,
Black = grp.Count(a => a.Black=="Yes"),
White = grp.Count(a => a.White=="Yes"),
Red = grp.Count(a=> a.Red=="Yes"),
Green = grp.Count(a=> a.Green=="Yes")
}
I don't know what's wrong with my query, I keep getting this message:
Alternative Solution:
Sql query:
SELECT [Product brand], Country,
sum(case when [Black] = 'Yes' then 1 else 0 end) as Black,
sum(case when [White] = 'Yes' then 1 else 0 end) as White,
sum(case when [Red] = 'Yes' then 1 else 0 end) as Red,
sum(case when [Green] = 'Yes' then 1 else 0 end) as Green,
FROM dbo.Table
group by [Product brand], Country
Upvotes: 5
Views: 2830
Reputation: 1736
In VB.Net code is like that
Dim query=(from a in table
where a.Country = "USA"
group a by a.Product_brand,a.country into grp = group _
select new with
{
.Product_brand=Product_brand,
.country=country,
.Black = grp.Count(Function(a) a.Black="Yes"),
.White = grp.Count(Function(a) a.White="Yes"),
.Red = grp.Count(Function(a) a.Red="Yes"),
.Green = grp.Count(Function(a) a.Green="Yes")
})
Upvotes: 0
Reputation: 136
You have to group by two fields if you want it to work something like:
var query = from a in table
where a.Country.Equals("USA")
group a by new {a.Product_brand, a.Country} into grp
select new
{
Product_brand = grp.key.Product_brand,
Country = grp.Key.Country,
Black = grp.Count(a => a.Black=="Yes"),
White = grp.Count(a => a.White=="Yes"),
Red = grp.Count(a=> a.Red=="Yes"),
Green = grp.Count(a=> a.Green=="Yes")
}
Upvotes: 6