C#中的新功能,试图将两个集合连接在一起,最终结果将提供两个集合的所有数据。现在,该代码仅返回匹配的文档。谢谢。

  //集合
   IQueryable collection1 = database.GetCollection(“ MainData”)。AsQueryable();
   IQueryable collection2 = database.GetCollection(“ SecondaryData”)。AsQueryable();

          var result = collection2.Join(collection1,a => a.ID,b => b.ID,(a,b)=> new {a,b})
                .ToList()
                选择(s => new ViewModel.Customer()
                {
                    ID = s.b.ID,
                    名字= s.b.名字
                    姓氏= s.b.姓氏
                })。ToList();


            返回结果;

最佳答案

好的,因此您有两个查询来获取不同类型的序列,例如ClassAClassB。两种类型都有一个属性Id,并且您希望对该ID进行某种联接。


  ...最终结果将提供两个集合的所有数据


很高兴意识到存在各种类型的联接。您编码的联接是最简单的联接,通常称为inner join。结果序列中只有具有匹配ID的元素。因此,如果您拥有Id = 3的ClassA,但没有具有此ID的ClassB,那么它将不会出现在您的结果中。

IQueryable<ClassA> itemsA = ...
IQueryable<ClassB> itemsB = ...

var innerJoinResult = itemsA.Join(itemsB,   // inner join A and B
    itemA => itemA.Id,                      // from each itemA take the Id
    itemB => itemB.Id,                      // from each itemB take the Id
    (itemA, itemB) => new                   // when they match make a new object
    {                                       // where you only select the properties you want
        NameA = itemA.Name,
        NameB = itemB.Name,
        BirthdayA = itemA.Birthday,
        ...
    });


如果您还希望项目没有匹配的ID,那么所有没有匹配的itemB.Id的itemsA和没有匹配的itemA.Id的所有itemB,则必须进行完全外部联接。这似乎是您写时的意思:


  ...最终结果将提供两个集合的所有数据


LINQ没有此功能作为标准,但是您可以为其编写扩展方法。

See this excellent 2nd answer in stackoverflow for a LINQ extension function for a full outer join

另请参见Extension Methods Demystified

09-25 17:43
查看更多