.net “System.Int32”类型的表达式不能用于返回类型“System.Object”

k7fdbhmy  于 2023-11-20  发布在  .NET
关注(0)|答案(2)|浏览(134)

我正在尝试创建一个简单的脚本系统,用于打印标签。我过去用反射做过这件事,没有问题,但我现在尝试用Lambda函数做这件事,这样我就可以缓存函数以供重用。
目前为止我的代码如下...

public static string GetValue<T>(T source, string propertyPath) {

    try {

        Func<T, Object> func;

        Type type = typeof(T);
        ParameterExpression parameterExpression = Expression.Parameter(type, @"source");
        Expression expression = parameterExpression;
        foreach (string property in propertyPath.Split('.')) {
            PropertyInfo propertyInfo = type.GetProperty(property);
            expression = Expression.Property(expression, propertyInfo);
            type = propertyInfo.PropertyType;
        }

        func = Expression.Lambda<Func<T, Object>>(expression, parameterExpression).Compile();

        object value = func.Invoke(source);
        if (value == null)
            return string.Empty;
        return value.ToString();

    }
    catch {

        return propertyPath;

    }

}

字符串
这在某些情况下似乎是可行的,但在其他情况下它失败了。问题似乎是我试图将值作为对象返回-而不管实际的数据类型。我试图这样做是因为我在编译时不知道数据类型是什么,但从长远来看,我只需要一个字符串。
每当我尝试访问Int 32类型的属性时,都会出现此消息标题中显示的异常-但我也会为Nullable类型和其他类型获得它。当我尝试将表达式编译到函数中时,会抛出异常。
有人能建议我如何在保持Lambda功能的同时以不同的方式处理这一点,以便我可以缓存访问器吗?

2cmtqfgy

2cmtqfgy1#

你试过使用Expression.Convert吗?这将添加装箱/提升/等转换。

Expression conversion = Expression.Convert(expression, typeof(object));
func = Expression.Lambda<Func<T, Object>>(conversion, parameterExpression).Compile();

字符串

uz75evzq

uz75evzq2#

希望这段代码能对你有所帮助

using System;
using System.Linq.Expressions;

namespace Student
{
    class Program
    {
        static void Main(string[] args)
        {
            var student = new Student();
            PrintProperty(student, "Name");
            PrintProperty(student, "Age");
            Console.ReadKey();
        }

        private static void PrintProperty<T>(T obj, string propName)
        {
            PrintProperty<T, object>(obj, propName);
        }

        private static void PrintProperty<T, TProperty>(T obj, string propName)
        {
            ParameterExpression ep = Expression.Parameter(typeof(T), "x");
            MemberExpression em = Expression.Property(ep, typeof(T).GetProperty(propName));
            var el = Expression.Lambda<Func<T, TProperty>>(Expression.Convert(em, typeof(object)), ep);
            Console.WriteLine(GetValue(obj, el));
        }

        private static TProperty GetValue<T, TProperty>(T obj, Expression<Func<T, TProperty>> expression)
        {
            return expression.Compile().Invoke(obj);
        }

        public class Student
        {
            public Student()
            {
                Name = "Albert Einstein";
                Age = 15;
            }
            public string Name { get; set; }
            public int Age { get; set; }
        }
    }
}

字符串

相关问题