TypeBuilder 类

定义

定义并创建运行时类的新实例。

public ref class TypeBuilder sealed : Type
public ref class TypeBuilder sealed : System::Reflection::TypeInfo
public ref class TypeBuilder abstract : System::Reflection::TypeInfo
public ref class TypeBuilder sealed : Type, System::Runtime::InteropServices::_TypeBuilder
public ref class TypeBuilder sealed : System::Reflection::TypeInfo, System::Runtime::InteropServices::_TypeBuilder
public sealed class TypeBuilder : Type
public sealed class TypeBuilder : System.Reflection.TypeInfo
public abstract class TypeBuilder : System.Reflection.TypeInfo
[System.Runtime.InteropServices.ClassInterface(System.Runtime.InteropServices.ClassInterfaceType.None)]
public sealed class TypeBuilder : Type, System.Runtime.InteropServices._TypeBuilder
[System.Runtime.InteropServices.ClassInterface(System.Runtime.InteropServices.ClassInterfaceType.None)]
[System.Runtime.InteropServices.ComVisible(true)]
public sealed class TypeBuilder : Type, System.Runtime.InteropServices._TypeBuilder
[System.Runtime.InteropServices.ClassInterface(System.Runtime.InteropServices.ClassInterfaceType.None)]
[System.Runtime.InteropServices.ComVisible(true)]
public sealed class TypeBuilder : System.Reflection.TypeInfo, System.Runtime.InteropServices._TypeBuilder
type TypeBuilder = class
    inherit Type
type TypeBuilder = class
    inherit TypeInfo
[<System.Runtime.InteropServices.ClassInterface(System.Runtime.InteropServices.ClassInterfaceType.None)>]
type TypeBuilder = class
    inherit Type
    interface _TypeBuilder
[<System.Runtime.InteropServices.ClassInterface(System.Runtime.InteropServices.ClassInterfaceType.None)>]
[<System.Runtime.InteropServices.ComVisible(true)>]
type TypeBuilder = class
    inherit Type
    interface _TypeBuilder
[<System.Runtime.InteropServices.ClassInterface(System.Runtime.InteropServices.ClassInterfaceType.None)>]
[<System.Runtime.InteropServices.ComVisible(true)>]
type TypeBuilder = class
    inherit TypeInfo
    interface _TypeBuilder
Public NotInheritable Class TypeBuilder
Inherits Type
Public NotInheritable Class TypeBuilder
Inherits TypeInfo
Public MustInherit Class TypeBuilder
Inherits TypeInfo
Public NotInheritable Class TypeBuilder
Inherits Type
Implements _TypeBuilder
Public NotInheritable Class TypeBuilder
Inherits TypeInfo
Implements _TypeBuilder
继承
TypeBuilder
继承
TypeBuilder
继承
属性
实现

示例

下面的代码示例演示如何定义和使用动态程序集。 示例程序集包含一个类型,MyDynamicType,该类型具有专用字段、获取和设置专用字段的属性、初始化专用字段的构造函数,以及将用户提供的数字乘以专用字段值并返回结果的方法。

using namespace System;
using namespace System::Reflection;
using namespace System::Reflection::Emit;

void main()
{
    // This code creates an assembly that contains one type,
    // named "MyDynamicType", that has a private field, a property
    // that gets and sets the private field, constructors that
    // initialize the private field, and a method that multiplies
    // a user-supplied number by the private field value and returns
    // the result. In Visual C++ the type might look like this:
    /*
      public ref class MyDynamicType
      {
      private:
          int m_number;

      public:
          MyDynamicType() : m_number(42) {};
          MyDynamicType(int initNumber) : m_number(initNumber) {};
      
          property int Number
          {
              int get() { return m_number; }
              void set(int value) { m_number = value; }
          }

          int MyMethod(int multiplier)
          {
              return m_number * multiplier;
          }
      };
    */
      
    AssemblyName^ aName = gcnew AssemblyName("DynamicAssemblyExample");
    AssemblyBuilder^ ab = 
        AssemblyBuilder::DefineDynamicAssembly(
            aName, 
            AssemblyBuilderAccess::Run);

    // The module name is usually the same as the assembly name
    ModuleBuilder^ mb = 
        ab->DefineDynamicModule(aName->Name);
      
    TypeBuilder^ tb = mb->DefineType(
        "MyDynamicType", 
         TypeAttributes::Public);

    // Add a private field of type int (Int32).
    FieldBuilder^ fbNumber = tb->DefineField(
        "m_number", 
        int::typeid, 
        FieldAttributes::Private);

    // Define a constructor that takes an integer argument and 
    // stores it in the private field. 
    array<Type^>^ parameterTypes = { int::typeid };
    ConstructorBuilder^ ctor1 = tb->DefineConstructor(
        MethodAttributes::Public, 
        CallingConventions::Standard, 
        parameterTypes);

    ILGenerator^ ctor1IL = ctor1->GetILGenerator();
    // For a constructor, argument zero is a reference to the new
    // instance. Push it on the stack before calling the base
    // class constructor. Specify the default constructor of the 
    // base class (System::Object) by passing an empty array of 
    // types (Type::EmptyTypes) to GetConstructor.
    ctor1IL->Emit(OpCodes::Ldarg_0);
    ctor1IL->Emit(OpCodes::Call, 
        Object::typeid->GetConstructor(Type::EmptyTypes));
    // Push the instance on the stack before pushing the argument
    // that is to be assigned to the private field m_number.
    ctor1IL->Emit(OpCodes::Ldarg_0);
    ctor1IL->Emit(OpCodes::Ldarg_1);
    ctor1IL->Emit(OpCodes::Stfld, fbNumber);
    ctor1IL->Emit(OpCodes::Ret);

    // Define a default constructor that supplies a default value
    // for the private field. For parameter types, pass the empty
    // array of types or pass nullptr.
    ConstructorBuilder^ ctor0 = tb->DefineConstructor(
        MethodAttributes::Public, 
        CallingConventions::Standard, 
        Type::EmptyTypes);

    ILGenerator^ ctor0IL = ctor0->GetILGenerator();
    ctor0IL->Emit(OpCodes::Ldarg_0);
    ctor0IL->Emit(OpCodes::Call, 
        Object::typeid->GetConstructor(Type::EmptyTypes));
    // For a constructor, argument zero is a reference to the new
    // instance. Push it on the stack before pushing the default
    // value on the stack.
    ctor0IL->Emit(OpCodes::Ldarg_0);
    ctor0IL->Emit(OpCodes::Ldc_I4_S, 42);
    ctor0IL->Emit(OpCodes::Stfld, fbNumber);
    ctor0IL->Emit(OpCodes::Ret);

    // Define a property named Number that gets and sets the private 
    // field.
    //
    // The last argument of DefineProperty is nullptr, because the
    // property has no parameters. (If you don't specify nullptr, you must
    // specify an array of Type objects. For a parameterless property,
    // use the built-in array with no elements: Type::EmptyTypes)
    PropertyBuilder^ pbNumber = tb->DefineProperty(
        "Number", 
        PropertyAttributes::HasDefault, 
        int::typeid, 
        nullptr);
      
    // The property "set" and property "get" methods require a special
    // set of attributes.
    MethodAttributes getSetAttr = MethodAttributes::Public | 
        MethodAttributes::SpecialName | MethodAttributes::HideBySig;

    // Define the "get" accessor method for Number. The method returns
    // an integer and has no arguments. (Note that nullptr could be 
    // used instead of Types::EmptyTypes)
    MethodBuilder^ mbNumberGetAccessor = tb->DefineMethod(
        "get_Number", 
        getSetAttr, 
        int::typeid, 
        Type::EmptyTypes);
      
    ILGenerator^ numberGetIL = mbNumberGetAccessor->GetILGenerator();
    // For an instance property, argument zero is the instance. Load the 
    // instance, then load the private field and return, leaving the
    // field value on the stack.
    numberGetIL->Emit(OpCodes::Ldarg_0);
    numberGetIL->Emit(OpCodes::Ldfld, fbNumber);
    numberGetIL->Emit(OpCodes::Ret);
    
    // Define the "set" accessor method for Number, which has no return
    // type and takes one argument of type int (Int32).
    MethodBuilder^ mbNumberSetAccessor = tb->DefineMethod(
        "set_Number", 
        getSetAttr, 
        nullptr, 
        gcnew array<Type^> { int::typeid });
      
    ILGenerator^ numberSetIL = mbNumberSetAccessor->GetILGenerator();
    // Load the instance and then the numeric argument, then store the
    // argument in the field.
    numberSetIL->Emit(OpCodes::Ldarg_0);
    numberSetIL->Emit(OpCodes::Ldarg_1);
    numberSetIL->Emit(OpCodes::Stfld, fbNumber);
    numberSetIL->Emit(OpCodes::Ret);
      
    // Last, map the "get" and "set" accessor methods to the 
    // PropertyBuilder. The property is now complete. 
    pbNumber->SetGetMethod(mbNumberGetAccessor);
    pbNumber->SetSetMethod(mbNumberSetAccessor);

    // Define a method that accepts an integer argument and returns
    // the product of that integer and the private field m_number. This
    // time, the array of parameter types is created on the fly.
    MethodBuilder^ meth = tb->DefineMethod(
        "MyMethod", 
        MethodAttributes::Public, 
        int::typeid, 
        gcnew array<Type^> { int::typeid });

    ILGenerator^ methIL = meth->GetILGenerator();
    // To retrieve the private instance field, load the instance it
    // belongs to (argument zero). After loading the field, load the 
    // argument one and then multiply. Return from the method with 
    // the return value (the product of the two numbers) on the 
    // execution stack.
    methIL->Emit(OpCodes::Ldarg_0);
    methIL->Emit(OpCodes::Ldfld, fbNumber);
    methIL->Emit(OpCodes::Ldarg_1);
    methIL->Emit(OpCodes::Mul);
    methIL->Emit(OpCodes::Ret);

    // Finish the type->
    Type^ t = tb->CreateType();

    // Because AssemblyBuilderAccess includes Run, the code can be
    // executed immediately. Start by getting reflection objects for
    // the method and the property.
    MethodInfo^ mi = t->GetMethod("MyMethod");
    PropertyInfo^ pi = t->GetProperty("Number");
  
    // Create an instance of MyDynamicType using the default 
    // constructor. 
    Object^ o1 = Activator::CreateInstance(t);

    // Display the value of the property, then change it to 127 and 
    // display it again. Use nullptr to indicate that the property
    // has no index.
    Console::WriteLine("o1->Number: {0}", pi->GetValue(o1, nullptr));
    pi->SetValue(o1, 127, nullptr);
    Console::WriteLine("o1->Number: {0}", pi->GetValue(o1, nullptr));

    // Call MyMethod, passing 22, and display the return value, 22
    // times 127. Arguments must be passed as an array, even when
    // there is only one.
    array<Object^>^ arguments = { 22 };
    Console::WriteLine("o1->MyMethod(22): {0}", 
        mi->Invoke(o1, arguments));

    // Create an instance of MyDynamicType using the constructor
    // that specifies m_Number. The constructor is identified by
    // matching the types in the argument array. In this case, 
    // the argument array is created on the fly. Display the 
    // property value.
    Object^ o2 = Activator::CreateInstance(t, 
        gcnew array<Object^> { 5280 });
    Console::WriteLine("o2->Number: {0}", pi->GetValue(o2, nullptr));
};

/* This code produces the following output:

o1->Number: 42
o1->Number: 127
o1->MyMethod(22): 2794
o2->Number: 5280
 */
using System;
using System.Reflection;
using System.Reflection.Emit;

class DemoAssemblyBuilder
{
    public static void Main()
    {
        // This code creates an assembly that contains one type,
        // named "MyDynamicType", that has a private field, a property
        // that gets and sets the private field, constructors that
        // initialize the private field, and a method that multiplies
        // a user-supplied number by the private field value and returns
        // the result. In C# the type might look like this:
        /*
        public class MyDynamicType
        {
            private int m_number;

            public MyDynamicType() : this(42) {}
            public MyDynamicType(int initNumber)
            {
                m_number = initNumber;
            }

            public int Number
            {
                get { return m_number; }
                set { m_number = value; }
            }

            public int MyMethod(int multiplier)
            {
                return m_number * multiplier;
            }
        }
        */

        var aName = new AssemblyName("DynamicAssemblyExample");
        AssemblyBuilder ab =
            AssemblyBuilder.DefineDynamicAssembly(
                aName,
                AssemblyBuilderAccess.Run);

        // The module name is usually the same as the assembly name.
        ModuleBuilder mb = ab.DefineDynamicModule(aName.Name ?? "DynamicAssemblyExample");

        TypeBuilder tb = mb.DefineType(
            "MyDynamicType",
             TypeAttributes.Public);

        // Add a private field of type int (Int32).
        FieldBuilder fbNumber = tb.DefineField(
            "m_number",
            typeof(int),
            FieldAttributes.Private);

        // Define a constructor that takes an integer argument and
        // stores it in the private field.
        Type[] parameterTypes = { typeof(int) };
        ConstructorBuilder ctor1 = tb.DefineConstructor(
            MethodAttributes.Public,
            CallingConventions.Standard,
            parameterTypes);

        ILGenerator ctor1IL = ctor1.GetILGenerator();
        // For a constructor, argument zero is a reference to the new
        // instance. Push it on the stack before calling the base
        // class constructor. Specify the default constructor of the
        // base class (System.Object) by passing an empty array of
        // types (Type.EmptyTypes) to GetConstructor.
        ctor1IL.Emit(OpCodes.Ldarg_0);
        ConstructorInfo? ci = typeof(object).GetConstructor(Type.EmptyTypes);
        ctor1IL.Emit(OpCodes.Call, ci!);
        // Push the instance on the stack before pushing the argument
        // that is to be assigned to the private field m_number.
        ctor1IL.Emit(OpCodes.Ldarg_0);
        ctor1IL.Emit(OpCodes.Ldarg_1);
        ctor1IL.Emit(OpCodes.Stfld, fbNumber);
        ctor1IL.Emit(OpCodes.Ret);

        // Define a default constructor that supplies a default value
        // for the private field. For parameter types, pass the empty
        // array of types or pass null.
        ConstructorBuilder ctor0 = tb.DefineConstructor(
            MethodAttributes.Public,
            CallingConventions.Standard,
            Type.EmptyTypes);

        ILGenerator ctor0IL = ctor0.GetILGenerator();
        // For a constructor, argument zero is a reference to the new
        // instance. Push it on the stack before pushing the default
        // value on the stack, then call constructor ctor1.
        ctor0IL.Emit(OpCodes.Ldarg_0);
        ctor0IL.Emit(OpCodes.Ldc_I4_S, 42);
        ctor0IL.Emit(OpCodes.Call, ctor1);
        ctor0IL.Emit(OpCodes.Ret);

        // Define a property named Number that gets and sets the private
        // field.
        //
        // The last argument of DefineProperty is null, because the
        // property has no parameters. (If you don't specify null, you must
        // specify an array of Type objects. For a parameterless property,
        // use the built-in array with no elements: Type.EmptyTypes)
        PropertyBuilder pbNumber = tb.DefineProperty(
            "Number",
            PropertyAttributes.HasDefault,
            typeof(int),
            null);

        // The property "set" and property "get" methods require a special
        // set of attributes.
        MethodAttributes getSetAttr = MethodAttributes.Public |
            MethodAttributes.SpecialName | MethodAttributes.HideBySig;

        // Define the "get" accessor method for Number. The method returns
        // an integer and has no arguments. (Note that null could be
        // used instead of Types.EmptyTypes)
        MethodBuilder mbNumberGetAccessor = tb.DefineMethod(
            "get_Number",
            getSetAttr,
            typeof(int),
            Type.EmptyTypes);

        ILGenerator numberGetIL = mbNumberGetAccessor.GetILGenerator();
        // For an instance property, argument zero is the instance. Load the
        // instance, then load the private field and return, leaving the
        // field value on the stack.
        numberGetIL.Emit(OpCodes.Ldarg_0);
        numberGetIL.Emit(OpCodes.Ldfld, fbNumber);
        numberGetIL.Emit(OpCodes.Ret);

        // Define the "set" accessor method for Number, which has no return
        // type and takes one argument of type int (Int32).
        MethodBuilder mbNumberSetAccessor = tb.DefineMethod(
            "set_Number",
            getSetAttr,
            null,
            new Type[] { typeof(int) });

        ILGenerator numberSetIL = mbNumberSetAccessor.GetILGenerator();
        // Load the instance and then the numeric argument, then store the
        // argument in the field.
        numberSetIL.Emit(OpCodes.Ldarg_0);
        numberSetIL.Emit(OpCodes.Ldarg_1);
        numberSetIL.Emit(OpCodes.Stfld, fbNumber);
        numberSetIL.Emit(OpCodes.Ret);

        // Last, map the "get" and "set" accessor methods to the
        // PropertyBuilder. The property is now complete.
        pbNumber.SetGetMethod(mbNumberGetAccessor);
        pbNumber.SetSetMethod(mbNumberSetAccessor);

        // Define a method that accepts an integer argument and returns
        // the product of that integer and the private field m_number. This
        // time, the array of parameter types is created on the fly.
        MethodBuilder meth = tb.DefineMethod(
            "MyMethod",
            MethodAttributes.Public,
            typeof(int),
            new Type[] { typeof(int) });

        ILGenerator methIL = meth.GetILGenerator();
        // To retrieve the private instance field, load the instance it
        // belongs to (argument zero). After loading the field, load the
        // argument one and then multiply. Return from the method with
        // the return value (the product of the two numbers) on the
        // execution stack.
        methIL.Emit(OpCodes.Ldarg_0);
        methIL.Emit(OpCodes.Ldfld, fbNumber);
        methIL.Emit(OpCodes.Ldarg_1);
        methIL.Emit(OpCodes.Mul);
        methIL.Emit(OpCodes.Ret);

        // Finish the type.
        Type? t = tb.CreateType();

        // Because AssemblyBuilderAccess includes Run, the code can be
        // executed immediately. Start by getting reflection objects for
        // the method and the property.
        MethodInfo? mi = t?.GetMethod("MyMethod");
        PropertyInfo? pi = t?.GetProperty("Number");

        // Create an instance of MyDynamicType using the default
        // constructor.
        object? o1 = null;
        if (t is not null)
            o1 = Activator.CreateInstance(t);

        // Display the value of the property, then change it to 127 and
        // display it again. Use null to indicate that the property
        // has no index.
        Console.WriteLine("o1.Number: {0}", pi?.GetValue(o1, null));
        pi?.SetValue(o1, 127, null);
        Console.WriteLine("o1.Number: {0}", pi?.GetValue(o1, null));

        // Call MyMethod, passing 22, and display the return value, 22
        // times 127. Arguments must be passed as an array, even when
        // there is only one.
        object[] arguments = { 22 };
        Console.WriteLine("o1.MyMethod(22): {0}",
            mi?.Invoke(o1, arguments));

        // Create an instance of MyDynamicType using the constructor
        // that specifies m_Number. The constructor is identified by
        // matching the types in the argument array. In this case,
        // the argument array is created on the fly. Display the
        // property value.
        object? o2 = null;
        if (t is not null)
            o2 = Activator.CreateInstance(t, new object[] { 5280 });
        Console.WriteLine("o2.Number: {0}", pi?.GetValue(o2, null));
    }
}

/* This code produces the following output:

o1.Number: 42
o1.Number: 127
o1.MyMethod(22): 2794
o2.Number: 5280
 */
Imports System.Reflection
Imports System.Reflection.Emit

Class DemoAssemblyBuilder

    Public Shared Sub Main()

        ' This code creates an assembly that contains one type,
        ' named "MyDynamicType", that has a private field, a property
        ' that gets and sets the private field, constructors that
        ' initialize the private field, and a method that multiplies
        ' a user-supplied number by the private field value and returns
        ' the result. The code might look like this in Visual Basic:
        '
        'Public Class MyDynamicType
        '    Private m_number As Integer
        '
        '    Public Sub New()
        '        Me.New(42)
        '    End Sub
        '
        '    Public Sub New(ByVal initNumber As Integer)
        '        m_number = initNumber
        '    End Sub
        '
        '    Public Property Number As Integer
        '        Get
        '            Return m_number
        '        End Get
        '        Set
        '            m_Number = Value
        '        End Set
        '    End Property
        '
        '    Public Function MyMethod(ByVal multiplier As Integer) As Integer
        '        Return m_Number * multiplier
        '    End Function
        'End Class
      
        Dim aName As New AssemblyName("DynamicAssemblyExample")
        Dim ab As AssemblyBuilder = _
            AssemblyBuilder.DefineDynamicAssembly( _
                aName, _
                AssemblyBuilderAccess.Run)

        ' The module name is usually the same as the assembly name.
        Dim mb As ModuleBuilder = ab.DefineDynamicModule( _
            aName.Name)
      
        Dim tb As TypeBuilder = _
            mb.DefineType("MyDynamicType", TypeAttributes.Public)

        ' Add a private field of type Integer (Int32).
        Dim fbNumber As FieldBuilder = tb.DefineField( _
            "m_number", _
            GetType(Integer), _
            FieldAttributes.Private)

        ' Define a constructor that takes an integer argument and 
        ' stores it in the private field. 
        Dim parameterTypes() As Type = { GetType(Integer) }
        Dim ctor1 As ConstructorBuilder = _
            tb.DefineConstructor( _
                MethodAttributes.Public, _
                CallingConventions.Standard, _
                parameterTypes)

        Dim ctor1IL As ILGenerator = ctor1.GetILGenerator()
        ' For a constructor, argument zero is a reference to the new
        ' instance. Push it on the stack before calling the base
        ' class constructor. Specify the default constructor of the 
        ' base class (System.Object) by passing an empty array of 
        ' types (Type.EmptyTypes) to GetConstructor.
        ctor1IL.Emit(OpCodes.Ldarg_0)
        ctor1IL.Emit(OpCodes.Call, _
            GetType(Object).GetConstructor(Type.EmptyTypes))
        ' Push the instance on the stack before pushing the argument
        ' that is to be assigned to the private field m_number.
        ctor1IL.Emit(OpCodes.Ldarg_0)
        ctor1IL.Emit(OpCodes.Ldarg_1)
        ctor1IL.Emit(OpCodes.Stfld, fbNumber)
        ctor1IL.Emit(OpCodes.Ret)

        ' Define a default constructor that supplies a default value
        ' for the private field. For parameter types, pass the empty
        ' array of types or pass Nothing.
        Dim ctor0 As ConstructorBuilder = tb.DefineConstructor( _
            MethodAttributes.Public, _
            CallingConventions.Standard, _
            Type.EmptyTypes)

        Dim ctor0IL As ILGenerator = ctor0.GetILGenerator()
        ' For a constructor, argument zero is a reference to the new
        ' instance. Push it on the stack before pushing the default
        ' value on the stack, then call constructor ctor1.
        ctor0IL.Emit(OpCodes.Ldarg_0)
        ctor0IL.Emit(OpCodes.Ldc_I4_S, 42)
        ctor0IL.Emit(OpCodes.Call, ctor1)
        ctor0IL.Emit(OpCodes.Ret)

        ' Define a property named Number that gets and sets the private 
        ' field.
        '
        ' The last argument of DefineProperty is Nothing, because the
        ' property has no parameters. (If you don't specify Nothing, you must
        ' specify an array of Type objects. For a parameterless property,
        ' use the built-in array with no elements: Type.EmptyTypes)
        Dim pbNumber As PropertyBuilder = tb.DefineProperty( _
            "Number", _
            PropertyAttributes.HasDefault, _
            GetType(Integer), _
            Nothing)
      
        ' The property Set and property Get methods require a special
        ' set of attributes.
        Dim getSetAttr As MethodAttributes = _
            MethodAttributes.Public Or MethodAttributes.SpecialName _
                Or MethodAttributes.HideBySig

        ' Define the "get" accessor method for Number. The method returns
        ' an integer and has no arguments. (Note that Nothing could be 
        ' used instead of Types.EmptyTypes)
        Dim mbNumberGetAccessor As MethodBuilder = tb.DefineMethod( _
            "get_Number", _
            getSetAttr, _
            GetType(Integer), _
            Type.EmptyTypes)
      
        Dim numberGetIL As ILGenerator = mbNumberGetAccessor.GetILGenerator()
        ' For an instance property, argument zero is the instance. Load the 
        ' instance, then load the private field and return, leaving the
        ' field value on the stack.
        numberGetIL.Emit(OpCodes.Ldarg_0)
        numberGetIL.Emit(OpCodes.Ldfld, fbNumber)
        numberGetIL.Emit(OpCodes.Ret)
        
        ' Define the "set" accessor method for Number, which has no return
        ' type and takes one argument of type Integer (Int32).
        Dim mbNumberSetAccessor As MethodBuilder = _
            tb.DefineMethod( _
                "set_Number", _
                getSetAttr, _
                Nothing, _
                New Type() { GetType(Integer) })
      
        Dim numberSetIL As ILGenerator = mbNumberSetAccessor.GetILGenerator()
        ' Load the instance and then the numeric argument, then store the
        ' argument in the field.
        numberSetIL.Emit(OpCodes.Ldarg_0)
        numberSetIL.Emit(OpCodes.Ldarg_1)
        numberSetIL.Emit(OpCodes.Stfld, fbNumber)
        numberSetIL.Emit(OpCodes.Ret)
      
        ' Last, map the "get" and "set" accessor methods to the 
        ' PropertyBuilder. The property is now complete. 
        pbNumber.SetGetMethod(mbNumberGetAccessor)
        pbNumber.SetSetMethod(mbNumberSetAccessor)

        ' Define a method that accepts an integer argument and returns
        ' the product of that integer and the private field m_number. This
        ' time, the array of parameter types is created on the fly.
        Dim meth As MethodBuilder = tb.DefineMethod( _
            "MyMethod", _
            MethodAttributes.Public, _
            GetType(Integer), _
            New Type() { GetType(Integer) })

        Dim methIL As ILGenerator = meth.GetILGenerator()
        ' To retrieve the private instance field, load the instance it
        ' belongs to (argument zero). After loading the field, load the 
        ' argument one and then multiply. Return from the method with 
        ' the return value (the product of the two numbers) on the 
        ' execution stack.
        methIL.Emit(OpCodes.Ldarg_0)
        methIL.Emit(OpCodes.Ldfld, fbNumber)
        methIL.Emit(OpCodes.Ldarg_1)
        methIL.Emit(OpCodes.Mul)
        methIL.Emit(OpCodes.Ret)

        ' Finish the type.
        Dim t As Type = tb.CreateType()

        ' Because AssemblyBuilderAccess includes Run, the code can be
        ' executed immediately. Start by getting reflection objects for
        ' the method and the property.
        Dim mi As MethodInfo = t.GetMethod("MyMethod")
        Dim pi As PropertyInfo = t.GetProperty("Number")
  
        ' Create an instance of MyDynamicType using the default 
        ' constructor. 
        Dim o1 As Object = Activator.CreateInstance(t)

        ' Display the value of the property, then change it to 127 and 
        ' display it again. Use Nothing to indicate that the property
        ' has no index.
        Console.WriteLine("o1.Number: {0}", pi.GetValue(o1, Nothing))
        pi.SetValue(o1, 127, Nothing)
        Console.WriteLine("o1.Number: {0}", pi.GetValue(o1, Nothing))

        ' Call MyMethod, passing 22, and display the return value, 22
        ' times 127. Arguments must be passed as an array, even when
        ' there is only one.
        Dim arguments() As Object = { 22 }
        Console.WriteLine("o1.MyMethod(22): {0}", _
            mi.Invoke(o1, arguments))

        ' Create an instance of MyDynamicType using the constructor
        ' that specifies m_Number. The constructor is identified by
        ' matching the types in the argument array. In this case, 
        ' the argument array is created on the fly. Display the 
        ' property value.
        Dim o2 As Object = Activator.CreateInstance(t, _
            New Object() { 5280 })
        Console.WriteLine("o2.Number: {0}", pi.GetValue(o2, Nothing))
      
    End Sub  
End Class

' This code produces the following output:
'
'o1.Number: 42
'o1.Number: 127
'o1.MyMethod(22): 2794
'o2.Number: 5280

下面的代码示例演示如何使用 TypeBuilder动态生成类型。

using namespace System;
using namespace System::Threading;
using namespace System::Reflection;
using namespace System::Reflection::Emit;
Type^ DynamicDotProductGen()
{
   Type^ ivType = nullptr;
   array<Type^>^temp0 = {int::typeid,int::typeid,int::typeid};
   array<Type^>^ctorParams = temp0;
   AppDomain^ myDomain = Thread::GetDomain();
   AssemblyName^ myAsmName = gcnew AssemblyName;
   myAsmName->Name = "IntVectorAsm";
   AssemblyBuilder^ myAsmBuilder = myDomain->DefineDynamicAssembly( myAsmName, AssemblyBuilderAccess::RunAndSave );
   ModuleBuilder^ IntVectorModule = myAsmBuilder->DefineDynamicModule( "IntVectorModule", "Vector.dll" );
   TypeBuilder^ ivTypeBld = IntVectorModule->DefineType( "IntVector", TypeAttributes::Public );
   FieldBuilder^ xField = ivTypeBld->DefineField( "x", int::typeid, FieldAttributes::Private );
   FieldBuilder^ yField = ivTypeBld->DefineField( "y", int::typeid, FieldAttributes::Private );
   FieldBuilder^ zField = ivTypeBld->DefineField( "z", int::typeid, FieldAttributes::Private );
   Type^ objType = Type::GetType( "System.Object" );
   ConstructorInfo^ objCtor = objType->GetConstructor( gcnew array<Type^>(0) );
   ConstructorBuilder^ ivCtor = ivTypeBld->DefineConstructor( MethodAttributes::Public, CallingConventions::Standard, ctorParams );
   ILGenerator^ ctorIL = ivCtor->GetILGenerator();
   ctorIL->Emit( OpCodes::Ldarg_0 );
   ctorIL->Emit( OpCodes::Call, objCtor );
   ctorIL->Emit( OpCodes::Ldarg_0 );
   ctorIL->Emit( OpCodes::Ldarg_1 );
   ctorIL->Emit( OpCodes::Stfld, xField );
   ctorIL->Emit( OpCodes::Ldarg_0 );
   ctorIL->Emit( OpCodes::Ldarg_2 );
   ctorIL->Emit( OpCodes::Stfld, yField );
   ctorIL->Emit( OpCodes::Ldarg_0 );
   ctorIL->Emit( OpCodes::Ldarg_3 );
   ctorIL->Emit( OpCodes::Stfld, zField );
   ctorIL->Emit( OpCodes::Ret );
   
   // This method will find the dot product of the stored vector
   // with another.
   array<Type^>^temp1 = {ivTypeBld};
   array<Type^>^dpParams = temp1;
   
   // Here, you create a MethodBuilder containing the
   // name, the attributes (public, static, private, and so on),
   // the return type (int, in this case), and a array of Type
   // indicating the type of each parameter. Since the sole parameter
   // is a IntVector, the very class you're creating, you will
   // pass in the TypeBuilder (which is derived from Type) instead of
   // a Type object for IntVector, avoiding an exception.
   // -- This method would be declared in C# as:
   //    public int DotProduct(IntVector aVector)
   MethodBuilder^ dotProductMthd = ivTypeBld->DefineMethod( "DotProduct", MethodAttributes::Public, int::typeid, dpParams );
   
   // A ILGenerator can now be spawned, attached to the MethodBuilder.
   ILGenerator^ mthdIL = dotProductMthd->GetILGenerator();
   
   // Here's the body of our function, in MSIL form. We're going to find the
   // "dot product" of the current vector instance with the passed vector
   // instance. For reference purposes, the equation is:
   // (x1 * x2) + (y1 * y2) + (z1 * z2) = the dot product
   // First, you'll load the reference to the current instance "this"
   // stored in argument 0 (ldarg.0) onto the stack. Ldfld, the subsequent
   // instruction, will pop the reference off the stack and look up the
   // field "x", specified by the FieldInfo token "xField".
   mthdIL->Emit( OpCodes::Ldarg_0 );
   mthdIL->Emit( OpCodes::Ldfld, xField );
   
   // That completed, the value stored at field "x" is now atop the stack.
   // Now, you'll do the same for the Object reference we passed as a
   // parameter, stored in argument 1 (ldarg.1). After Ldfld executed,
   // you'll have the value stored in field "x" for the passed instance
   // atop the stack.
   mthdIL->Emit( OpCodes::Ldarg_1 );
   mthdIL->Emit( OpCodes::Ldfld, xField );
   
   // There will now be two values atop the stack - the "x" value for the
   // current vector instance, and the "x" value for the passed instance.
   // You'll now multiply them, and push the result onto the evaluation stack.
   mthdIL->Emit( OpCodes::Mul_Ovf_Un );
   
   // Now, repeat this for the "y" fields of both vectors.
   mthdIL->Emit( OpCodes::Ldarg_0 );
   mthdIL->Emit( OpCodes::Ldfld, yField );
   mthdIL->Emit( OpCodes::Ldarg_1 );
   mthdIL->Emit( OpCodes::Ldfld, yField );
   mthdIL->Emit( OpCodes::Mul_Ovf_Un );
   
   // At this time, the results of both multiplications should be atop
   // the stack. You'll now add them and push the result onto the stack.
   mthdIL->Emit( OpCodes::Add_Ovf_Un );
   
   // Multiply both "z" field and push the result onto the stack.
   mthdIL->Emit( OpCodes::Ldarg_0 );
   mthdIL->Emit( OpCodes::Ldfld, zField );
   mthdIL->Emit( OpCodes::Ldarg_1 );
   mthdIL->Emit( OpCodes::Ldfld, zField );
   mthdIL->Emit( OpCodes::Mul_Ovf_Un );
   
   // Finally, add the result of multiplying the "z" fields with the
   // result of the earlier addition, and push the result - the dot product -
   // onto the stack.
   mthdIL->Emit( OpCodes::Add_Ovf_Un );
   
   // The "ret" opcode will pop the last value from the stack and return it
   // to the calling method. You're all done!
   mthdIL->Emit( OpCodes::Ret );
   ivType = ivTypeBld->CreateType();
   return ivType;
}

int main()
{
   Type^ IVType = nullptr;
   Object^ aVector1 = nullptr;
   Object^ aVector2 = nullptr;
   array<Type^>^temp2 = {int::typeid,int::typeid,int::typeid};
   array<Type^>^aVtypes = temp2;
   array<Object^>^temp3 = {10,10,10};
   array<Object^>^aVargs1 = temp3;
   array<Object^>^temp4 = {20,20,20};
   array<Object^>^aVargs2 = temp4;
   
   // Call the  method to build our dynamic class.
   IVType = DynamicDotProductGen();
   Console::WriteLine( "---" );
   ConstructorInfo^ myDTctor = IVType->GetConstructor( aVtypes );
   aVector1 = myDTctor->Invoke( aVargs1 );
   aVector2 = myDTctor->Invoke( aVargs2 );
   array<Object^>^passMe = gcnew array<Object^>(1);
   passMe[ 0 ] = dynamic_cast<Object^>(aVector2);
   Console::WriteLine( "(10, 10, 10) . (20, 20, 20) = {0}", IVType->InvokeMember( "DotProduct", BindingFlags::InvokeMethod, nullptr, aVector1, passMe ) );
}

// +++ OUTPUT +++
// ---
// (10, 10, 10) . (20, 20, 20) = 600
using System;
using System.Threading;
using System.Reflection;
using System.Reflection.Emit;

class TestILGenerator
{
    public static Type DynamicDotProductGen()
    {
       Type ivType = null;
       Type[] ctorParams = new Type[] { typeof(int),
                                typeof(int),
                        typeof(int)};
    
       AppDomain myDomain = Thread.GetDomain();
       AssemblyName myAsmName = new AssemblyName();
       myAsmName.Name = "IntVectorAsm";
    
       AssemblyBuilder myAsmBuilder = myDomain.DefineDynamicAssembly(
                      myAsmName,
                      AssemblyBuilderAccess.RunAndSave);

       ModuleBuilder IntVectorModule = myAsmBuilder.DefineDynamicModule("IntVectorModule",
                                        "Vector.dll");

       TypeBuilder ivTypeBld = IntVectorModule.DefineType("IntVector",
                                      TypeAttributes.Public);

       FieldBuilder xField = ivTypeBld.DefineField("x", typeof(int),
                                                       FieldAttributes.Private);
       FieldBuilder yField = ivTypeBld.DefineField("y", typeof(int),
                                                       FieldAttributes.Private);
       FieldBuilder zField = ivTypeBld.DefineField("z", typeof(int),
                                                       FieldAttributes.Private);

           Type objType = Type.GetType("System.Object");
           ConstructorInfo objCtor = objType.GetConstructor(new Type[0]);

       ConstructorBuilder ivCtor = ivTypeBld.DefineConstructor(
                      MethodAttributes.Public,
                      CallingConventions.Standard,
                      ctorParams);
       ILGenerator ctorIL = ivCtor.GetILGenerator();
           ctorIL.Emit(OpCodes.Ldarg_0);
           ctorIL.Emit(OpCodes.Call, objCtor);
           ctorIL.Emit(OpCodes.Ldarg_0);
           ctorIL.Emit(OpCodes.Ldarg_1);
           ctorIL.Emit(OpCodes.Stfld, xField);
           ctorIL.Emit(OpCodes.Ldarg_0);
           ctorIL.Emit(OpCodes.Ldarg_2);
           ctorIL.Emit(OpCodes.Stfld, yField);
           ctorIL.Emit(OpCodes.Ldarg_0);
           ctorIL.Emit(OpCodes.Ldarg_3);
           ctorIL.Emit(OpCodes.Stfld, zField);
       ctorIL.Emit(OpCodes.Ret);

       // This method will find the dot product of the stored vector
       // with another.

       Type[] dpParams = new Type[] { ivTypeBld };

           // Here, you create a MethodBuilder containing the
       // name, the attributes (public, static, private, and so on),
       // the return type (int, in this case), and a array of Type
       // indicating the type of each parameter. Since the sole parameter
       // is a IntVector, the very class you're creating, you will
       // pass in the TypeBuilder (which is derived from Type) instead of
       // a Type object for IntVector, avoiding an exception.

       // -- This method would be declared in C# as:
       //    public int DotProduct(IntVector aVector)

           MethodBuilder dotProductMthd = ivTypeBld.DefineMethod(
                                  "DotProduct",
                          MethodAttributes.Public,
                                          typeof(int),
                                          dpParams);

       // A ILGenerator can now be spawned, attached to the MethodBuilder.

       ILGenerator mthdIL = dotProductMthd.GetILGenerator();
    
       // Here's the body of our function, in MSIL form. We're going to find the
       // "dot product" of the current vector instance with the passed vector
       // instance. For reference purposes, the equation is:
       // (x1 * x2) + (y1 * y2) + (z1 * z2) = the dot product

       // First, you'll load the reference to the current instance "this"
       // stored in argument 0 (ldarg.0) onto the stack. Ldfld, the subsequent
       // instruction, will pop the reference off the stack and look up the
       // field "x", specified by the FieldInfo token "xField".

       mthdIL.Emit(OpCodes.Ldarg_0);
       mthdIL.Emit(OpCodes.Ldfld, xField);

       // That completed, the value stored at field "x" is now atop the stack.
       // Now, you'll do the same for the object reference we passed as a
       // parameter, stored in argument 1 (ldarg.1). After Ldfld executed,
       // you'll have the value stored in field "x" for the passed instance
       // atop the stack.

       mthdIL.Emit(OpCodes.Ldarg_1);
       mthdIL.Emit(OpCodes.Ldfld, xField);

           // There will now be two values atop the stack - the "x" value for the
       // current vector instance, and the "x" value for the passed instance.
       // You'll now multiply them, and push the result onto the evaluation stack.

       mthdIL.Emit(OpCodes.Mul_Ovf_Un);

       // Now, repeat this for the "y" fields of both vectors.

       mthdIL.Emit(OpCodes.Ldarg_0);
       mthdIL.Emit(OpCodes.Ldfld, yField);
       mthdIL.Emit(OpCodes.Ldarg_1);
       mthdIL.Emit(OpCodes.Ldfld, yField);
       mthdIL.Emit(OpCodes.Mul_Ovf_Un);

       // At this time, the results of both multiplications should be atop
       // the stack. You'll now add them and push the result onto the stack.

       mthdIL.Emit(OpCodes.Add_Ovf_Un);

       // Multiply both "z" field and push the result onto the stack.
       mthdIL.Emit(OpCodes.Ldarg_0);
       mthdIL.Emit(OpCodes.Ldfld, zField);
       mthdIL.Emit(OpCodes.Ldarg_1);
       mthdIL.Emit(OpCodes.Ldfld, zField);
       mthdIL.Emit(OpCodes.Mul_Ovf_Un);

       // Finally, add the result of multiplying the "z" fields with the
       // result of the earlier addition, and push the result - the dot product -
       // onto the stack.
       mthdIL.Emit(OpCodes.Add_Ovf_Un);

       // The "ret" opcode will pop the last value from the stack and return it
       // to the calling method. You're all done!

       mthdIL.Emit(OpCodes.Ret);

       ivType = ivTypeBld.CreateType();

       return ivType;
    }

    public static void Main() {
    
       Type IVType = null;
           object aVector1 = null;
           object aVector2 = null;
       Type[] aVtypes = new Type[] {typeof(int), typeof(int), typeof(int)};
           object[] aVargs1 = new object[] {10, 10, 10};
           object[] aVargs2 = new object[] {20, 20, 20};
    
       // Call the  method to build our dynamic class.

       IVType = DynamicDotProductGen();

           Console.WriteLine("---");

       ConstructorInfo myDTctor = IVType.GetConstructor(aVtypes);
       aVector1 = myDTctor.Invoke(aVargs1);
       aVector2 = myDTctor.Invoke(aVargs2);

       object[] passMe = new object[1];
           passMe[0] = (object)aVector2;

       Console.WriteLine("(10, 10, 10) . (20, 20, 20) = {0}",
                 IVType.InvokeMember("DotProduct",
                          BindingFlags.InvokeMethod,
                          null,
                          aVector1,
                          passMe));

       // +++ OUTPUT +++
       // ---
       // (10, 10, 10) . (20, 20, 20) = 600
    }
}
Imports System.Threading
Imports System.Reflection
Imports System.Reflection.Emit

 _


Class TestILGenerator
   
   
   Public Shared Function DynamicDotProductGen() As Type
      
      Dim ivType As Type = Nothing
      Dim ctorParams() As Type = {GetType(Integer), GetType(Integer), GetType(Integer)}
      
      Dim myDomain As AppDomain = Thread.GetDomain()
      Dim myAsmName As New AssemblyName()
      myAsmName.Name = "IntVectorAsm"
      
      Dim myAsmBuilder As AssemblyBuilder = myDomain.DefineDynamicAssembly( _
                        myAsmName, _
                        AssemblyBuilderAccess.RunAndSave)
      
      Dim IntVectorModule As ModuleBuilder = myAsmBuilder.DefineDynamicModule( _
                         "IntVectorModule", _
                         "Vector.dll")
      
      Dim ivTypeBld As TypeBuilder = IntVectorModule.DefineType("IntVector", TypeAttributes.Public)
      
      Dim xField As FieldBuilder = ivTypeBld.DefineField("x", _
                                 GetType(Integer), _
                                 FieldAttributes.Private)
      Dim yField As FieldBuilder = ivTypeBld.DefineField("y", _ 
                                 GetType(Integer), _
                                 FieldAttributes.Private)
      Dim zField As FieldBuilder = ivTypeBld.DefineField("z", _
                                 GetType(Integer), _
                                 FieldAttributes.Private)
      
      
      Dim objType As Type = Type.GetType("System.Object")
      Dim objCtor As ConstructorInfo = objType.GetConstructor(New Type() {})
      
      Dim ivCtor As ConstructorBuilder = ivTypeBld.DefineConstructor( _
                     MethodAttributes.Public, _
                     CallingConventions.Standard, _
                     ctorParams)
      Dim ctorIL As ILGenerator = ivCtor.GetILGenerator()
      ctorIL.Emit(OpCodes.Ldarg_0)
      ctorIL.Emit(OpCodes.Call, objCtor)
      ctorIL.Emit(OpCodes.Ldarg_0)
      ctorIL.Emit(OpCodes.Ldarg_1)
      ctorIL.Emit(OpCodes.Stfld, xField)
      ctorIL.Emit(OpCodes.Ldarg_0)
      ctorIL.Emit(OpCodes.Ldarg_2)
      ctorIL.Emit(OpCodes.Stfld, yField)
      ctorIL.Emit(OpCodes.Ldarg_0)
      ctorIL.Emit(OpCodes.Ldarg_3)
      ctorIL.Emit(OpCodes.Stfld, zField)
      ctorIL.Emit(OpCodes.Ret)
     

      ' Now, you'll construct the method find the dot product of two vectors. First,
      ' let's define the parameters that will be accepted by the method. In this case,
      ' it's an IntVector itself!

      Dim dpParams() As Type = {ivTypeBld}
      
      ' Here, you create a MethodBuilder containing the
      ' name, the attributes (public, static, private, and so on),
      ' the return type (int, in this case), and a array of Type
      ' indicating the type of each parameter. Since the sole parameter
      ' is a IntVector, the very class you're creating, you will
      ' pass in the TypeBuilder (which is derived from Type) instead of 
      ' a Type object for IntVector, avoiding an exception. 
      ' -- This method would be declared in VB.NET as:
      '    Public Function DotProduct(IntVector aVector) As Integer

      Dim dotProductMthd As MethodBuilder = ivTypeBld.DefineMethod("DotProduct", _
                        MethodAttributes.Public, GetType(Integer), _
                                            dpParams)
      
      ' A ILGenerator can now be spawned, attached to the MethodBuilder.
      Dim mthdIL As ILGenerator = dotProductMthd.GetILGenerator()
      
      ' Here's the body of our function, in MSIL form. We're going to find the
      ' "dot product" of the current vector instance with the passed vector 
      ' instance. For reference purposes, the equation is:
      ' (x1 * x2) + (y1 * y2) + (z1 * z2) = the dot product
      ' First, you'll load the reference to the current instance "this"
      ' stored in argument 0 (ldarg.0) onto the stack. Ldfld, the subsequent
      ' instruction, will pop the reference off the stack and look up the
      ' field "x", specified by the FieldInfo token "xField".
      mthdIL.Emit(OpCodes.Ldarg_0)
      mthdIL.Emit(OpCodes.Ldfld, xField)
      
      ' That completed, the value stored at field "x" is now atop the stack.
      ' Now, you'll do the same for the object reference we passed as a
      ' parameter, stored in argument 1 (ldarg.1). After Ldfld executed,
      ' you'll have the value stored in field "x" for the passed instance
      ' atop the stack.
      mthdIL.Emit(OpCodes.Ldarg_1)
      mthdIL.Emit(OpCodes.Ldfld, xField)
      
      ' There will now be two values atop the stack - the "x" value for the
      ' current vector instance, and the "x" value for the passed instance.
      ' You'll now multiply them, and push the result onto the evaluation stack.
      mthdIL.Emit(OpCodes.Mul_Ovf_Un)
      
      ' Now, repeat this for the "y" fields of both vectors.
      mthdIL.Emit(OpCodes.Ldarg_0)
      mthdIL.Emit(OpCodes.Ldfld, yField)
      mthdIL.Emit(OpCodes.Ldarg_1)
      mthdIL.Emit(OpCodes.Ldfld, yField)
      mthdIL.Emit(OpCodes.Mul_Ovf_Un)
      
      ' At this time, the results of both multiplications should be atop
      ' the stack. You'll now add them and push the result onto the stack.
      mthdIL.Emit(OpCodes.Add_Ovf_Un)
      
      ' Multiply both "z" field and push the result onto the stack.
      mthdIL.Emit(OpCodes.Ldarg_0)
      mthdIL.Emit(OpCodes.Ldfld, zField)
      mthdIL.Emit(OpCodes.Ldarg_1)
      mthdIL.Emit(OpCodes.Ldfld, zField)
      mthdIL.Emit(OpCodes.Mul_Ovf_Un)
      
      ' Finally, add the result of multiplying the "z" fields with the
      ' result of the earlier addition, and push the result - the dot product -
      ' onto the stack.
      mthdIL.Emit(OpCodes.Add_Ovf_Un)
      
      ' The "ret" opcode will pop the last value from the stack and return it
      ' to the calling method. You're all done!
      mthdIL.Emit(OpCodes.Ret)
      
      
      ivType = ivTypeBld.CreateType()
      
      Return ivType
   End Function 'DynamicDotProductGen
    
   
   Public Shared Sub Main()
      
      Dim IVType As Type = Nothing
      Dim aVector1 As Object = Nothing
      Dim aVector2 As Object = Nothing
      Dim aVtypes() As Type = {GetType(Integer), GetType(Integer), GetType(Integer)}
      Dim aVargs1() As Object = {10, 10, 10}
      Dim aVargs2() As Object = {20, 20, 20}
      
      ' Call the  method to build our dynamic class.
      IVType = DynamicDotProductGen()
      
      
      Dim myDTctor As ConstructorInfo = IVType.GetConstructor(aVtypes)
      aVector1 = myDTctor.Invoke(aVargs1)
      aVector2 = myDTctor.Invoke(aVargs2)
      
      Console.WriteLine("---")
      Dim passMe(0) As Object
      passMe(0) = CType(aVector2, Object)
      
      Console.WriteLine("(10, 10, 10) . (20, 20, 20) = {0}", _
                        IVType.InvokeMember("DotProduct", BindingFlags.InvokeMethod, _
                        Nothing, aVector1, passMe))
   End Sub
End Class



' +++ OUTPUT +++
' ---
' (10, 10, 10) . (20, 20, 20) = 600

注解

有关此 API 的详细信息,请参阅 TypeBuilder的补充 API 备注。

构造函数

TypeBuilder()

初始化 TypeBuilder 类的新实例。

字段

UnspecifiedTypeSize

表示未指定类型的总大小。

属性

Assembly

检索包含此类型定义的动态程序集。

AssemblyQualifiedName

返回由程序集的显示名称限定的此类型的全名。

Attributes

定义并创建运行时类的新实例。

Attributes

获取与 Type关联的属性。

(继承自 Type)
Attributes

定义并创建运行时类的新实例。

(继承自 TypeInfo)
BaseType

检索此类型的基类型。

ContainsGenericParameters

定义并创建运行时类的新实例。

ContainsGenericParameters

获取一个值,该值指示当前 Type 对象是否具有尚未被特定类型替换的类型参数。

(继承自 Type)
ContainsGenericParameters

定义并创建运行时类的新实例。

(继承自 TypeInfo)
CustomAttributes

获取包含此成员的自定义属性的集合。

(继承自 MemberInfo)
DeclaredConstructors

获取由当前类型声明的构造函数的集合。

(继承自 TypeInfo)
DeclaredEvents

获取由当前类型定义的事件的集合。

(继承自 TypeInfo)
DeclaredFields

获取由当前类型定义的字段的集合。

(继承自 TypeInfo)
DeclaredMembers

获取由当前类型定义的成员的集合。

(继承自 TypeInfo)
DeclaredMethods

获取由当前类型定义的方法的集合。

(继承自 TypeInfo)
DeclaredNestedTypes

获取由当前类型定义的嵌套类型的集合。

(继承自 TypeInfo)
DeclaredProperties

获取由当前类型定义的属性的集合。

(继承自 TypeInfo)
DeclaringMethod

获取声明当前泛型类型参数的方法。

DeclaringMethod

获取表示声明方法的 MethodBase(如果当前 Type 表示泛型方法的类型参数)。

(继承自 Type)
DeclaringType

返回声明此类型的类型。

FullName

检索此类型的完整路径。

GenericParameterAttributes

获取一个值,该值指示当前泛型类型参数的协变和特殊约束。

GenericParameterAttributes

获取描述当前泛型类型参数协变和特殊约束的 GenericParameterAttributes 标志的组合。

(继承自 Type)
GenericParameterPosition

获取类型参数在声明参数的泛型类型的类型参数列表中的位置。

GenericParameterPosition

获取类型参数在声明参数的泛型类型或方法的类型参数列表中的位置,当 Type 对象表示泛型类型或泛型方法的类型参数时。

(继承自 Type)
GenericTypeArguments

定义并创建运行时类的新实例。

GenericTypeArguments

获取此类型的泛型类型参数的数组。

(继承自 Type)
GenericTypeArguments

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GenericTypeParameters

获取当前实例的泛型类型参数的数组。

(继承自 TypeInfo)
GUID

检索此类型的 GUID。

HasElementType

获取一个值,该值指示当前 Type 是包含还是引用另一种类型;也就是说,当前 Type 是数组、指针还是通过引用传递。

(继承自 Type)
HasElementType

定义并创建运行时类的新实例。

(继承自 TypeInfo)
ImplementedInterfaces

获取由当前类型实现的接口的集合。

(继承自 TypeInfo)
IsAbstract

获取一个值,该值指示 Type 是否是抽象的,必须重写。

(继承自 Type)
IsAbstract

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsAnsiClass

获取一个值,该值指示是否为 Type选择了字符串格式属性 AnsiClass

(继承自 Type)
IsAnsiClass

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsArray

获取一个值,该值指示类型是否为数组。

(继承自 Type)
IsArray

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsAutoClass

获取一个值,该值指示是否为 Type选择了字符串格式属性 AutoClass

(继承自 Type)
IsAutoClass

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsAutoLayout

获取一个值,该值指示当前类型的字段是否由公共语言运行时自动布局。

(继承自 Type)
IsAutoLayout

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsByRef

获取一个值,该值指示是否通过引用传递 Type

(继承自 Type)
IsByRef

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsByRefLike

获取一个值,该值指示类型是否为类似 byref 的结构。

IsByRefLike

获取一个值,该值指示类型是否为类似 byref 的结构。

(继承自 Type)
IsClass

获取一个值,该值指示 Type 是类还是委托;不是值类型或接口。

(继承自 Type)
IsClass

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsCollectible

获取一个值,该值指示此 MemberInfo 对象是否是可收集 AssemblyLoadContext中保存的程序集的一部分。

(继承自 MemberInfo)
IsCOMObject

获取一个值,该值指示 Type 是否为 COM 对象。

(继承自 Type)
IsCOMObject

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsConstructedGenericType

获取一个值,该值指示此对象是否表示构造的泛型类型。

IsConstructedGenericType

获取一个值,该值指示此对象是否表示构造的泛型类型。 可以创建构造泛型类型的实例。

(继承自 Type)
IsContextful

获取一个值,该值指示是否可以在上下文中托管 Type

(继承自 Type)
IsEnum

定义并创建运行时类的新实例。

IsEnum

获取一个值,该值指示当前 Type 是否表示枚举。

(继承自 Type)
IsEnum

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsExplicitLayout

获取一个值,该值指示当前类型的字段是否以显式指定的偏移量布局。

(继承自 Type)
IsExplicitLayout

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsFunctionPointer

获取一个值,该值指示当前 Type 是否为函数指针。

(继承自 Type)
IsGenericMethodParameter

获取一个值,该值指示当前 Type 是否表示泛型方法定义中的类型参数。

(继承自 Type)
IsGenericParameter

获取一个值,该值指示当前类型是否为泛型类型参数。

IsGenericParameter

获取一个值,该值指示当前 Type 是否表示泛型类型或方法的定义中的类型参数。

(继承自 Type)
IsGenericType

获取一个值,该值指示当前类型是否为泛型类型。

IsGenericType

获取一个值,该值指示当前类型是否为泛型类型。

(继承自 Type)
IsGenericTypeDefinition

获取一个值,该值指示当前 TypeBuilder 是否表示可从中构造其他泛型类型的泛型类型定义。

IsGenericTypeDefinition

获取一个值,该值指示当前 Type 是否表示可构造其他泛型类型的泛型类型定义。

(继承自 Type)
IsGenericTypeParameter

获取一个值,该值指示当前 Type 是否表示泛型类型的定义中的类型参数。

(继承自 Type)
IsImport

获取一个值,该值指示 Type 是否应用了 ComImportAttribute 属性,指示它是从 COM 类型库导入的。

(继承自 Type)
IsImport

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsInterface

获取一个值,该值指示 Type 是否为接口;不是类或值类型。

(继承自 Type)
IsInterface

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsLayoutSequential

获取一个值,该值指示当前类型的字段是按顺序排列的,是按照定义或发出给元数据的顺序排列的。

(继承自 Type)
IsLayoutSequential

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsMarshalByRef

获取一个值,该值指示是否按引用封送 Type

(继承自 Type)
IsMarshalByRef

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsNested

获取一个值,该值指示当前 Type 对象是否表示其定义嵌套在另一类型的定义中的类型。

(继承自 Type)
IsNested

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsNestedAssembly

获取一个值,该值指示 Type 是否嵌套且仅在其自己的程序集内可见。

(继承自 Type)
IsNestedAssembly

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsNestedFamANDAssem

获取一个值,该值指示 Type 是否嵌套,并且仅对属于其自己的系列和自己的程序集的类可见。

(继承自 Type)
IsNestedFamANDAssem

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsNestedFamily

获取一个值,该值指示 Type 是否嵌套并在其自己的系列内可见。

(继承自 Type)
IsNestedFamily

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsNestedFamORAssem

获取一个值,该值指示 Type 是嵌套的,并且仅对属于其自己的系列或其自己的程序集的类可见。

(继承自 Type)
IsNestedFamORAssem

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsNestedPrivate

获取一个值,该值指示 Type 是否嵌套并声明为私有。

(继承自 Type)
IsNestedPrivate

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsNestedPublic

获取一个值,该值指示类是否嵌套并声明为公共类。

(继承自 Type)
IsNestedPublic

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsNotPublic

获取一个值,该值指示 Type 是否未声明为公共。

(继承自 Type)
IsNotPublic

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsPointer

获取一个值,该值指示 Type 是否为指针。

(继承自 Type)
IsPointer

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsPrimitive

获取一个值,该值指示 Type 是否为基元类型之一。

(继承自 Type)
IsPrimitive

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsPublic

获取一个值,该值指示 Type 是否声明为公共。

(继承自 Type)
IsPublic

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsSealed

获取一个值,该值指示是否声明 Type 密封。

(继承自 Type)
IsSealed

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsSecurityCritical

获取一个值,该值指示当前类型是安全关键型还是安全安全关键型,因此可以执行关键操作。

IsSecurityCritical

获取一个值,该值指示当前类型在当前信任级别是安全关键型还是安全安全关键型,因此可以执行关键操作。

(继承自 Type)
IsSecuritySafeCritical

获取一个值,该值指示当前类型是否为安全安全关键;也就是说,它是否可以执行关键操作,并且可以通过透明代码访问。

IsSecuritySafeCritical

获取一个值,该值指示当前类型在当前信任级别是否为安全安全关键;也就是说,它是否可以执行关键操作,并且可以通过透明代码访问。

(继承自 Type)
IsSecurityTransparent

获取一个值,该值指示当前类型是否透明,因此无法执行关键操作。

IsSecurityTransparent

获取一个值,该值指示当前类型在当前信任级别是否透明,因此无法执行关键操作。

(继承自 Type)
IsSerializable

定义并创建运行时类的新实例。

IsSerializable
已过时.

获取一个值,该值指示 Type 是否可序列化二进制。

(继承自 Type)
IsSerializable

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsSignatureType

获取一个值,该值指示类型是否为签名类型。

(继承自 Type)
IsSpecialName

获取一个值,该值指示类型是否具有需要特殊处理的名称。

(继承自 Type)
IsSpecialName

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsSZArray

定义并创建运行时类的新实例。

IsSZArray

获取一个值,该值指示类型是否为仅表示具有零下限的单维数组的数组类型。

(继承自 Type)
IsTypeDefinition

定义并创建运行时类的新实例。

IsTypeDefinition

获取一个值,该值指示类型是否为类型定义。

(继承自 Type)
IsUnicodeClass

获取一个值,该值指示是否为 Type选择了字符串格式属性 UnicodeClass

(继承自 Type)
IsUnicodeClass

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsUnmanagedFunctionPointer

获取一个值,该值指示当前 Type 是否为非托管函数指针。

(继承自 Type)
IsValueType

获取一个值,该值指示 Type 是否为值类型。

(继承自 Type)
IsValueType

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsVariableBoundArray

定义并创建运行时类的新实例。

IsVariableBoundArray

获取一个值,该值指示类型是可以表示多维数组还是具有任意下限的数组的数组类型。

(继承自 Type)
IsVisible

获取一个值,该值指示程序集外部的代码是否可以访问 Type

(继承自 Type)
IsVisible

定义并创建运行时类的新实例。

(继承自 TypeInfo)
MemberType

获取一个 MemberTypes 值,该值指示此成员是类型或嵌套类型。

(继承自 Type)
MemberType

定义并创建运行时类的新实例。

(继承自 TypeInfo)
MetadataToken

获取标识元数据中当前动态模块的令牌。

MetadataToken

获取标识元数据元素的值。

(继承自 MemberInfo)
Module

检索包含此类型定义的动态模块。

Name

检索此类型的名称。

Namespace

检索定义此 TypeBuilder 的命名空间。

PackingSize

检索此类型的打包大小。

PackingSizeCore

在派生类中重写时,获取此类型的打包大小。

ReflectedType

返回用于获取此类型的类型。

ReflectedType

获取用于获取此 MemberInfo实例的类对象。

(继承自 MemberInfo)
Size

检索类型的总大小。

SizeCore

在派生类中重写时,获取类型的总大小。

StructLayoutAttribute

获取描述当前类型的布局的 StructLayoutAttribute

(继承自 Type)
StructLayoutAttribute

定义并创建运行时类的新实例。

(继承自 TypeInfo)
TypeHandle

动态模块不支持。

TypeInitializer

获取类型的初始值设定项。

(继承自 Type)
TypeInitializer

定义并创建运行时类的新实例。

(继承自 TypeInfo)
TypeToken

返回此类型的类型标记。

UnderlyingSystemType

返回此 TypeBuilder的基础系统类型。

UnderlyingSystemType

定义并创建运行时类的新实例。

(继承自 TypeInfo)

方法

AddDeclarativeSecurity(SecurityAction, PermissionSet)

将声明性安全性添加到此类型。

AddInterfaceImplementation(Type)

添加此类型实现的接口。

AddInterfaceImplementationCore(Type)

在派生类中重写时,添加此类型实现的接口。

AsType()

Type 对象的形式返回当前类型。

(继承自 TypeInfo)
CreateType()

为类创建 Type 对象。 定义类的字段和方法后,调用 CreateType 以加载其 Type 对象。

CreateTypeInfo()

获取表示此类型的 TypeInfo 对象。

CreateTypeInfoCore()

在派生类中重写时,获取表示此类型的 TypeInfo 对象。

DefineConstructor(MethodAttributes, CallingConventions, Type[])

使用给定的属性和签名向类型添加新构造函数。

DefineConstructor(MethodAttributes, CallingConventions, Type[], Type[][], Type[][])

使用给定的属性、签名和自定义修饰符向类型添加新构造函数。

DefineConstructorCore(MethodAttributes, CallingConventions, Type[], Type[][], Type[][])

在派生类中重写时,使用给定的属性、签名和自定义修饰符向类型添加新构造函数。

DefineDefaultConstructor(MethodAttributes)

定义无参数构造函数。 此处定义的构造函数只会调用父级的无参数构造函数。

DefineDefaultConstructorCore(MethodAttributes)

在派生类中重写时,定义无参数构造函数。 此处定义的构造函数调用父级的无参数构造函数。

DefineEvent(String, EventAttributes, Type)

使用给定的名称、属性和事件类型向类型添加新事件。

DefineEventCore(String, EventAttributes, Type)

在派生类中重写时,使用给定的名称、属性和事件类型向类型添加新事件。

DefineField(String, Type, FieldAttributes)

向类型添加新字段,其中包含给定的名称、属性和字段类型。

DefineField(String, Type, Type[], Type[], FieldAttributes)

向类型添加新字段,其中包含给定的名称、属性、字段类型和自定义修饰符。

DefineFieldCore(String, Type, Type[], Type[], FieldAttributes)

在派生类中重写时,使用给定的名称、属性、字段类型和自定义修饰符向类型添加新字段。

DefineGenericParameters(String[])

定义当前类型的泛型类型参数,指定其编号及其名称,并返回可用于设置约束的 GenericTypeParameterBuilder 对象的数组。

DefineGenericParametersCore(String[])

在派生类中重写时,定义当前类型的泛型类型参数,并指定其编号及其名称。

DefineInitializedData(String, Byte[], FieldAttributes)

在可移植可执行文件 (PE) 文件的 .sdata 节中定义初始化的数据字段。

DefineInitializedDataCore(String, Byte[], FieldAttributes)

在派生类中重写时,在可移植可执行文件 (PE) 文件的 .sdata 节中定义初始化的数据字段。

DefineMethod(String, MethodAttributes)

使用指定的名称和方法属性向类型添加新方法。

DefineMethod(String, MethodAttributes, CallingConventions)

使用指定的名称、方法属性和调用约定向类型添加新方法。

DefineMethod(String, MethodAttributes, CallingConventions, Type, Type[])

向类型添加新方法,其中包含指定的名称、方法属性、调用约定和方法签名。

DefineMethod(String, MethodAttributes, CallingConventions, Type, Type[], Type[], Type[], Type[][], Type[][])

向类型添加新方法,其中包含指定的名称、方法属性、调用约定、方法签名和自定义修饰符。

DefineMethod(String, MethodAttributes, Type, Type[])

使用指定的名称、方法属性和方法签名向类型添加新方法。

DefineMethodCore(String, MethodAttributes, CallingConventions, Type, Type[], Type[], Type[], Type[][], Type[][])

在派生类中重写时,使用指定的名称、方法属性、调用约定、方法签名和自定义修饰符向类型添加新方法。

DefineMethodOverride(MethodInfo, MethodInfo)

指定实现给定方法声明的给定方法正文,可能具有不同的名称。

DefineMethodOverrideCore(MethodInfo, MethodInfo)

在派生类中重写时,指定实现给定方法声明的给定方法正文,可能具有不同的名称。

DefineNestedType(String)

定义嵌套类型,给定其名称。

DefineNestedType(String, TypeAttributes)

定义嵌套类型,给定其名称和属性。

DefineNestedType(String, TypeAttributes, Type)

定义嵌套类型,给定其名称、属性及其扩展的类型。

DefineNestedType(String, TypeAttributes, Type, Int32)

定义嵌套类型,给定其名称、属性、类型的总大小及其扩展的类型。

DefineNestedType(String, TypeAttributes, Type, PackingSize)

定义嵌套类型,给定其名称、属性、扩展的类型和包装大小。

DefineNestedType(String, TypeAttributes, Type, PackingSize, Int32)

定义嵌套类型,给定其名称、属性、大小及其扩展的类型。

DefineNestedType(String, TypeAttributes, Type, Type[])

定义嵌套类型,给定其名称、属性、扩展的类型及其实现的接口。

DefineNestedTypeCore(String, TypeAttributes, Type, Type[], PackingSize, Int32)

在派生类中重写时,定义嵌套类型,给定其名称、属性、大小及其扩展的类型。

DefinePInvokeMethod(String, String, MethodAttributes, CallingConventions, Type, Type[], CallingConvention, CharSet)

定义一个给定其名称的 PInvoke 方法、在其中定义方法的 DLL 的名称、方法的属性、方法的调用约定、方法的返回类型、方法的参数类型和 PInvoke 标志。

DefinePInvokeMethod(String, String, String, MethodAttributes, CallingConventions, Type, Type[], CallingConvention, CharSet)

定义 PInvoke 方法的名称、定义方法的名称、方法的名称、方法的属性、方法的调用约定、方法的返回类型、方法的参数类型和 PInvoke 标志。

DefinePInvokeMethod(String, String, String, MethodAttributes, CallingConventions, Type, Type[], Type[], Type[], Type[][], Type[][], CallingConvention, CharSet)

定义一个给定其名称的 PInvoke 方法、定义方法的名称、方法的名称、方法的属性、方法的调用约定、方法的返回类型、方法的参数类型、方法的参数类型、PInvoke 标志以及参数和返回类型的自定义修饰符。

DefinePInvokeMethodCore(String, String, String, MethodAttributes, CallingConventions, Type, Type[], Type[], Type[], Type[][], Type[][], CallingConvention, CharSet)

在派生类中重写时,使用提供的名称、DLL 名称、入口点名称、属性、调用约定、返回类型、参数类型、PInvoke 标志和参数和返回类型的自定义修饰符定义 PInvoke 方法。

DefineProperty(String, PropertyAttributes, CallingConventions, Type, Type[])

向类型添加新属性,其中包含给定的名称、属性、调用约定和属性签名。

DefineProperty(String, PropertyAttributes, CallingConventions, Type, Type[], Type[], Type[], Type[][], Type[][])

向类型添加新属性,其中包含给定的名称、调用约定、属性签名和自定义修饰符。

DefineProperty(String, PropertyAttributes, Type, Type[])

使用给定名称和属性签名向类型添加新属性。

DefineProperty(String, PropertyAttributes, Type, Type[], Type[], Type[], Type[][], Type[][])

向类型中添加一个新属性,其中包含给定的名称、属性签名和自定义修饰符。

DefinePropertyCore(String, PropertyAttributes, CallingConventions, Type, Type[], Type[], Type[], Type[][], Type[][])

在派生类中重写时,使用给定的名称、调用约定、属性签名和自定义修饰符向类型添加新属性。

DefineTypeInitializer()

定义此类型的初始值设定项。

DefineTypeInitializerCore()

在派生类中重写时,定义此类型的初始值设定项。

DefineUninitializedData(String, Int32, FieldAttributes)

在可移植可执行文件 (PE) 文件的 .sdata 节中定义未初始化的数据字段。

DefineUninitializedDataCore(String, Int32, FieldAttributes)

在派生类中重写时,在可移植可执行文件 (PE) 文件的 .sdata 节中定义未初始化的数据字段。

Equals(Object)

确定当前 Type 对象的基础系统类型是否与指定 Object的基础系统类型相同。

(继承自 Type)
Equals(Object)

返回一个值,该值指示此实例是否等于指定对象。

(继承自 MemberInfo)
Equals(Type)

确定当前 Type 的基础系统类型是否与指定 Type的基础系统类型相同。

(继承自 Type)
FindInterfaces(TypeFilter, Object)

返回一个由 Type 对象构成的数组,该数组表示当前 Type实现或继承的接口的筛选列表。

(继承自 Type)
FindInterfaces(TypeFilter, Object)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
FindMembers(MemberTypes, BindingFlags, MemberFilter, Object)

返回指定成员类型的 MemberInfo 对象的筛选数组。

(继承自 Type)
FindMembers(MemberTypes, BindingFlags, MemberFilter, Object)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetArrayRank()

定义并创建运行时类的新实例。

GetArrayRank()

获取数组中的维度数。

(继承自 Type)
GetArrayRank()

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetAttributeFlagsImpl()

在派生类中重写时,实现 Attributes 属性并获取枚举值的按位组合,这些枚举值指示与 Type关联的属性。

GetAttributeFlagsImpl()

在派生类中重写时,实现 Attributes 属性并获取枚举值的按位组合,这些枚举值指示与 Type关联的属性。

(继承自 Type)
GetConstructor(BindingFlags, Binder, CallingConventions, Type[], ParameterModifier[])

使用指定的绑定约束和指定的调用约定搜索其参数与指定参数类型和修饰符匹配的构造函数。

(继承自 Type)
GetConstructor(BindingFlags, Binder, Type[], ParameterModifier[])

使用指定的绑定约束搜索其参数与指定参数类型和修饰符匹配的构造函数。

(继承自 Type)
GetConstructor(BindingFlags, Type[])

使用指定的绑定约束搜索其参数与指定参数类型匹配的构造函数。

(继承自 Type)
GetConstructor(Type, ConstructorInfo)

返回与泛型类型定义的指定构造函数相对应的指定构造函数的构造函数。

GetConstructor(Type[])

搜索其参数与指定数组中的类型匹配的公共实例构造函数。

(继承自 Type)
GetConstructor(Type[])

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetConstructorImpl(BindingFlags, Binder, CallingConventions, Type[], ParameterModifier[])

在派生类中重写时,使用指定的绑定约束和指定的调用约定搜索其参数与指定参数类型和修饰符匹配的构造函数。

GetConstructorImpl(BindingFlags, Binder, CallingConventions, Type[], ParameterModifier[])

在派生类中重写时,使用指定的绑定约束和指定的调用约定搜索其参数与指定参数类型和修饰符匹配的构造函数。

(继承自 Type)
GetConstructors()

返回为当前 Type定义的所有公共构造函数。

(继承自 Type)
GetConstructors()

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetConstructors(BindingFlags)

返回表示为此类定义的公共和非公共构造函数的 ConstructorInfo 对象的数组,如指定。

GetConstructors(BindingFlags)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetCustomAttributes(Boolean)

返回为此类型定义的所有自定义属性。

GetCustomAttributes(Boolean)

在派生类中重写时,返回应用于此成员的所有自定义属性的数组。

(继承自 MemberInfo)
GetCustomAttributes(Type, Boolean)

返回可分配给指定类型的当前类型的所有自定义属性。

GetCustomAttributes(Type, Boolean)

在派生类中重写时,返回应用于此成员并由 Type标识的自定义属性数组。

(继承自 MemberInfo)
GetCustomAttributesData()

返回一个 CustomAttributeData 对象列表,该列表表示已应用于目标成员的属性的相关数据。

(继承自 MemberInfo)
GetDeclaredEvent(String)

返回一个对象,该对象表示由当前类型声明的指定事件。

(继承自 TypeInfo)
GetDeclaredField(String)

返回一个对象,该对象表示由当前类型声明的指定字段。

(继承自 TypeInfo)
GetDeclaredMethod(String)

返回一个对象,该对象表示由当前类型声明的指定方法。

(继承自 TypeInfo)
GetDeclaredMethods(String)

返回一个集合,其中包含在与指定名称匹配的当前类型上声明的所有方法。

(继承自 TypeInfo)
GetDeclaredNestedType(String)

返回一个对象,该对象表示由当前类型声明的指定嵌套类型。

(继承自 TypeInfo)
GetDeclaredProperty(String)

返回一个对象,该对象表示由当前类型声明的指定属性。

(继承自 TypeInfo)
GetDefaultMembers()

搜索为其设置了 DefaultMemberAttribute 的当前 Type 定义的成员。

(继承自 Type)
GetDefaultMembers()

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetElementType()

调用此方法始终会引发 NotSupportedException

GetEnumName(Object)

返回当前枚举类型的具有指定值的常量的名称。

(继承自 Type)
GetEnumName(Object)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetEnumNames()

返回当前枚举类型的成员的名称。

(继承自 Type)
GetEnumNames()

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetEnumUnderlyingType()

返回当前枚举类型的基础类型。

(继承自 Type)
GetEnumUnderlyingType()

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetEnumValues()

返回当前枚举类型中常量值的数组。

(继承自 Type)
GetEnumValues()

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetEnumValuesAsUnderlyingType()

检索此枚举类型的基础类型常量的值的数组。

(继承自 Type)
GetEvent(String)

返回表示指定公共事件的 EventInfo 对象。

(继承自 Type)
GetEvent(String)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetEvent(String, BindingFlags)

返回具有指定名称的事件。

GetEvent(String, BindingFlags)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetEvents()

返回此类型声明或继承的公共事件。

GetEvents()

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetEvents(BindingFlags)

返回此类型声明的公共和非公共事件。

GetEvents(BindingFlags)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetField(String)

搜索具有指定名称的公共字段。

(继承自 Type)
GetField(String)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetField(String, BindingFlags)

返回由给定名称指定的字段。

GetField(String, BindingFlags)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetField(Type, FieldInfo)

返回与泛型类型定义的指定字段相对应的指定构造泛型类型的字段。

GetFields()

返回当前 Type的所有公共字段。

(继承自 Type)
GetFields()

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetFields(BindingFlags)

返回此类型声明的公共字段和非公共字段。

GetFields(BindingFlags)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetFunctionPointerCallingConventions()

在派生类中重写时,返回当前函数指针的调用约定 Type

(继承自 Type)
GetFunctionPointerParameterTypes()

在派生类中重写时,返回当前函数指针的参数类型 Type

(继承自 Type)
GetFunctionPointerReturnType()

在派生类中重写时,返回当前函数指针的返回类型 Type

(继承自 Type)
GetGenericArguments()

返回一个由 Type 对象构成的数组,该数组表示泛型类型或泛型类型定义的类型参数的类型参数。

GetGenericArguments()

返回一个由 Type 对象构成的数组,这些对象表示封闭泛型类型的类型参数或泛型类型定义的类型参数。

(继承自 Type)
GetGenericArguments()

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetGenericParameterConstraints()

定义并创建运行时类的新实例。

GetGenericParameterConstraints()

返回表示当前泛型类型参数约束的 Type 对象的数组。

(继承自 Type)
GetGenericParameterConstraints()

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetGenericTypeDefinition()

返回一个 Type 对象,该对象表示可从中获取当前类型的泛型类型定义。

GetGenericTypeDefinition()

返回一个 Type 对象,该对象表示可从中构造当前泛型类型的泛型类型定义。

(继承自 Type)
GetHashCode()

返回此实例的哈希代码。

(继承自 Type)
GetHashCode()

返回此实例的哈希代码。

(继承自 MemberInfo)
GetInterface(String)

搜索具有指定名称的接口。

(继承自 Type)
GetInterface(String)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetInterface(String, Boolean)

返回由此类实现的接口(直接或间接),该接口具有与给定接口名称匹配的完全限定名称。

GetInterface(String, Boolean)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetInterfaceMap(Type)

返回所请求接口的接口映射。

GetInterfaces()

返回在此类型及其基类型上实现的所有接口的数组。

GetInterfaces()

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetMember(String)

搜索具有指定名称的公共成员。

(继承自 Type)
GetMember(String)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetMember(String, BindingFlags)

使用指定的绑定约束搜索指定成员。

(继承自 Type)
GetMember(String, BindingFlags)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetMember(String, MemberTypes, BindingFlags)

按指定返回此类型声明或继承的所有公共和非公共成员。

GetMember(String, MemberTypes, BindingFlags)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetMembers()

返回当前 Type的所有公共成员。

(继承自 Type)
GetMembers()

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetMembers(BindingFlags)

返回此类型声明或继承的公共和非公共成员的成员。

GetMembers(BindingFlags)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetMemberWithSameMetadataDefinitionAs(MemberInfo)

在与指定的 MemberInfo匹配的当前 Type 上搜索 MemberInfo

(继承自 Type)
GetMethod(String)

搜索具有指定名称的公共方法。

(继承自 Type)
GetMethod(String)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetMethod(String, BindingFlags)

使用指定的绑定约束搜索指定的方法。

(继承自 Type)
GetMethod(String, BindingFlags)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetMethod(String, BindingFlags, Binder, CallingConventions, Type[], ParameterModifier[])

使用指定的绑定约束和指定的调用约定搜索其参数与指定参数类型和修饰符匹配的指定方法。

(继承自 Type)
GetMethod(String, BindingFlags, Binder, Type[], ParameterModifier[])

使用指定的绑定约束搜索其参数与指定参数类型和修饰符匹配的指定方法。

(继承自 Type)
GetMethod(String, BindingFlags, Type[])

使用指定的绑定约束搜索其参数与指定参数类型匹配的指定方法。

(继承自 Type)
GetMethod(String, Int32, BindingFlags, Binder, CallingConventions, Type[], ParameterModifier[])

使用指定的绑定约束和指定的调用约定搜索其参数与指定的泛型参数计数、参数类型和修饰符匹配的指定方法。

(继承自 Type)
GetMethod(String, Int32, BindingFlags, Binder, Type[], ParameterModifier[])

使用指定的绑定约束搜索其参数与指定的泛型参数计数、参数类型和修饰符匹配的指定方法。

(继承自 Type)
GetMethod(String, Int32, BindingFlags, Type[])

使用指定的绑定约束搜索其参数与指定的泛型参数计数和参数类型匹配的指定方法。

(继承自 Type)
GetMethod(String, Int32, Type[])

搜索与指定的泛型参数计数和参数类型匹配的指定公共方法。

(继承自 Type)
GetMethod(String, Int32, Type[], ParameterModifier[])

搜索与指定的泛型参数计数、参数类型和修饰符匹配的指定公共方法。

(继承自 Type)
GetMethod(String, Type[])

搜索其参数与指定参数类型匹配的指定公共方法。

(继承自 Type)
GetMethod(String, Type[])

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetMethod(String, Type[], ParameterModifier[])

搜索其参数与指定参数类型和修饰符匹配的指定公共方法。

(继承自 Type)
GetMethod(String, Type[], ParameterModifier[])

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetMethod(Type, MethodInfo)

返回与泛型类型定义的指定方法对应的指定构造泛型类型的方法。

GetMethodImpl(String, BindingFlags, Binder, CallingConventions, Type[], ParameterModifier[])

在派生类中重写时,使用指定的绑定约束和指定的调用约定搜索其参数与指定参数类型和修饰符匹配的指定方法。

GetMethodImpl(String, BindingFlags, Binder, CallingConventions, Type[], ParameterModifier[])

在派生类中重写时,使用指定的绑定约束和指定的调用约定搜索其参数与指定参数类型和修饰符匹配的指定方法。

(继承自 Type)
GetMethodImpl(String, Int32, BindingFlags, Binder, CallingConventions, Type[], ParameterModifier[])

在派生类中重写时,使用指定的绑定约束和指定的调用约定搜索其参数与指定的泛型参数计数、参数类型和修饰符匹配的指定方法。

(继承自 Type)
GetMethods()

返回当前 Type的所有公共方法。

(继承自 Type)
GetMethods()

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetMethods(BindingFlags)

按指定返回此类型声明或继承的所有公共和非公共方法。

GetMethods(BindingFlags)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetNestedType(String)

搜索具有指定名称的公共嵌套类型。

(继承自 Type)
GetNestedType(String)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetNestedType(String, BindingFlags)

返回此类型声明的公共和非公共嵌套类型。

GetNestedType(String, BindingFlags)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetNestedTypes()

返回嵌套在当前 Type中的公共类型。

(继承自 Type)
GetNestedTypes()

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetNestedTypes(BindingFlags)

返回此类型声明或继承的公共和非公共嵌套类型。

GetNestedTypes(BindingFlags)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetOptionalCustomModifiers()

在派生类中重写时,返回当前 Type的可选自定义修饰符。

(继承自 Type)
GetProperties()

返回当前 Type的所有公共属性。

(继承自 Type)
GetProperties()

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetProperties(BindingFlags)

按指定返回此类型声明或继承的所有公共和非公共属性。

GetProperties(BindingFlags)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetProperty(String)

搜索具有指定名称的公共属性。

(继承自 Type)
GetProperty(String)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetProperty(String, BindingFlags)

使用指定的绑定约束搜索指定的属性。

(继承自 Type)
GetProperty(String, BindingFlags)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetProperty(String, BindingFlags, Binder, Type, Type[], ParameterModifier[])

使用指定的绑定约束搜索其参数与指定参数类型和修饰符匹配的指定属性。

(继承自 Type)
GetProperty(String, Type)

搜索具有指定名称和返回类型的公共属性。

(继承自 Type)
GetProperty(String, Type)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetProperty(String, Type, Type[])

搜索其参数与指定参数类型匹配的指定公共属性。

(继承自 Type)
GetProperty(String, Type, Type[])

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetProperty(String, Type, Type[], ParameterModifier[])

搜索其参数与指定参数类型和修饰符匹配的指定公共属性。

(继承自 Type)
GetProperty(String, Type, Type[], ParameterModifier[])

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetProperty(String, Type[])

搜索其参数与指定参数类型匹配的指定公共属性。

(继承自 Type)
GetProperty(String, Type[])

定义并创建运行时类的新实例。

(继承自 TypeInfo)
GetPropertyImpl(String, BindingFlags, Binder, Type, Type[], ParameterModifier[])

在派生类中重写时,使用指定的绑定约束搜索其参数与指定参数类型和修饰符匹配的指定属性。

GetPropertyImpl(String, BindingFlags, Binder, Type, Type[], ParameterModifier[])

在派生类中重写时,使用指定的绑定约束搜索其参数与指定参数类型和修饰符匹配的指定属性。

(继承自 Type)
GetRequiredCustomModifiers()

在派生类中重写时,返回当前 Type所需的自定义修饰符。

(继承自 Type)
GetType()

获取当前 Type

(继承自 Type)
GetType()

发现成员的属性并提供对成员元数据的访问权限。

(继承自 MemberInfo)
GetTypeCodeImpl()

返回此 Type 实例的基础类型代码。

(继承自 Type)
HasElementTypeImpl()

在派生类中重写时,实现 HasElementType 属性并确定当前 Type 是包含还是引用另一种类型;也就是说,当前 Type 是数组、指针还是通过引用传递。

HasElementTypeImpl()

在派生类中重写时,实现 HasElementType 属性并确定当前 Type 是包含还是引用另一种类型;也就是说,当前 Type 是数组、指针还是通过引用传递。

(继承自 Type)
HasSameMetadataDefinitionAs(MemberInfo)

定义并创建运行时类的新实例。

(继承自 MemberInfo)
InvokeMember(String, BindingFlags, Binder, Object, Object[])

使用指定的绑定约束调用指定成员,并匹配指定的参数列表。

(继承自 Type)
InvokeMember(String, BindingFlags, Binder, Object, Object[], CultureInfo)

使用指定的绑定约束调用指定成员,并匹配指定的参数列表和区域性。

(继承自 Type)
InvokeMember(String, BindingFlags, Binder, Object, Object[], ParameterModifier[], CultureInfo, String[])

调用指定的成员。 在指定的绑定器和调用属性的约束下,必须可访问要调用的方法,并使用指定的参数列表提供最具体的匹配项。

IsArrayImpl()

在派生类中重写时,实现 IsArray 属性并确定 Type 是否为数组。

IsArrayImpl()

在派生类中重写时,实现 IsArray 属性并确定 Type 是否为数组。

(继承自 Type)
IsAssignableFrom(Type)

获取一个值,该值指示是否可以为此对象分配指定的 Type

IsAssignableFrom(Type)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsAssignableFrom(TypeInfo)

获取一个值,该值指示是否可以为此对象分配指定的 TypeInfo 对象。

IsAssignableTo(Type)

确定当前类型是否可以分配给指定 targetType变量。

(继承自 Type)
IsByRefImpl()

在派生类中重写时,实现 IsByRef 属性,并确定 Type 是否通过引用传递。

IsByRefImpl()

在派生类中重写时,实现 IsByRef 属性,并确定 Type 是否通过引用传递。

(继承自 Type)
IsCOMObjectImpl()

在派生类中重写时,实现 IsCOMObject 属性并确定 Type 是否为 COM 对象。

IsCOMObjectImpl()

在派生类中重写时,实现 IsCOMObject 属性并确定 Type 是否为 COM 对象。

(继承自 Type)
IsContextfulImpl()

实现 IsContextful 属性,并确定是否可以在上下文中托管 Type

(继承自 Type)
IsCreated()

返回一个值,该值指示是否已创建当前动态类型。

IsCreatedCore()

在派生类中重写时,返回一个值,该值指示是否已创建当前动态类型。

IsDefined(Type, Boolean)

确定自定义属性是否应用于当前类型。

IsDefined(Type, Boolean)

在派生类中重写时,指示指定类型或其派生类型的一个或多个属性是否应用于此成员。

(继承自 MemberInfo)
IsEnumDefined(Object)

返回一个值,该值指示当前枚举类型中是否存在指定的值。

(继承自 Type)
IsEnumDefined(Object)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsEquivalentTo(Type)

确定两种 COM 类型是否具有相同的标识,并且是否有资格获得类型等效性。

(继承自 Type)
IsEquivalentTo(Type)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsInstanceOfType(Object)

确定指定的对象是否为当前 Type的实例。

(继承自 Type)
IsInstanceOfType(Object)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsMarshalByRefImpl()

实现 IsMarshalByRef 属性,并确定是否按引用封送 Type

(继承自 Type)
IsPointerImpl()

在派生类中重写时,实现 IsPointer 属性并确定 Type 是否为指针。

IsPointerImpl()

在派生类中重写时,实现 IsPointer 属性并确定 Type 是否为指针。

(继承自 Type)
IsPrimitiveImpl()

在派生类中重写时,实现 IsPrimitive 属性并确定 Type 是否为基元类型之一。

IsPrimitiveImpl()

在派生类中重写时,实现 IsPrimitive 属性并确定 Type 是否为基元类型之一。

(继承自 Type)
IsSubclassOf(Type)

确定此类型是否派生自指定类型。

IsSubclassOf(Type)

定义并创建运行时类的新实例。

(继承自 TypeInfo)
IsValueTypeImpl()

实现 IsValueType 属性并确定 Type 是否为值类型;不是类或接口。

(继承自 Type)
MakeArrayType()

返回一个 Type 对象,该对象表示当前类型的一维数组,下限为零。

MakeArrayType()

返回一个 Type 对象,该对象表示当前类型的一维数组,下限为零。

(继承自 Type)
MakeArrayType(Int32)

返回一个 Type 对象,该对象代表当前类型的数组,其中包含指定的维度数。

MakeArrayType(Int32)

返回一个表示当前类型的数组的 Type 对象,该数组具有指定的维度数。

(继承自 Type)
MakeByRefType()

返回一个 Type 对象,该对象表示作为 ref 参数(在 Visual Basic 中ByRef)传递时的当前类型。

MakeByRefType()

返回一个 Type 对象,该对象表示在作为 ref 参数(Visual Basic 中的ByRef 参数)传递时当前类型。

(继承自 Type)
MakeGenericType(Type[])

将类型数组的元素替换为当前泛型类型定义的类型参数,并返回生成的构造类型。

MakeGenericType(Type[])

将类型数组的元素替换为当前泛型类型定义的类型参数,并返回表示生成的构造类型的 Type 对象。

(继承自 Type)
MakePointerType()

返回一个 Type 对象,该对象表示指向当前类型的非托管指针的类型。

MakePointerType()

返回一个 Type 对象,该对象表示指向当前类型的指针。

(继承自 Type)
MemberwiseClone()

创建当前 Object的浅表副本。

(继承自 Object)
SetCustomAttribute(ConstructorInfo, Byte[])

使用指定的自定义属性 blob 设置自定义属性。

SetCustomAttribute(CustomAttributeBuilder)

使用自定义属性生成器设置自定义属性。

SetCustomAttributeCore(ConstructorInfo, ReadOnlySpan<Byte>)

在派生类中重写时,在此程序集上设置自定义属性。

SetParent(Type)

设置当前正在构造的类型的基本类型。

SetParentCore(Type)

在派生类中重写时,设置当前正在构造的类型的基本类型。

ToString()

返回排除命名空间的类型的名称。

显式接口实现

_MemberInfo.GetIDsOfNames(Guid, IntPtr, UInt32, UInt32, IntPtr)

将一组名称映射到相应的调度标识符集。

(继承自 MemberInfo)
_MemberInfo.GetType()

获取表示 MemberInfo 类的 Type 对象。

(继承自 MemberInfo)
_MemberInfo.GetTypeInfo(UInt32, UInt32, IntPtr)

检索对象的类型信息,然后可用于获取接口的类型信息。

(继承自 MemberInfo)
_MemberInfo.GetTypeInfoCount(UInt32)

检索对象提供的类型信息接口数(0 或 1)。

(继承自 MemberInfo)
_MemberInfo.Invoke(UInt32, Guid, UInt32, Int16, IntPtr, IntPtr, IntPtr, IntPtr)

提供对对象公开的属性和方法的访问。

(继承自 MemberInfo)
_Type.GetIDsOfNames(Guid, IntPtr, UInt32, UInt32, IntPtr)

将一组名称映射到相应的调度标识符集。

(继承自 Type)
_Type.GetTypeInfo(UInt32, UInt32, IntPtr)

检索对象的类型信息,然后可用于获取接口的类型信息。

(继承自 Type)
_Type.GetTypeInfoCount(UInt32)

检索对象提供的类型信息接口数(0 或 1)。

(继承自 Type)
_Type.Invoke(UInt32, Guid, UInt32, Int16, IntPtr, IntPtr, IntPtr, IntPtr)

提供对对象公开的属性和方法的访问。

(继承自 Type)
_TypeBuilder.GetIDsOfNames(Guid, IntPtr, UInt32, UInt32, IntPtr)

将一组名称映射到相应的调度标识符集。

_TypeBuilder.GetTypeInfo(UInt32, UInt32, IntPtr)

检索对象的类型信息,然后可用于获取接口的类型信息。

_TypeBuilder.GetTypeInfoCount(UInt32)

检索对象提供的类型信息接口数(0 或 1)。

_TypeBuilder.Invoke(UInt32, Guid, UInt32, Int16, IntPtr, IntPtr, IntPtr, IntPtr)

提供对对象公开的属性和方法的访问。

ICustomAttributeProvider.GetCustomAttributes(Boolean)

返回此成员上定义的所有自定义属性的数组,不包括命名属性,如果没有自定义属性,则返回空数组。

(继承自 MemberInfo)
ICustomAttributeProvider.GetCustomAttributes(Type, Boolean)

返回在此成员上定义的自定义属性的数组(按类型标识)或空数组(如果没有该类型的自定义属性)。

(继承自 MemberInfo)
ICustomAttributeProvider.IsDefined(Type, Boolean)

指示是否在此成员上定义了一个或多个 attributeType 实例。

(继承自 MemberInfo)
IReflectableType.GetTypeInfo()

TypeInfo 对象的形式返回当前类型的表示形式。

(继承自 TypeInfo)

扩展方法

GetCustomAttribute(MemberInfo, Type)

检索应用于指定成员的指定类型的自定义属性。

GetCustomAttribute(MemberInfo, Type, Boolean)

检索应用于指定成员的指定类型的自定义属性,并选择性地检查该成员的上级。

GetCustomAttribute<T>(MemberInfo)

检索应用于指定成员的指定类型的自定义属性。

GetCustomAttribute<T>(MemberInfo, Boolean)

检索应用于指定成员的指定类型的自定义属性,并选择性地检查该成员的上级。

GetCustomAttributes(MemberInfo)

检索应用于指定成员的自定义属性的集合。

GetCustomAttributes(MemberInfo, Boolean)

检索应用于指定成员的自定义属性的集合,并选择性地检查该成员的上级。

GetCustomAttributes(MemberInfo, Type)

检索应用于指定成员的指定类型的自定义属性集合。

GetCustomAttributes(MemberInfo, Type, Boolean)

检索应用于指定成员的指定类型的自定义属性集合,并选择性地检查该成员的上级。

GetCustomAttributes<T>(MemberInfo)

检索应用于指定成员的指定类型的自定义属性集合。

GetCustomAttributes<T>(MemberInfo, Boolean)

检索应用于指定成员的指定类型的自定义属性集合,并选择性地检查该成员的上级。

IsDefined(MemberInfo, Type)

指示指定类型的自定义属性是否应用于指定成员。

IsDefined(MemberInfo, Type, Boolean)

指示指定类型的自定义属性是否应用于指定成员,以及(可选)应用于其上级。

GetTypeInfo(Type)

返回指定类型的 TypeInfo 表示形式。

GetMetadataToken(MemberInfo)

获取给定成员的元数据令牌(如果可用)。

HasMetadataToken(MemberInfo)

返回一个值,该值指示元数据令牌是否可用于指定成员。

GetRuntimeEvent(Type, String)

检索表示指定事件的对象。

GetRuntimeEvents(Type)

检索一个集合,该集合表示在指定类型上定义的所有事件。

GetRuntimeField(Type, String)

检索表示指定字段的对象。

GetRuntimeFields(Type)

检索一个集合,该集合表示在指定类型上定义的所有字段。

GetRuntimeInterfaceMap(TypeInfo, Type)

返回指定类型和指定接口的接口映射。

GetRuntimeMethod(Type, String, Type[])

检索表示指定方法的对象。

GetRuntimeMethods(Type)

检索一个集合,该集合表示在指定类型上定义的所有方法。

GetRuntimeProperties(Type)

检索一个集合,该集合表示在指定类型上定义的所有属性。

GetRuntimeProperty(Type, String)

检索表示指定属性的对象。

GetConstructor(Type, Type[])

定义并创建运行时类的新实例。

GetConstructors(Type)

定义并创建运行时类的新实例。

GetDefaultMembers(Type)

定义并创建运行时类的新实例。

GetEvent(Type, String, BindingFlags)

定义并创建运行时类的新实例。

GetField(Type, String, BindingFlags)

定义并创建运行时类的新实例。

GetInterfaces(Type)

定义并创建运行时类的新实例。

GetMember(Type, String, BindingFlags)

定义并创建运行时类的新实例。

GetMembers(Type)

定义并创建运行时类的新实例。

GetMethod(Type, String, Type[])

定义并创建运行时类的新实例。

GetNestedType(Type, String, BindingFlags)

定义并创建运行时类的新实例。

GetProperties(Type)

定义并创建运行时类的新实例。

GetProperties(Type, BindingFlags)

定义并创建运行时类的新实例。

GetProperty(Type, String)

定义并创建运行时类的新实例。

GetProperty(Type, String, BindingFlags)

定义并创建运行时类的新实例。

GetProperty(Type, String, Type)

定义并创建运行时类的新实例。

GetProperty(Type, String, Type, Type[])

定义并创建运行时类的新实例。

IsAssignableFrom(Type, Type)

定义并创建运行时类的新实例。

IsInstanceOfType(Type, Object)

定义并创建运行时类的新实例。

适用于

另请参阅