如何在可查询投影期间使用AutoMapper将int映射到其枚举描述?

时间:2016-03-31 12:08:12

标签: enums entity-framework-6 automapper iqueryable automapper-4

这是获取其描述属性的枚举扩展方法。

public static string GetDescription(this Enum enumeration)
{
    if (enumeration == null)
        throw new ArgumentNullException();

    var value = enumeration.ToString();
    var type = enumeration.GetType();
    var descriptionAttribute =
        (DescriptionAttribute[]) type.GetField(value).GetCustomAttributes(typeof (DescriptionAttribute), false);

    return descriptionAttribute.Length > 0 ? descriptionAttribute[0].Description : value;
}

这是源对象:

public class Account {
    public int AccountId {get;set;}
    public int AccountStatusId {get;set;}
}

这是枚举:

public enum AccountStatus {
    [Description("N/A")]
    None,
    [Description("OPEN")]
    Open,
    [Description("CLOSED")]
    Closed,
    [Description("BAD CREDIT")
    Problem
}

这是目标对象:

public class GetAccountResponse {
    public int AccountId {get;set;}
    public string Status {get;set;}
}

这是我尝试映射(使用最新的非静态自动播放器版本)。请记住,这是在EF可查询投影期间。

_config = new MapperConfiguration(cfg => cfg.CreateMap<Account, GetAccountsResponse>()
    .ForMember(dest => dest.Status,
        opts => opts.MapFrom(src => ((AccountStatus) src.AccountStatusId).GetDescription())));

以下是查询为IQueryable<Account>的投影:

query.ProjectToList<GetAccountResponse>(_config);

这是我得到的例外:

  

无法将此解析为可查询表达式

1 个答案:

答案 0 :(得分:1)

如果您查看MapFrom方法的签名,您会注意到其中一个重载采用Expression<Func<TSource, TMember>>类型的参数。

这表明您可以编写一个方法,从三元表达式构建表达式树,可以将枚举的任何可能值转换为适当的字符串。然后,AutoMapper会通过LINQ将其转换为适当的SQL表达式。

这是一个仅使用Enum名称的示例:您应该能够直接调整它以使用您的描述:  

public static class EnumerableExpressionHelper
{
    public static Expression<Func<TSource, String>> CreateEnumToStringExpression<TSource, TMember>(
        Expression<Func<TSource, TMember>> memberAccess, string defaultValue = "")
    {
        var type = typeof(TMember);
        if (!type.IsEnum)
        {
            throw new InvalidOperationException("TMember must be an Enum type");
        }

        var enumNames = Enum.GetNames(type);
        var enumValues = (TMember[])Enum.GetValues(type);

        var inner = (Expression)Expression.Constant(defaultValue);

        var parameter = memberAccess.Parameters[0];

        for (int i = 0; i < enumValues.Length; i++)
        {
            inner = Expression.Condition(
            Expression.Equal(memberAccess.Body, Expression.Constant(enumValues[i])),
            Expression.Constant(enumNames[i]),
            inner);
        }

        var expression = Expression.Lambda<Func<TSource,String>>(inner, parameter);

        return expression;
    }
}

您可以按如下方式使用它:

CreateMap<Entry, EntryListItem>()
            .ForMember(e => e.ReviewStatus,
                c => c.MapFrom(EnumerableExpressionHelper.CreateEnumToStringExpression((Entry e) => e.ReviewStatus)))