我正在尝试构建一个通用映射器,它将SqlDataReader的结果转换为类对象。
以下是我的代码的基本结构:
public interface IObjectCore
{
//contains properties for each of my objects
}
public class ObjectMapper<T> where T : IObjectCore, new()
{
public List<T> MapReaderToObjectList(SqlDataReader reader)
{
var resultList = new List<T>();
while (reader.Read())
{
var item = new T();
Type t = item.GetType();
foreach (PropertyInfo property in t.GetProperties())
{
Type type = property.PropertyType;
string readerValue = string.Empty;
if (reader[property.Name] != DBNull.Value)
{
readerValue = reader[property.Name].ToString();
}
if (!string.IsNullOrEmpty(readerValue))
{
property.SetValue(property, readerValue.To(type), null);
}
}
}
return resultList;
}
}
public static class TypeCaster
{
public static object To(this string value, Type t)
{
return Convert.ChangeType(value, t);
}
}
在大多数情况下它似乎有效,但是一旦它试图设置属性的值,我就会收到以下错误:
对象与目标类型不匹配
在我有property.SetValue
的行上。
我已经尝试了一切,但我看不出我的错误。
答案 0 :(得分:4)
您正在尝试设置正在循环的属性的值,我认为您的意图是设置您新创建的项目的值,因为它将与您基于它传递的类型相匹配item.GetType()
var item = new T();
//other code
property.SetValue(item , readerValue.To(type), null);
而不是
property.SetValue(property, readerValue.To(type), null);
同样根据评论,请确保您拥有:
resultList.Add(item);
答案 1 :(得分:1)
看起来这部分是错误的:
property.SetValue(property, readerValue.To(type), null);
您确定要通过将property
传递给它来申请SetValue吗?
在我看来你应该传递类型为T的对象item
。
然后变为:
property.SetValue(item, readerValue.To(type), null);