3

I built a framework that allows for cascaded sorting of report data in a table depending on what column is the master sorted column. It works for the most part, except in one specific, but important case: when the field's property is a value type. I receive the following error message:

System.ArgumentException: Expression of type 'System.Int32' cannot be used for return type 'System.Object'

I know that this means I need to box the value of the ValueType, but I'm not completely sure how to in this particular situation. Per some research and this SO answer I believe that I need to use Expression.Convert in some way.

My code below is what generates the expressions. The generic type parameter T is the type of the "row" of data. The GetFullSortOrder() simply returns an array of strings that represent the names of the columns (properties) in the type T that will also be sorted.

public IEnumerable<Expression<Func<T, object>>> GetExpressions<T>(string sortedColumn) where T : IReportRecord
    {
        var columns = GetFullSortOrder(sortedColumn)
        var typeParameter = Expression.Parameter(typeof(T));
        foreach (var c in columns)
        {
            var propParameter = Expression.Property(typeParameter, c);
            yield return Expression.Lambda<Func<T, object>>(propParameter, typeParameter);
        }
    }

The exception is thrown when processing Expression.Lambda<Func<T, object>>() when the Property selected in T is of a ValueType. What is needed to property box or return the correct value when the types aren't known until run-time?

Community
  • 1
  • 1
JNYRanger
  • 6,829
  • 12
  • 53
  • 81

2 Answers2

3

You said it - you need to use Expression.Convert and pass typeof(object). If you want to simulate what the C# compiler does, you should do it only for value types:

Expression result = propParameter;
if (typeof(T).IsValueType)
    result = Expression.Convert(result, typeof(object));
yield return Expression.Lambda<Func<T, object>>(result, typeParameter);
Ivan Stoev
  • 195,425
  • 15
  • 312
  • 343
1

You have to convert your property Expression to an object type:

var propParameterObj = Expression.Convert(propParameter, typeof(object));
Maksim Simkin
  • 9,561
  • 4
  • 36
  • 49