,叫Func<的在参数为object类型

本文关键字:参数 object 类型 Func lt | 更新日期: 2023-09-27 18:12:50

我(例如)有一个Func<int, int>,我想像往常一样调用,除了参数类型是object而不是int。我只知道在运行时Func和参数的确切类型,因为Func是使用表达式树创建的,现在可以从dynamic变量访问。(简化)代码示例:

using System.Linq.Expressions;
namespace FuncExample
{
    class Program
    {
        static void Main(string[] args)
        {
            object myFunc = CreateFunc(); // Could return something like
                                          // Func<int, int>, but may return a
                                          // completely different Func<> depending on
                                          // arguments etc.
            object result = getFromFunc(5, myFunc);
        }
        public static object CreateFunc()
        {
            LambdaExpression expr = Expression.Lambda(
                /*
                 * Create an expression
                 */
                );
            return expr.Compile();
        }
        public static object getFromFunc(object arg, object func)
        {
            dynamic dynFunc = func;
            return dynFunc(arg); // <------- Throws exception
        }
    }
}

如何使代码将arg转换为整数或参数的任何类型?我尝试制作一个泛型方法,将对象转换为特定类型,然后通过反射调用它,像这样:

public static T asT<T>(object n)
{
    return (T)n;
}

for getFromFunc:

MethodInfo con = typeof(Program).GetMethod("asT").MakeGenericMethod(func.GetType().GetGenericArguments()[0]);
return dfunc(con.Invoke(null, new[] { value }));

但是MethodInfo.Invoke也返回object。关于如何确保参数有正确的类型,有什么想法吗?

,叫Func<的在参数为object类型

所有委托派生自System.Delegate。您可以使用System.Delegate.DynamicInvoke方法来调用在编译时不知道其类型的委托,类似于使用MethodInfo.Invoke()调用方法。例如:

class Program
{
    public static Delegate CreateFunc()
    {
      return new Func<int, int>(x => x + 1);
    }
    public static void Main(string[] args)
    {
        var func = CreateFunc();
        object inArg = 42;
        object result = func.DynamicInvoke(inArg);
        Console.WriteLine(result);
    }
}

您已经在使用dynamic,那么为什么不使用dynamic呢?

return dynFunc((dynamic)arg);

这确保arg的运行时类型被用于确定它是否是一个合适的参数。

这样怎么样?

public static int Main(string[] args)
{
    // this could be any other lambda expression
    Func<object, object> unknownFunc = (a) => { return 13; };
    int result = (int) unknownFunc(13);
    Console.WriteLine(result);
    return 0;
}