LINQ 联接来自不同类的值
本文关键字:同类 LINQ | 更新日期: 2023-09-27 18:30:48
我是 LINQ 的新手,很抱歉有人问我的问题
我有2节课
public class Person
{
int ID {get;set;}
string FirstName {get;set;}
string LastName {get;set;}
}
和
public class House
{
int ID {get;set;}
string Address {get;set;}
string ZipCode {get;set;}
int PersonId {get;set;}
}
我正在将房屋列表保存在IEnumerable列表中
IEnumerable<House> ListHouses = GetAllHouses();
GetAllHouses从数据库中返回房屋列表
我想在 LINQ 中使用 Lamda select 来执行以下操作
var st = ListHouses .Select(h => new
{
id = h.ID,
Address= h.Address,
Zip= h.ZipCode ,
PersonFirstName = GetPersonByID(h.PersonId ).FirstName,
PersonLastname = GetPersonByID(h.PersonId ).lastname
});
其中 GetPersonByID 返回具有给定 ID 的 Person
类型的对象,然后我取他的名字和姓氏。
我的问题是这样的:
而不是为变量(人名和人姓)获取人 2 次,有没有办法我可以得到它一次然后使用它。类似的东西
PersonForId = GetPersonByID(h.PersonId)
PersonFirstName = PersonLastName.FirstName,
PersonLastname = PersonLastName.lastname
我正在寻找类似于 SQL 中的加入的东西,您可以在其中连接另一个表中的值。
非常感谢您的任何帮助
你非常接近! 使用您的代码(并使房屋和人员上的所有属性公开),下面是使用 LINQ Join 方法的方法:
var st = GetAllHouses().Join(GetAllPersons(),
outerKey => outerKey.PersonId,
innerKey => innerKey.ID,
(house, person) => new
{
house.ID,
house.Address,
house.ZipCode,
PersonFirstName = person.FirstName,
PersonLastname = person.LastName
});
注意:我建议使用 GetAllPersons() 和 GetAllHouses() 方法返回 IQueryable 而不是 IEnumerable。 这样做将生成表达式(包括联接),这意味着 LINQ-to-SQL(或实体)将生成包含 JOIN 的正确 SQL 语句,而不是枚举集合然后联接。
有关此类内容的更多信息可在此处找到:返回 IEnumerable
using System;
using System.Linq;
class Customer
{
public int ID { get; set; }
public string Name { get; set; }
}
class Order
{
public int ID { get; set; }
public string Product { get; set; }
}
class Program
{
static void Main()
{
// Example customers.
var customers = new Customer[]
{
new Customer{ID = 5, Name = "Sam"},
new Customer{ID = 6, Name = "Dave"},
new Customer{ID = 7, Name = "Julia"},
new Customer{ID = 8, Name = "Sue"}
};
// Example orders.
var orders = new Order[]
{
new Order{ID = 5, Product = "Book"},
new Order{ID = 6, Product = "Game"},
new Order{ID = 7, Product = "Computer"},
new Order{ID = 8, Product = "Shirt"}
};
// Join on the ID properties.
var query = from c in customers
join o in orders on c.ID equals o.ID
select new { c.Name, o.Product };
// Display joined groups.
foreach (var group in query)
{
Console.WriteLine("{0} bought {1}", group.Name, group.Product);
}
}
}
输出
山姆买了书戴夫买了游戏朱莉娅买了电脑苏买了衬衫