类内委托的默认值
本文关键字:默认值 | 更新日期: 2023-09-27 18:34:56
using System;
public delegate void Printer(string s);
class Program
{
public static void Main(string[] args)
{
Printer p = new Printer(delegate {});
p+= myPrint;
p("Hello");
Console.ReadKey(true);
}
public static void myPrint(string s)
{
System.Console.WriteLine(s);
}
}
似乎我必须使用空的匿名函数初始化一个委托才能在以后使用+=
。当我省略new
子句时,p
就会null
,+=
不起作用,这是有道理的。
现在,当我有一个带有委托实例的类时,我可以执行以下操作:
using System;
public delegate void Printer(string s);
class Program
{
public static void Main(string[] args)
{
A a = new A();
a.p += myPrint;
a.p("Hello");
Console.ReadKey(true);
}
public static void myPrint(string s)
{
System.Console.WriteLine(s);
}
}
class A {
public Printer p;
}
为什么允许这样做?委托实例是否有默认值p
?它不能null
,因为那样我将无法使用 +=
为其分配新的回调。我试图用关键字"default value for delegates"
搜索这个问题,但一无所获。另外,如果问题太基本,对不起。
感谢您的帮助!
委托是引用类型,因此默认值为 null
。
但是,默认情况下不会初始化变量(与字段不同(:
Printer p;
p += myPrint; // doesn't work: uninitialized variable
您需要先初始化变量,然后才能使用它:
Printer p = null;
p += myPrint;
或
Printer p;
p = null;
p += myPrint;
请注意,对于代表(但不是事件!
p += myPrint;
是 的简写
p = (Printer)Delegate.Combine(p, new Printer(myPrint));