联接时不相等

本文关键字:不相等 | 更新日期: 2023-09-27 17:52:54

表1名为Category包含70条记录表2称为FilterCategorys包含0条记录(当前)。

我的lambda连接,我想只拉出不匹配的记录,所以在这种情况下,我希望得到70条记录。这是我错误的Lambda:

var filteredList = categorys
            .Join(filterCategorys,
                x => x.Id,
                y => y.CategoryId,
                (x, y) => new { catgeory = x, filter = y })
            .Where(xy => xy.catgeory.Id != xy.filter.CategoryId)
            .Select(xy => new Category()
                        {
                            Name = xy.catgeory.Name,
                            Id = xy.catgeory.Id,
                            ParentCategoryId = xy.catgeory.ParentCategoryId
                        })
            .ToList();

这里我需要正确的语法是什么?

联接时不相等

不确定您是否需要使用lambdas(而不是查询语法),但我更喜欢具有外部连接的语句的查询语法。

应该是等价的:

var filteredList = (
    from c in Categorys 
    join fc in FilterCategorys on c.Id equals fc.CategoryId into outer
    from o in outer.DefaultIfEmpty()
    select new 
    {
        Category = new Category 
        {
            Name = c.Name, 
            Id = c.Id, 
            ParentCategoryId = c.ParentCategoryId
        },
        Exists = (o != null)
    })
    .Where(c => !c.Exists)
    .Select(c => c.Category);

如果你想用纯lambda:

var match = categorys.Join(filterCategorys, x => x.Id, y => y.CategoryId, (x, y) => new { Id = x.Id });
var filteredList = categorys.Where(x => !match.Contains(new {Id = x.Id}));

我还没有测量过它的性能,但是对于70条记录,优化不是问题。

我想出了一个不需要连接的解决方案。

var currentIds = filterCategorys.Select(x => x.Id).ToList();
var filteredList = categorys.Where(x => !currentIds.Contains(x.Id));

非常类似于@Zoff Dino的答案,不确定性能,也许有人想检查一下。

试试这个:

var categories= ...
var filteredCategories=...
var allExceptFiltered = categories.Except(filteredCategories, new CategoryComparer()).ToList();

如果你不提供一个自定义的比较器,框架没有办法知道两个类别对象是相同的(即使它们有相同的ID),它只是认为它们是不同的对象(它检查引用是否相等)

所以你必须把这个类添加到你的项目中:

public class CategoryComparer: IEqualityComparer<Category>
{
    public bool Equals(Category x, Category y)
    {
        if (x == null && y == null)
            return true;
        if (x == null)
            return false;
        if (y == null)
            return false;
        return x.CategoryId.GetHashCode() == y.CategoryId.GetHashCode();
    }
    public int GetHashCode(Category obj)
    {
        return obj.CategoryId.GetHashCode();
    }
}

也看看Wyatt Earp的回答,知道如何做一个外部连接是非常有用的

更新2 您的问题是Join方法。
Where子句在连接之后被"调用"。所以当你根据ID加入列表后你选择那些有不同ID的,这就是为什么你没有得到结果

你能画一个括号吗?....其中(xy => (xy. category .)= xy.filter.CategoryId))