CLR环境中内置了几个常用委托(转)
CLR环境中给我们内置了几个常用委托Action、 Action<T>、Func<T>、Predicate<T>,一般我们要用到委托的时候,尽量不要自己再定义一 个委托了,就用系统内置的这几个已经能够满足大部分的需求,且让代码符合规范。
一、Action
Action封装的方法没有参数也没有返回值,声明原型为:
1 public delegate void Action();
用法如下:
1 2 3 4 5 6 7 | public void Alert() { Console.WriteLine( "这是一个警告" ); } Action t = new Action(Alert); // 实例化一个Action委托 t(); |
如果委托的方法里的语句比较简短,也可以用Lambd表达式直接把方法定义在委托中,如下:
Action t = () => { Console.WriteLine("这是一个警告"); };
t();
二、Action<T>
Action<T>是Action的泛型实现,也是没有返回值,但可以传入最多16个参数,两个参数的声明原型为:
1 public delegate void Action<in T1, in T2>(T1 arg1, T2 arg2);
用法如下:
1 2 3 4 5 6 7 | private void ShowResult( int a, int b) { Console.WriteLine(a + b); } Action< int , int > t = new Action< int , int >(ShowResult); //两个参数但没返回值的委托 t(2, 3); |
同样也可以直接用Lambd表达式直接把方法定义在委托中,代码如下:
Action<int, int> t = (a,b) => { Console.WriteLine(a + b); };
t(2, 3);
三、Func<T>
Func<T>委托始终都会有返回值,返回值的类型是参数中最后一个,可以传入一个参数,也可以最多传入16个参数,但可以传入最多16个参数,两个参数一个返回值的声明原型为:
1 public delegate TResult Func<in T1, in T2, out TResult>(T1 arg1, T2 arg2);
用法如下:
1 2 3 4 5 6 7 | public bool Compare( int a, int b) { return a > b; } Func< int , int , bool > t = new Func< int , int , bool >(Compare); //传入两个int参数,返回bool值 bool result = t(2, 3); |
同样也可以直接用Lambd表达式直接把方法定义在委托中,代码如下:
Func<int, int, bool> t = (a, b) => { return a > b; };
bool result = t(2, 3);
四 、Predicate<T>
Predicate<T>委托表示定义一组条件并确定指定对象是否符合这些条件的方法,返回值始终为bool类型,声明原型为:
1 public delegate bool Predicate<in T>(T obj);
用法如下:
1 2 3 4 5 6 7 8 | public bool Match( int val) { return val > 60; } Predicate< int > t = new Predicate< int >(Match); //定义一个比较委托 int [] arr = { 13, 45, 26, 98, 3, 56, 72, 24 }; int first = Array.Find(arr, t); //找到数组中大于60的第一个元素 |
同样也可以直接用Lambd表达式直接把方法定义在委托中,代码如下:
Predicate<int> t = val => { return val > 60;}; //定义一个比较委托
int[] arr = { 13, 45, 26, 98, 3, 56, 72, 24 };
int first = Array.Find(arr, t); //找到数组中大于60的第一个元素
总结:
如果要委托的方法没有参数也没有返回值就想到Action
有参数但没有返回值就想到Action<T>
无参数有返回值、有参数且有返回值就想到Func<T>
有bool类型的返回值,多用在比较器的方法,要委托这个方法就想到用Predicate<T>
【推荐】国内首个AI IDE,深度理解中文开发场景,立即下载体验Trae
【推荐】编程新体验,更懂你的AI,立即体验豆包MarsCode编程助手
【推荐】抖音旗下AI助手豆包,你的智能百科全书,全免费不限次数
【推荐】轻量又高性能的 SSH 工具 IShell:AI 加持,快人一步
· AI与.NET技术实操系列:基于图像分类模型对图像进行分类
· go语言实现终端里的倒计时
· 如何编写易于单元测试的代码
· 10年+ .NET Coder 心语,封装的思维:从隐藏、稳定开始理解其本质意义
· .NET Core 中如何实现缓存的预热?
· 分享一个免费、快速、无限量使用的满血 DeepSeek R1 模型,支持深度思考和联网搜索!
· 25岁的心里话
· 基于 Docker 搭建 FRP 内网穿透开源项目(很简单哒)
· ollama系列01:轻松3步本地部署deepseek,普通电脑可用
· 按钮权限的设计及实现
2012-04-10 C语言内存分区