Llamar a una función desde una cadena en C#

Resuelto Jeremy Boyd asked hace 15 años • 5 respuestas

Sé que en PHP puedes hacer una llamada como:

$function_name = 'hello';
$function_name();

function hello() { echo 'hello'; }

¿Es esto posible en .Net?

Jeremy Boyd avatar Feb 12 '09 11:02 Jeremy Boyd
Aceptado

Sí. Puedes usar la reflexión. Algo como esto:

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

Con el código anterior, el método que se invoca debe tener un modificador de acceso public. Si se llama a un método no público, es necesario utilizar el BindingFlagsparámetro, por ejemplo BindingFlags.NonPublic | BindingFlags.Instance:

Type thisType = this.GetType();
MethodInfo theMethod = thisType
    .GetMethod(TheCommandString, BindingFlags.NonPublic | BindingFlags.Instance);
theMethod.Invoke(this, userParameters);
ottobar avatar Feb 12 '2009 04:02 ottobar

Puedes invocar métodos de una instancia de clase usando la reflexión, haciendo una invocación de método dinámico:

Supongamos que tiene un método llamado hola en una instancia real (esta):

string methodName = "hello";

//Get the method information using the method info class
 MethodInfo mi = this.GetType().GetMethod(methodName);

//Invoke the method
// (null- no parameter for the method call
// or you can pass the array of parameters...)
mi.Invoke(this, null);
Christian C. Salvadó avatar Feb 12 '2009 04:02 Christian C. Salvadó
class Program
    {
        static void Main(string[] args)
        {
            Type type = typeof(MyReflectionClass);
            MethodInfo method = type.GetMethod("MyMethod");
            MyReflectionClass c = new MyReflectionClass();
            string result = (string)method.Invoke(c, null);
            Console.WriteLine(result);

        }
    }

    public class MyReflectionClass
    {
        public string MyMethod()
        {
            return DateTime.Now.ToString();
        }
    }
BFree avatar Feb 12 '2009 04:02 BFree
Este código funciona en mi aplicación .Net de consola
class Program
{
    static void Main(string[] args)
    {
        string method = args[0]; // get name method
        CallMethod(method);
    }
    
    public static void CallMethod(string method)
    {
        try
        {
            Type type = typeof(Program);
            MethodInfo methodInfo = type.GetMethod(method);
            methodInfo.Invoke(method, null);
        }
        catch(Exception ex)
        {
            Console.WriteLine("Error: " + ex.Message);
            Console.ReadKey();
        }
    }
    
    public static void Hello()
    {
        string a = "hello world!";
        Console.WriteLine(a);
        Console.ReadKey();
    }
}
ranobe avatar Jul 14 '2020 22:07 ranobe