从字符串调用动态方法

本文关键字:方法 动态 调用 字符串 | 更新日期: 2023-09-27 17:49:24

我试图从动态调用方法而不知道它的名称。我很难用英语解释这个,所以有代码:

public void CallMethod(dynamic d, string n)
{
    // Here I want to call the method named n in the dynamic d
}

我想要类似于:d.n()的东西,但是用n替换为字符串。

我想要这个:

Type thisType = this.GetType();
MethodInfo theMethod = thisType.GetMethod(TheCommandString);
theMethod.Invoke(this, userParameters);

但与动态

如果你需要上下文来帮助你:我正在制作一个支持"mod"的应用程序,你把dll放在mod文件夹中,它会加载并执行它。它与动态一起工作(我有一个这样的字典:Dictionnary<string, dynamic> instances;)。我希望应用程序从库中获得方法名称(与instances["topkek"].GetMethods();,我已经做了这个方法),但随后调用它返回的字符串的方法。我不知道我说的话是否有意义(我是法国人:/)…

我使用的是VS 2013 Express和。net framework 4.5,如果你需要更多的信息来帮助我问我。

从字符串调用动态方法

你可以这样写你的方法

public void CallMethod(dynamic d, string n)
    {
        d.GetType().GetMethod(n).Invoke(d, null);
    }

如果所有方法都是空的,这可以工作。否则你需要稍微改变一下。

    public void CallMethod(string className, string methodName)
    {
        object dynamicObject;
        // Here I want to call the method named n in the dynamic d
        string objectClass = "yourNamespace.yourFolder." + className;
        Type objectType = Type.GetType(objectClass);
        if (objectType == null)
        {
            // Handle here unknown dynamic objects
        }
        else
        {
            // Call here the desired method
            dynamicObject = Activator.CreateInstance(objectType);
            System.Reflection.MethodInfo method = objectType.GetMethod(methodName);
            if (method == null)
            {
                // Handle here unknown method for the known dynamic object
            }
            else
            {
                object[] parameters = new object[] { };   // No parameters
                method.Invoke(dynamicObject, parameters);
            }
        }
    }

我想添加另一种方法作为解决方案:

在您的例子中,调用者(mod的开发人员)知道要调用的方法。因此,这可能会有帮助:

// In the main application:
public dynamic PerformMethodCall(dynamic obj, Func<dynamic, dynamic> method)
{
    return method(obj);
{

 // In a mod:
 mainProgram.PerformMethodCall(myDynamicObj, n => n.myDynamicMethod());
 // In another mod:
 mainProgram.PerformMethodCall(myDynamicObj, n => n.anotherMethod());

这是Yuval Itzchakov在他的评论中思想的进一步发展。他建议使用委托。

相关文章: