在LINQ查询中使用'NOT IN'子句

时间:2016-02-05 06:50:02

标签: c# entity-framework linq linq-to-entities

我在LINQPad中测试了以下LINQ查询。但它给了我这个错误:

  

编译表达式时出错:编译表达式时出错:'string.Contains(string)'的最佳重载方法匹配有一些无效的参数   参数'1':无法从'System.Linq.IQueryable'转换为'string'

(from t in db.ASN_ITEM
join t0 in db.ASN_MASTER on t.AWB_NO equals t0.AWB_NO
join t1 in db.ITEM_MASTER on t.ITEM_MASTER.ITEM_CODE equals t1.ITEM_CODE
where
  (t.TOT_QTY - t.SCND_QTY) != 0 &&
  !t.AWB_NO.Contains((from t2 in db.ASN_ITEM
                    where
                     t2.SCAN_STAT != 2
                        select new {
                         t2.AWB_NO
                        }).Distinct()) &&
  t.AWB_NO == "E1000001"
select new {
  t.AWB_NO,
  ASN_DATE = t.REC_DATE,
  t.PALLET,
  t.CARTON,
  t.TOT_QTY,
  t.SCND_QTY,
  VAR_QTY = (System.Int32?)(t.SCND_QTY - t.TOT_QTY),
  REMARKS = 
  (t.TOT_QTY - t.SCND_QTY) == 0 ? "No Variance" : 
  (t.TOT_QTY - t.SCND_QTY) > 0 ? "Less Qty" : 
  (t.TOT_QTY - t.SCND_QTY) < 0 &&
  t.TOT_QTY != 0 ? "Excess Qty" : 
  t.TOT_QTY == 0 &&
  t.SCND_QTY != 0 ? "Excess Item" : null,
  t1.PART_NO
}).Distinct()

当我在where子句中给出以下条件时,我收到了这个错误:

!t.AWB_NO.Contains((from t2 in db.ASN_ITEM
                where
                 t2.SCAN_STAT != 2
                    select new {
                     t2.AWB_NO
                    }).Distinct()) 

实际上在SQL查询中,这就是我需要的(下面):

WHERE ASN_ITEM.AWB_NO NOT IN (SELECT DISTINCT AWB_NO FROM ASN_ITEM WHERE SCAN_STAT !=2 )

2 个答案:

答案 0 :(得分:2)

你应该以相反的方式完成它。在子查询上调用Contains(),其中包含多个项目:

!(from t2 in db.ASN_ITEM
  where t2.SCAN_STAT != 2
  select t2.AWB_NO
).Distinct()
 .Contains(t.AWB_NO)

此外,您必须直接选择AWB_NO,如上所示,而不是投射到匿名类型。执行后者将阻止Contains()的使用,因为集合中的项类型将与作为Contains()的参数传递的对象类型不同。

答案 1 :(得分:0)

从您的代码中,我认为AWB_NO是一个字符串。如果是这样,那么你在这里做什么:

!t.AWB_NO.Contains((from t2 in db.ASN_ITEM
                where
                 t2.SCAN_STAT != 2
                    select new {
                     t2.AWB_NO
                    }).Distinct()) 

转换为:&#34; 字符串 ABW_NO包含(并且this Contains并非如此},而不是this)一个匿名类型的一些不同元素的表,其中包含一个字符串属性&#34;。这毫无意义。它不是&#34;不是&#34;不是&#34;查询。您正在检查单个String是否包含一组匿名类型对象。

如果你想使用String.Contains并检查一个字符串是否包含另一个字符串,那么这将更有意义(可能不是你想要的):

!t.AWB_NO.Contains((from t2 in db.ASN_ITEM
                where
                 t2.SCAN_STAT != 2
                    select t2.AWB_NO).FirstOrDefault()) 

您可能会觉得这很有用:

How would you do a "not in" query with LINQ?

"NOT IN" clause in LINQ to Entities