用字符串初始化委托

本文关键字:初始化 字符串 | 更新日期: 2023-09-27 18:13:52

是否有办法用字符串初始化委托?也就是说,你不会知道在运行时需要调用的函数的名称?或者我猜还有更好的方法?

   delegate void TestDelegate(myClass obj);
   void TestFunction()
   {
        TestDelegate td = new TestDelegate(myFuncName);  // works
        TestDelegate td = new TestDelegate("myFuncName");  // doesn't work
   }

这是我目前拥有的不能工作的代码

 class Program
{
    static void Main(string[] args)
    {
        Bish b = new Bish();
        b.MMM();
        Console.Read();
    }
}
class Bish
{
    delegate void TestDelegate();
    public void MMM()
    {
        TestDelegate tDel = (TestDelegate)this.GetType().GetMethod("PrintMe").CreateDelegate(typeof(TestDelegate));
        tDel.Invoke();
    }
    void PrintMe()
    {
        Console.WriteLine("blah");
    }
}

用字符串初始化委托

您可以通过这种方式创建动态委托

class Bish
{
    delegate void TestDelegate();
    delegate void TestDelegateWithParams(string parm);
    public void MMM()
    {
        TestDelegate tDel = () => { this.GetType().GetMethod("PrintMe").Invoke(this, null); };
        tDel.Invoke();
        TestDelegateWithParams tDel2 = (param) => { this.GetType().GetMethod("PrintMeWithParams").Invoke(this, new object[] { param }); };
        tDel2.Invoke("Test");
    }
    public void PrintMe()
    {
        Console.WriteLine("blah");
    }
    public void PrintMeWithParams(string param)
    {
        Console.WriteLine(param);
    }
}