C#事件機(jī)制歸納(上)
發(fā)表時(shí)間:2024-02-04 來(lái)源:明輝站整理相關(guān)軟件相關(guān)文章人氣:
[摘要]1.委派的實(shí)現(xiàn)過(guò)程。 首先來(lái)看一下委派,委派其實(shí)就是方法的傳遞,并不定義方法的實(shí)現(xiàn)。事件其實(shí)就是標(biāo)準(zhǔn)化了的委派,為了事件處理過(guò)程特制的、稍微專(zhuān)業(yè)化一點(diǎn)的組播委派(多點(diǎn)委派)。下面舉一個(gè)例子,我覺(jué)得把委派的例子和事件的例子比較,會(huì)比較容易理解。 using System; class Class...
1.委派的實(shí)現(xiàn)過(guò)程。
首先來(lái)看一下委派,委派其實(shí)就是方法的傳遞,并不定義方法的實(shí)現(xiàn)。事件其實(shí)就是標(biāo)準(zhǔn)化了的委派,為了事件處理過(guò)程特制的、稍微專(zhuān)業(yè)化一點(diǎn)的組播委派(多點(diǎn)委派)。下面舉一個(gè)例子,我覺(jué)得把委派的例子和事件的例子比較,會(huì)比較容易理解。
using System;
class Class1
{
delegate int MathOp(int i1,int i2);
static void Main(string[] args)
{
MathOp op1=new MathOp(Add);
MathOp op2=new MathOp(Multiply);
Console.WriteLine(op1(100,200));
Console.WriteLine(op2(100,200));
Console.ReadLine();
}
public static int Add(int i1,int i2)
{
return i1+i2;
}
public static int Multiply(int i1,int i2)
{
return i1*i2;
}
}
首先代碼定義了一個(gè)委托MathOp,其簽名匹配與兩個(gè)函數(shù)Add()和Multiply()的簽名(也就是其帶的參數(shù)類(lèi)型數(shù)量相同):
delegate int MathOp(int i1,int i2);
Main()中代碼首先使用新的委托類(lèi)型聲明一個(gè)變量,并且初始化委托變量.注意,聲明時(shí)的參數(shù)只要使用委托傳遞的函數(shù)的函數(shù)名,而不加括號(hào):
MathOp op1=new MathOp(Add);
(或?yàn)镸athOp op1=new MathOp(Multiply);)
委托傳遞的函數(shù)的函數(shù)體:
public static int Add(int i1,int i2)
{
return i1+i2;
}
public static int Multiply(int i1,int i2)
{
return i1*i2;
}
然后把委托變量看作是一個(gè)函數(shù)名,將參數(shù)傳遞給函數(shù)。 Console.WriteLine(op1(100,200));
Console.WriteLine(op2(100,200));
2.事件的實(shí)現(xiàn)過(guò)程
using System;
class Class1
{
static void Main(string[] args)
{
Student s1=new Student();
Student s2=new Student();
s1.RegisterOK +=new Student.DelegateRegisterOkEvent(Student_RegisterOK);
s2.RegisterOK +=new Student.DelegateRegisterOkEvent(Student_RegisterOK);
s1.Register();
s2.Register();
Console.ReadLine();
}
static void Student_RegisterOK()
{
Console.WriteLine("Hello");
}
}
class Student
{
public delegate void DelegateRegisterOkEvent();
public event DelegateRegisterOkEvent RegisterOK;
public string Name;
public void Register()
{
Console.WriteLine("Register Method");
RegisterOK();
}
}
在Student類(lèi)中,先聲明了委托DelegateRegisterOkEvent(),然后使用event和要使用的委托類(lèi)型(前面定義的DelegateRegisterOkEvent委托類(lèi)型)聲明事件RegisterOK(可以看作是委托的一個(gè)實(shí)例。):
public delegate void DelegateRegisterOkEvent();
public event DelegateRegisterOkEvent RegisterOK;
然后在Main()函數(shù)中,實(shí)例化Student類(lèi),然后s1.RegisterOK事件委托給了Student_RegisterOK 方法。通過(guò)“+=”(加等于)操作符非常容易地為.Net對(duì)象中的一個(gè)事件添加一個(gè)甚至多個(gè)響應(yīng)方法;還可以通過(guò)非常簡(jiǎn)單的“-=”(減等于)操作符取消這些響應(yīng)方法。
然后,當(dāng)調(diào)用s1.Register()時(shí),事件s1.RegisterOK發(fā)生。