在.Net上用字符串動態創建控件是通過反射來實現。
首先,利用System.Type.GetType方法,獲得字符串中指定的控件的類型實例。
這裡需要注意這個字符串的語法,根據msdn的解釋:
按名稱和簽名隱藏會考慮簽名的所有部分,包括自定義修飾符、返回類型、參數類型、標記和非托管調用約定。這是二進制比較。
對於反射,屬性和事件按名稱和簽名隱藏。如果基類中有同時帶 get 訪問器和 set 訪問器的屬性,但派生類中僅有 get 訪問器,則派生類屬性隱藏基類屬性,並且您將無法訪問基類的設置程序。
自定義特性不是通用類型系統的組成部分。
不對數組或 COM 類型執行搜索,除非已將它們加載到可用類表中。
typeName 可以是簡單的類型名、包含命名空間的類型名,或是包含程序集名稱規范的復雜名稱。
如果 typeName 只包含 Type 的名稱,則此方法先是在調用對象的程序集中進行搜索,然後在 mscorlib.dll 程序集中進行搜索。如果 typeName 用部分或完整的程序集名稱完全限定,則此方法在指定的程序集中進行搜索。
AssemblyQualifiedName 可以返回完全限定的類型名稱(包含嵌套類型和程序集名稱)。所有支持公共語言運行庫的編譯器將發出嵌套類的簡單名稱,並且當被查詢時,反射依照下列約定構造一個 mangled 名稱。
例如,類的完全限定名可能類似於如下形式:
TopNamespace.SubNameSpace.ContainingClass+NestedClass,MyAssembly
但是直接使用Type.GetType("System.Windows.Forms.TextBox")獲得Type是Null。這是因為,Windows.Forms程序集是公有的程序集,是位於程序集緩存中的,而這個程序集有不同的版本,為了確定使用的版本,我們不僅要提供程序集的名稱,還要提供程序集的版本和強名稱。照這個思路,在使用的.net Framework 1.1上,將這一句寫成Type.GetType("System.Windows.Forms.CheckBox, System.Windows.Forms, Version=1.0.5000.0, Culture=neutral, PublicKeyToken=b77a5c561934e089")。現在運行就沒有問題了。問題是我們如何取得所用Windows.Forms程序集的版本和強名稱?可以用GetType(CheckBox).AssemblyQualifiedName這樣的語法,一旦得到了這些信息,我們就可以將這些信息用於其它任何控件,因為他們都來自於同一個版本Windows.Forms程序集。
利用上面說到的方法,現在就可以使用System.Activator.CreateInstance方法來創建一個TextBox控件了:
public static void CreateControl(string controlType, Form form, int positionX, int positionY) { try { string assemblyQualifiedName = typeof(System.Windows.Forms.Form).AssemblyQualifiedName; string assemblyInformation = assemblyQualifiedName.Substring(assemblyQualifiedName.IndexOf(",")); Type ty = Type.GetType(controlType + assemblyInformation); Control newControl = (Control)System.Activator.CreateInstance(ty); form.SuspendLayout(); newControl.Location = new System.Drawing.Point(positionX, positionY); newControl.Name = ty.Name + form.Controls.Count.ToString(); form.Controls.Add(newControl); form.ResumeLayout(); } catch(Exception ex) { throw ex; } }
調用: CreateControl("System.Windows.Forms.TextBox", this, 10, 10);