50

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

4

5 回答 5

103

如果您使用内存中的集合作为过滤器,最好使用 Contains() 的否定。请注意,如果列表太长,这可能会失败,在这种情况下,您将需要选择另一种策略(参见下文,了解如何使用完全面向 DB 的查询的策略)。

   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 扩展的链接)

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

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

这假设一个复杂的实体,您在其中排除某些依赖于另一个表的某些属性的实体,并且想要不排除的实体的名称。如果您想要整个实体,那么您需要将异常构造为实体类的实例,以便它们满足默认的相等运算符(请参阅文档)。

于 2009-01-11T14:48:58.560 回答
14

尝试:

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

您要转换为 Linq 查询的 SQL 查询是什么?

于 2009-01-11T14:45:36.273 回答
7

我有以下扩展方法:

    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"));
于 2016-03-02T15:24:02.350 回答
4

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

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

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

于 2011-09-08T15:26:55.163 回答
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();
于 2016-11-21T19:27:03.877 回答