我正在编写一个LINQ到SQL语句,并且我在c#中使用ON子句的正常内部连接的标准语法之后。
如何在LINQ to SQL中表示以下内容:
select DealerContact.*
from Dealer
inner join DealerContact on Dealer.DealerID = DealerContact.DealerID
我正在编写一个LINQ到SQL语句,并且我在c#中使用ON子句的正常内部连接的标准语法之后。
如何在LINQ to SQL中表示以下内容:
select DealerContact.*
from Dealer
inner join DealerContact on Dealer.DealerID = DealerContact.DealerID
当前回答
它是这样的:
from t1 in db.Table1
join t2 in db.Table2 on t1.field equals t2.field
select new { t1.field2, t2.field3}
为了更好的示例,最好为您的表提供合理的名称和字段。:)
更新
我认为对于你的疑问,这可能更合适:
var dealercontacts = from contact in DealerContact
join dealer in Dealer on contact.DealerId equals dealer.ID
select contact;
既然你要找的是联系人,而不是经销商。
其他回答
OperationDataContext odDataContext = new OperationDataContext();
var studentInfo = from student in odDataContext.STUDENTs
join course in odDataContext.COURSEs
on student.course_id equals course.course_id
select new { student.student_name, student.student_city, course.course_name, course.course_desc };
学生和课程表在哪里有主键和外键的关系
基本上LINQ连接操作符对SQL没有好处。例如,下面的查询
var r = from dealer in db.Dealers
from contact in db.DealerContact
where dealer.DealerID == contact.DealerID
select dealerContact;
将导致内部连接在SQL
join对IEnumerable<>有用,因为它更有效:
from contact in db.DealerContact
条款将对每个经销商重新执行 但对于IQueryable<>则不是这样。另外,连接也不太灵活。
因为我更喜欢表达式链语法,下面是你如何做到这一点:
var dealerContracts = DealerContact.Join(Dealer,
contact => contact.DealerId,
dealer => dealer.DealerId,
(contact, dealer) => contact);
通过Clever Human扩展表达式链语法答案:
如果你想对两个表中的字段进行过滤或选择,而不是只对其中一个表进行操作,你可以在Join方法的最终参数的lambda表达式中创建一个新对象,将这两个表合并在一起,例如:
var dealerInfo = DealerContact.Join(Dealer,
dc => dc.DealerId,
d => d.DealerId,
(dc, d) => new { DealerContact = dc, Dealer = d })
.Where(dc_d => dc_d.Dealer.FirstName == "Glenn"
&& dc_d.DealerContact.City == "Chicago")
.Select(dc_d => new {
dc_d.Dealer.DealerID,
dc_d.Dealer.FirstName,
dc_d.Dealer.LastName,
dc_d.DealerContact.City,
dc_d.DealerContact.State });
有趣的部分是该示例的第4行中的lambda表达式:
(dc, d) => new { DealerContact = dc, Dealer = d }
…在这里,我们构造了一个新的匿名类型对象,该对象具有DealerContact和Dealer记录的属性,以及它们的所有字段。
然后,我们可以在筛选和选择结果时使用这些记录中的字段,示例的其余部分演示了这一点,该示例使用dc_d作为我们构建的匿名对象的名称,该对象的属性是DealerContact和Dealer记录。
创建一个外键,LINQ-to-SQL为您创建导航属性。然后每个Dealer都有一个DealerContacts集合,您可以选择、筛选和操作这些DealerContacts。
from contact in dealer.DealerContacts select contact
or
context.Dealers.Select(d => d.DealerContacts)
如果不使用导航属性,就会错过LINQ-to-SQL的一个主要好处——映射对象图的部分。