Func<T>委托有返回值的泛型委托,封装了最多可以传入16个参数,方法返回void的不能使用Func<T>委托。
Action<T>委托返回值为void,封装了最多可以传入16个参数,用法与Func<T>相同。
Predicate<T>委托返回值为bool类型的委托,可以被Func<T>代替。
使用示例:
public string Show1(Func<string, string> func)
{
return func("0");
}
public void Show()
{
//public delegate int WithReturn(int a, int b);
//WithReturn withReturn = (a, b) => { return a + b; };
//多行代码
Func<string, string> func = param =>
{
param += "1";
param += "2";
return param;
};
Console.WriteLine(Show1(func));//输出:012
//一个参数
Func<string, string> func2 = s => $"test{s.ToUpper()}";
Console.WriteLine(func2("sss"));//输出:testSSS
//多个参数
Func<int, int, int> func1 = (x, y) => x + y;
Console.WriteLine(func1(1, 2));//输出:3
//闭包
int someVal = 5;
Func<int, int> f = x => x + someVal;
Console.WriteLine(f(2));//输出7
//Action使用
Action<int> action = (x) => Sub(x);
action(11);
//Predicate使用
Predicate<int> predicate = (x) => { return x > 0; };
Console.WriteLine(predicate(1));
}
public void Sub(int x)
{
Console.WriteLine(x);
}