如何将Func <t,bool =“”>转换为Predicate <t>?</t> </t,>

时间:2009-04-08 18:29:41

标签: c# .net-3.5 lambda

是的我见过this,但我找不到具体问题的答案。

给定一个lambda testLambda ,它接受一个布尔值(我可以使它成为Predicate或Func,这取决于我)

我需要能够同时使用List.FindIndex(testLambda)(采用谓词)和List.Where(testLambda)(采用Func)。

任何想法如何做到这两点?

4 个答案:

答案 0 :(得分:44)

易:

Func<string,bool> func = x => x.Length > 5;
Predicate<string> predicate = new Predicate<string>(func);

基本上,您可以使用任何兼容的现有实例创建新的委托实例。这也支持方差(共同和反对):

Action<object> actOnObject = x => Console.WriteLine(x);
Action<string> actOnString = new Action<string>(actOnObject);

Func<string> returnsString = () => "hi";
Func<object> returnsObject = new Func<object>(returnsString);

如果你想让它变得通用:

static Predicate<T> ConvertToPredicate<T>(Func<T, bool> func)
{
    return new Predicate<T>(func);
}

答案 1 :(得分:9)

我明白了:

Func<object, bool> testLambda = x=>true;
int idx = myList.FindIndex(x => testLambda(x));

工作,但ick。

答案 2 :(得分:4)

我在游戏方面有点迟,但我喜欢扩展方法:

public static class FuncHelper
{
    public static Predicate<T> ToPredicate<T>(this Func<T,bool> f)
    {
        return x => f(x);
    }
}

然后你就可以使用它:

List<int> list = new List<int> { 1, 3, 4, 5, 7, 9 };
Func<int, bool> isEvenFunc = x => x % 2 == 0;
var index = list.FindIndex(isEvenFunc.ToPredicate());

嗯,我现在看到了FindIndex扩展方法。我猜这是一个更普遍的答案。与ConvertToPredicate没有太大区别。

答案 3 :(得分:0)

听起来像

的情况
static class ListExtensions
{
  public static int FindIndex<T>(this List<T> list, Func<T, bool> f) {
    return list.FindIndex(x => f(x));
  }
}

// ...
Func<string, bool> f = x=>Something(x);
MyList.FindIndex(f);
// ...

我喜欢C#3 ......