虽然大数据量的环境下,通过反射转换DataRow为对象性能会很低,但是在数据量适中的时候,这样能够减少很多的代码量,性能也确实不错。

所以在数据量不是很大的情况下,推荐使用。

如果数据量很大,可以使用Emit来提高性能,最近也在研究它,网上也有很多这方面的资料。

我定义了一个DataRow的扩张方法,如下:

 using System;
using System.Data;
using System.Reflection; namespace YCG.FCL.Common.ExtensionMethods
{
public static class DataRowExtension
{
/// <summary>
/// Convert data row to corresponding model..
/// </summary>
/// <typeparam name="T">Model</typeparam>
/// <param name="dataRow">Data Row.</param>
/// <returns>Model Object.</returns>
public static T GenerateInfo<T>(this DataRow dataRow) where T : class ,new()
{
if (dataRow == null) throw new ArgumentNullException();
T t = new T();
Type type = typeof(T);
PropertyInfo[] propertyInfos = type.GetProperties();
foreach (PropertyInfo propertyInfo in propertyInfos)
{
string propertyName = propertyInfo.Name;
if (dataRow.Table.Columns.Contains(propertyName))
{
object value = dataRow[propertyName];
if (value != null && value != DBNull.Value)
{
if (propertyInfo.PropertyType.IsEnum)
{
propertyInfo.SetValue(t, Enum.Parse(propertyInfo.PropertyType, value.ToString()), null);
//propertyInfo.SetValue(t, Enum.ToObject(propertyInfo.PropertyType, value.ToInt32()), null);
}
else
{
switch (propertyInfo.PropertyType.Name)
{
case "Int32":
propertyInfo.SetValue(t, value.ToInt32(), null);
break;
case "DateTime":
propertyInfo.SetValue(t, value.ToDateTime(), null);
break;
case "Boolean":
propertyInfo.SetValue(t, value.ToBool(), null);
break;
case "Double":
propertyInfo.SetValue(t, value.ToDouble(), null);
break;
//case "Byte[]":
// propertyInfo.SetValue(t, value.ToBytes(), null);
// break;
default:
propertyInfo.SetValue(t, value, null);
break;
}
}
}
}
}
return t;
} public static T GenerateInfo<T>(this DataRow dataRow, Func<DataRow, T> func) where T : class,new()
{
if (dataRow == null) return new T();
return func(dataRow);
}
}
}

好了,就这么多了。

最近在设计数据访问层,真的只有当自己动手去做的时候,才知道自己知识的局限性,可能要到过年之前才能完整的设计好。

所以关于这方面的文章还要过段时间才能写出来。

以同步至:个人文章目录索引

05-02 22:49