C# 使用‘反射(Assembly)’查詢具有指定‘特性(Attributes) ’的類
-----------------------------------------------------
1.測試需要的特性
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
namespace Attribute.Atts
{
//這個特性可以標記在類上也可以標記在方法上
//是通過 AttributeTargets.Class,AttributeTargets.Method 約束的
[System.AttributeUsage(AttributeTargets.Class|AttributeTargets.Method)]
public class Att1 : System.Attribute
{
public Att1(string name)
{
m_name = name;
version = "1.0";
other = "";
}
/// <summary>
/// 名稱(定位引數)
/// </summary>
private string m_name;
/// <summary>
/// 獲取名稱(定位引數)
/// </summary>
public string GetName
{
get { return m_name; }
}
/// <summary>
/// 版本號(命名引數)
/// </summary>
public string version;
/// <summary>
/// 其它(命名引數)
/// </summary>
public string other { set; get; }
}
}
-----------------------------------------------------
2.測試需要的類
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
namespace Attribute.utility
{
//為了測試方便,定義了一個公共介面
public interface ITestBase
{
string UserName();
}
//同樣也是為了測試方便,定義了派生公共介面的基類
//供測試的型別繼承,這樣測試時候就直接使用多型特性呼叫類方法就OK了!
public class TestBase:ITestBase
{
public TestBase(string userName)
{
m_userName = userName;
}
private string m_userName="";
public string UserName()
{
return m_userName;
}
}
//注意了!這個就是我們想得到的那個類哦!
[Attribute.Atts.Att1("Test1",other="test1",version="1.1")]
public class Test1 : TestBase
{
public Test1()
: base("Test1")
{
}
}
//測試類 Test2
public class Test2 : TestBase
{
public Test2()
: base("Test2")
{
}
public void FunTest()
{
}
}
//測試類 Test3
public class Test3 : TestBase
{
public Test3()
: base("Test3")
{
}
}
}
-----------------------------------------------------
2.主要測試程式碼
下面做的就是篩選出具有 Att1 特性類的邏輯實現了!
(一定有更好的的方法篩選,不過我還沒找到資料,知道的朋友貼段程式碼上來學習一下!)
/// <summary>
/// 通過反射篩選具有指定特性的型別
/// </summary>
private void btnInstence_Click(object sender, EventArgs e)
{
//載入程式集資訊
System.Reflection.Assembly asm =
System.Reflection.Assembly.Load("Attribute.utility, Version=1.0.0.0, Culture=neutral, PublicKeyToken=null");
//Type[] allTypes = asm.GetTypes(); //這個得到的型別有點兒多
Type[] types = asm.GetExportedTypes(); //還是用這個比較好,得到的都是自定義的型別
// 驗證指定自定義屬性(使用的是 4.0 的新語法,匿名方法實現的,不知道的同學查查資料吧!)
Func<System.Attribute[], bool> IsAtt1 = o =>
{
foreach (System.Attribute a in o)
{
if (a is Attribute.Atts.Att1)
return true;
}
return false;
};
//查詢具有 Attribute.Atts.Att1 特性的型別(使用的是 linq 語法)
Type[] CosType = types.Where(o =>
{
return IsAtt1(System.Attribute.GetCustomAttributes(o, true));
}).ToArray();
//遍歷具有指定特性的型別
object obj;
foreach (Type t in CosType)
{
//例項化了一個當前型別的例項
obj = t.Assembly.CreateInstance(t.FullName);
if (obj != null)
{
//這裡封裝了一個方法叫 ShowMsg 接收的是一個 string 引數,就是將 string 列印到出來
ShowMsg(
//這裡就用到了多型特性了,呼叫了 UserName 方法(用介面是方便哈!)
((Attribute.utility.ITestBase)obj).UserName()
);
}
}
}