C#中反射和擴展方法如何運用。本站提示廣大學習愛好者:(C#中反射和擴展方法如何運用)文章只能為提供參考,不一定能成為您想要的結果。以下是C#中反射和擴展方法如何運用正文
作者:碼上猿夢
這篇文章主要為大家詳細介紹了C#中反射和擴展方法的運用,具有一定的參考價值,感興趣的小伙伴們可以參考一下前段時間做了一個練手的小項目,名叫Book_Bar,用來賣書的,采用的是三層架構,也就是Models,IDAL,DAL,BLL 和 Web , 在DAL層中各個類中有一個方法比較常用,那就是RowToClass ,顧名思義,也就是將DataTable 中的數據封裝到Models 中。結果導致在DAL各個類中寫了很多類似的方法,後來就直接把它抽取出來做成了DataTable和DataRow的擴展方法,下面是代碼:
using System;
using System.Collections.Generic;
using System.Data;
using System.Reflection;
namespace DAL
{
/// <summary>
/// 用於給 DataTable和 DataRow擴展方法
/// </summary>
public static class TableExtensionMethod
{
/// <summary>
/// 功能:
/// 給DataTable擴展了一個方法,能夠將DataTable中的行轉變為對應的class對象,並封裝到List集合中;
/// </summary>
/// <typeparam name="T">需要轉變成為的class類型</typeparam>
/// <param name="table">傳入的DataTable對象</param>
/// <returns>返回一個封裝了對應class的List集合</returns>
public static List<T> TableToClass<T>(this DataTable table)
{
Type type = typeof(T);
PropertyInfo[] propArr = type.GetProperties();//獲取所有屬性
List<T> list = new List<T>();
DataRowCollection rows = table.Rows;
int len = rows[0].ItemArray.Length;//獲取第一行的列數,即class的屬性個數
for (int i = 0; i < rows.Count; i++)
{
T t = (T)Activator.CreateInstance(type);
for (int j = 0; j < len; j++)//這裡之所以不使用propArr.Length,是因為有些Models的屬性在數據表中不存在對應的列
{
propArr[j].SetValue(t, rows[i][j]);
}
list.Add(t);
t = default(T);
}
return list;
}
/// <summary>
/// 功能:
/// DataRow的擴展方法;
/// 能夠將DataRow對象封裝到泛型對象中
/// </summary>
/// <typeparam name="T">需要轉換成為的class類型</typeparam>
/// <param name="row">被轉換的行</param>
/// <returns>封裝了行數據的class對象</returns>
public static T RowToClass<T>(this DataRow row)
{
//Type type = Assembly.Load(classFullName).GetType();
Type type = typeof(T);
T t = (T)Activator.CreateInstance(type);
PropertyInfo[] propArr = type.GetProperties();
int len = row.ItemArray.Length;
for (int i = 0; i < len; i++)
{
propArr[i].SetValue(t, row[i]);
}
return t;
}
/// <summary>
/// 功能:
/// DataRowCollection的擴展方法;
/// 能夠將DataRowCollection對象封裝到泛型List集合中
/// </summary>
/// <typeparam name="T"></typeparam>
/// <param name="rows"></param>
/// <returns></returns>
public static List<T> RowToClass<T>(this DataRow row, DataRow[] rowArr)
{
Type type = typeof(T);
PropertyInfo[] propArr = type.GetProperties();
int len = rowArr[0].ItemArray.Length;//獲取數據表第一行的列數,即屬性個數
List<T> list = new List<T>();
for (int i = 0; i < rowArr.Length; i++)
{
T t = (T)Activator.CreateInstance(type);
for (int j = 0; j < len; j++)
{
propArr[j].SetValue(t, rowArr[i][j]);
}
list.Add(t);
t = default(T);
}
return list;
}
}
}
上面用到了泛型,反射,擴展方法。
之前在使用這行代碼時出了點小問題:
propArr[i].SetValue(t, row[i]);
報了一個類型轉換異常,斷點調試之後發現是因為 Models 中的屬性的排列和數據表的列的順序不一樣導致的,參照數據表中字段的順序修改過來就好,還有一點就是在循環對屬性進行賦值時,我選用的是數據表中列的個數,而不是屬性的個數,(也就是代碼中這裡之所以不使用propArr.Length,是因為有些Models的屬性在數據表中不存在對應的列
)。
以上就是本文的全部內容,希望對大家的學習有所幫助,也希望大家多多支持。