LINQ to Entities中的“NOT IN”子句

时间:2009-01-11 13:49:00

标签: c# linq-to-entities

无论如何我可以创建一个not in子句,就像我在 Linq to Entities 中的SQL Server中一样吗?

5 个答案:

答案 0 :(得分:90)

如果您使用内存中的集合作为过滤器,则最好使用Contains()的否定。请注意,如果列表太长,这可能会失败,在这种情况下,您需要选择另一个策略(请参阅下面的使用策略进行完全面向数据库的查询)。

   var exceptionList = new List<string> { "exception1", "exception2" };

   var query = myEntities.MyEntity
                         .Select(e => e.Name)
                         .Where(e => !exceptionList.Contains(e.Name));

如果您使用Except基于其他数据库查询进行排除,则可能是更好的选择。 (这是LINQ to Entities中支持的Set扩展的link

   var exceptionList = myEntities.MyOtherEntity
                                 .Select(e => e.Name);

   var query = myEntities.MyEntity
                         .Select(e => e.Name)
                         .Except(exceptionList);

这假设一个复杂的实体,您根据另一个表的某些属性排除某些实体,并且需要未排除的实体的名称。如果你想要整个实体,那么你需要将异常构造为实体类的实例,以便它们满足默认的相等运算符(参见docs)。

答案 1 :(得分:14)

尝试:

from p in db.Products
where !theBadCategories.Contains(p.Category)
select p;

您要将哪个SQL查询转换为Linq查询?

答案 2 :(得分:6)

我有以下扩展方法:

    public static bool IsIn<T>(this T keyObject, params T[] collection)
    {
        return collection.Contains(keyObject);
    }

    public static bool IsIn<T>(this T keyObject, IEnumerable<T> collection)
    {
        return collection.Contains(keyObject);
    }

    public static bool IsNotIn<T>(this T keyObject, params T[] collection)
    {
        return keyObject.IsIn(collection) == false;
    }

    public static bool IsNotIn<T>(this T keyObject, IEnumerable<T> collection)
    {
        return keyObject.IsIn(collection) == false;
    }

用法:

var inclusionList = new List<string> { "inclusion1", "inclusion2" };
var query = myEntities.MyEntity
                     .Select(e => e.Name)
                     .Where(e => e.IsIn(inclusionList));

var exceptionList = new List<string> { "exception1", "exception2" };
var query = myEntities.MyEntity
                     .Select(e => e.Name)
                     .Where(e => e.IsNotIn(exceptionList));

直接传递值非常有用:

var query = myEntities.MyEntity
                     .Select(e => e.Name)
                     .Where(e => e.IsIn("inclusion1", "inclusion2"));

var query = myEntities.MyEntity
                     .Select(e => e.Name)
                     .Where(e => e.IsNotIn("exception1", "exception2"));

答案 3 :(得分:4)

我拿了一份清单并使用了,

!MyList.Contains(table.columb.tostring())

注意:确保使用List而不是Ilist

答案 4 :(得分:0)

我以更类似于SQL的方式创建它,我认为它更容易理解

var list = (from a in listA.AsEnumerable()
            join b in listB.AsEnumerable() on a.id equals b.id into ab
            from c in ab.DefaultIfEmpty()
            where c != null
            select new { id = c.id, name = c.nome }).ToList();