如何否定代表?

时间:2013-08-07 02:16:16

标签: c# .net linq lambda delegates

这是我的代码,为简单而大量缩写

Func<Product, bool> selector;
...
selector = p => p.IsNew;
...
if(negative) // not selector
  selector = x => !selector(x); // This is wrong (causes infinite loop)
  // How do you do negate it? The result should be p => !p.IsNew

...
IEnumerable<Product> products = MyContext.Products.Where(selector);

2 个答案:

答案 0 :(得分:7)

您可以使用辅助方法执行此操作:

public static Predicate<T> Negate<T>(this Predicate<T> predicate) {
    return t => !predicate(t);
}

(或者将Predicate替换为Func<T, bool>)。

然后:

selector = selector.Negate();

你的堆栈溢出问题非常明显;你用自己的 1 来定义selector。辅助方法避免了这个问题。

1 :也就是说,这显然会导致堆栈溢出:

public bool M() { return !M(); }

信不信由你,你做的完全一样。

答案 1 :(得分:0)

您还可以使用临时Func:

if(negative)
{
    Func<Product, bool> tempSelector = selector;
    selector = x => !tempSelector(x);
}

这种方式selector不再引用自身。