C#中的委托是什么?

C#中的委托是对该方法的引用。委托是一个引用类型变量,其中包含对方法的引用。可以在运行时更改参考。

委托特别用于实现事件和回调方法。所有委托都是从System.Delegate类隐式派生的。

让我们看看如何在C#中声明委托。

delegate <return type> <delegate-name> <parameter list>

让我们看一个示例,以学习如何在C#中使用“委托”。

示例

using System;

using System.IO;

namespace DelegateAppl {

   class PrintString {

      static FileStream fs;

      static StreamWriter sw;

      //委托声明

      public delegate void printString(string s);

      //此方法将打印到控制台

      public static void WriteToScreen(string str) {

         Console.WriteLine("The String is: {0}", str);

      }

      //此方法将打印到文件

      public static void WriteToFile(string s) {

         fs = new FileStream("c:\\message.txt",

         FileMode.Append, FileAccess.Write);

         sw = new StreamWriter(fs);

         sw.WriteLine(s);

         sw.Flush();

         sw.Close();

         fs.Close();

      }

      //此方法将委托作为参数,并用于

      //根据需要调用方法

      public static void sendString(printString ps) {

         ps("Hello World");

      }

      static void Main(string[] args) {

         printString ps1 = new printString(WriteToScreen);

         printString ps2 = new printString(WriteToFile);

         sendString(ps1);

         sendString(ps2);

         Console.ReadKey();

      }

   }  

}

输出结果

The String is: Hello World


以上是 C#中的委托是什么? 的全部内容, 来源链接: utcz.com/z/350330.html

回到顶部