我想写一个通用 AutoMapper 的解析器来改变模型的文件路径。
如果没有通用解析器,我编写了以下解析器:
例如:
public class UserPhotoPathResolver : ValueResolver<User, string>
{
protected override string ResolveCore(User source)
{
var url = new UrlHelper(HttpContext.Current.Request.RequestContext);
return url.Content(string.IsNullOrWhiteSpace(source.PhotoPath)
? StaticVariables.DefaultUserImagePath
: source.PhotoPath);
}
}
现在,我编写了以下 Resolver :
public class FilePathResolver<T, TProperty> : ValueResolver<T, string> where T : class
{
private readonly Expression<Func<T, TProperty>> _propertyExpression;
public FilePathResolver(Expression<Func<T, TProperty>> propertyExpression)
{
_propertyExpression = propertyExpression;
}
protected override string ResolveCore(T source)
{
Type typeOfEntity = typeof(T);
MemberExpression member = _propertyExpression.Body as MemberExpression;
if (member == null)
throw new ArgumentException(string.Format("Expression '{0}' refers to a method, not a property.", _propertyExpression));
PropertyInfo propInfo = member.Member as PropertyInfo;
if (propInfo == null)
throw new ArgumentException(string.Format("Expression '{0}' refers to a field, not a property.", _propertyExpression));
if (typeOfEntity != propInfo.ReflectedType && !typeOfEntity.IsSubclassOf(propInfo.ReflectedType))
throw new ArgumentException(string.Format("Expresion '{0}' refers to a property that is not from type {1}.", _propertyExpression, typeOfEntity));
string filePath = Convert.ToString(ModelHelpers.GetStringPropertyValue(source, propInfo.Name));
return string.IsNullOrWhiteSpace(filePath)
? string.Empty
: UrlHelpers.GetUrlHelperInstance().Content(filePath);
}
}
public static object GetStringPropertyValue(object src, string propertyName)
{
return src.GetType().GetProperty(propertyName).GetValue(src, null);
}
public static TProperty GetValue<T, TProperty>(T obj, Expression<Func<T, TProperty>> expression) where T : class
{
if (obj == null) return default(TProperty);
Func<T, TProperty> func = expression.Compile();
return func(obj);
}
但是FilePathResolver
返回这个字符串MyApp.Classes.Helpers.FilePathResolver%602[MyApp.DAL.ModelName,System.String]
我使用这个解析器如下:
Mapper.CreateMap<EntityClass, EntityClassModel>()
.ForMember(m => m.ResolvedLogoPath, opt => opt.ResolveUsing(m => new FilePathResolver<EntityClass, string>(p => p.LogoPath)));
我该怎么做?