当第一次听到委托、事件时感觉比较抽象、很好奇,当看到老师在课堂上利用委托和事件实现两个窗体调用时、感觉委托太神奇了,呵、不废话了……
C#委托和事件在做程序是很常见到的,对于像我这样的接触C#不是很长的光会去用,但不知道他里面的含义及本质、想理解他还是有一点困难的,下面有两个例子大家可以看一下
public delegate void Mydelegate(string name); //定义一个委托
class Program
{
public static void show(string name)
{
Console.WriteLine(name);
}
static void Main(string[] args)
{
Mydelegate My = show;//利用遇他相对应的方法来实例化委托
My("呵呵");//调用委托
Console.ReadKey();
}
}
这个小例子是定义一个委托,通过与他相对应的方法来实例化委托,然后调用委托,实现方法。
下面一个例子是我看过张子阳博客后写的,本人英语不是太好、可能里面定义会有些……
using System;
using System.Collections.Generic;
using System.Text;
namespace ConsoleApplication7
{
//我们来模拟一个打字智能机,他有三部分构成:在键盘上面输入文字、输出在显示器、语音提示;如果要实现这三种操作必须需要三种不同的硬件,所以
//键盘只能实现打字、显示器实现输出,语单提示设备实现读出文字。所以我们应该让他们看成三种不同的对象,来实现程序!
//定义三个类,Smart(智能机类),Typing(打字方法),show(显示方法),MakyVoice(语音提示方法)
//键盘打字
public class Smart
{
public delegate void SmartDelegate(char T);//定义一个委托
public event SmartDelegate SmarEvent;//定义实现这个委托的事件
public char T;//相当于你每一次打的单个文字
//定用一个字符串相当于我们从键盘上打出来的文字…… 呵
public string Text = "解放四大快捷方式打开附件多撒即可了飞洒富商大贾快乐看附件撒疯狂";
public void Typing()
{
foreach (char t in Text)
{
T = t;
if (SmarEvent != null)
{
SmarEvent(T);
}
}
}
}
//显示输出
public class Display
{
public void show(char T)
{
Console.WriteLine(T);
}
}
//语言提示
public class Voice
{
public void MakyVoice(char T)
{
Console.WriteLine("您输出了:" + T);
}
}
class Program
{
static void Main(string[] args)
{
Smart S = new Smart();
Display D = new Display();
Voice V = new Voice();
S.SmarEvent+=new Smart.SmartDelegate(D.show);
S.SmarEvent+=new Smart.SmartDelegate(V.MakyVoice);
S.Typing();
Console.ReadKey();
}
}
}