2

我的代码中有一个 Func,声明如下:

Func<string, int, bool> Filter { get; set; }

如何访问作为 Func 参数的字符串和 int 变量以便在我的代码中使用它们?

4

3 回答 3

4

参数仅在调用函数时存在......并且它们仅在函数中可用。例如:

foo.Filter = (text, length) => text.Length > length;

bool longer = foo.Filter("yes this is long", 5);

这里,值 "yes this is long" 是委托执行时text的参数值,同样,值 5 是执行时参数的值。在其他时候,这是一个毫无意义的概念。length

你真正想要达到什么目的?如果您能给我们更多的背景信息,我们几乎可以肯定地为您提供更好的帮助。

于 2012-06-16T21:19:55.367 回答
4

您可以使用匿名方法:

Filter = (string s, int i) => {
    // use s and i here and return a boolean
};

或标准方法:

public bool Foo(string s, int i)
{
    // use s and i here and return a boolean
}

然后您可以将 Filter 属性分配给此方法:

Filter = Foo;
于 2012-06-16T21:19:57.840 回答
1

在此处查看此示例 - http://www.dotnetperls.com/func

using System;

class Program
{
    static void Main()
    {
    //
    // Create a Func instance that has one parameter and one return value.
    // ... Parameter is an integer, result value is a string.
    //
    Func<int, string> func1 = (x) => string.Format("string = {0}", x);
    //
    // Func instance with two parameters and one result.
    // ... Receives bool and int, returns string.
    //
    Func<bool, int, string> func2 = (b, x) =>
        string.Format("string = {0} and {1}", b, x);
    //
    // Func instance that has no parameters and one result value.
    //
    Func<double> func3 = () => Math.PI / 2;

    //
    // Call the Invoke instance method on the anonymous functions.
    //
    Console.WriteLine(func1.Invoke(5));
    Console.WriteLine(func2.Invoke(true, 10));
    Console.WriteLine(func3.Invoke());
    }
}
于 2012-06-16T21:20:16.610 回答