如何在linq
中编写下面的sql查询select * from Product where ProductTypePartyID IN
(
select Id from ProductTypeParty where PartyId = 34
)
答案 0 :(得分:6)
LINQ中没有直接的等价物。相反,您可以使用contains()或any
实现它们的其他技巧。以下是使用Contains
的示例:
String [] s = new String [5];
s [0] = "34";
s [1] = "12";
s [2] = "55";
s [3] = "4";
s [4] = "61";
var result = from d in context.TableName
where s.Contains (d.fieldname)
select d;
查看此链接了解详情:in clause Linq
int[] productList = new int[] { 1, 2, 3, 4 };
var myProducts = from p in db.Products
where productList.Contains(p.ProductID)
select p;
答案 1 :(得分:3)
除了语法变体之外,您可以用几乎相同的方式编写它。
from p in ctx.Product
where (from ptp in ctx.ProductTypeParty
where ptp.PartyId == 34
select ptp.Id).Contains(p.ProductTypePartyID)
select p
我更喜欢使用存在量词:
from p in ctx.Product
where (from ptp in ctx.ProductTypeParty
where ptp.PartyId == 34
&& ptp.Id == p.ProductTypePartyID).Any()
select p
我希望此表单将在生成的SQL中解析为EXISTS (SELECT * ...)
。
如果性能存在很大差异,您需要对两者进行分析。
答案 2 :(得分:1)
与此类似的东西
var partyProducts = from p in dbo.Product
join pt in dbo.ProductTypeParty on p.ProductTypePartyID equal pt.PartyId
where pt.PartyId = 34
select p
答案 3 :(得分:1)
您在Where子句中使用Contains。
这些方面的东西(未经测试):
var results = Product.Where(product => ProductTypeParty
.Where(ptp => ptp.PartyId == 34)
.Select(ptp => ptp.Id)
.Contains(product.Id)
);