web-dev-qa-db-ja.com

リフレクション-System.Typeインスタンスから汎用パラメーターを取得する

次のコードがある場合:

MyType<int> anInstance = new MyType<int>();
Type type = anInstance.GetType();

タイプ変数を調べることで、どのタイプパラメータ「anInstance」がインスタンス化されたかを確認するにはどうすればよいですか?出来ますか ?

34
driis

Type.GetGenericArguments を使用します。例えば:

using System;
using System.Collections.Generic;

public class Test
{
    static void Main()
    {
        var dict = new Dictionary<string, int>();

        Type type = dict.GetType();
        Console.WriteLine("Type arguments:");
        foreach (Type arg in type.GetGenericArguments())
        {
            Console.WriteLine("  {0}", arg);
        }
    }
}

出力:

Type arguments:
  System.String
  System.Int32
53
Jon Skeet

Type.GetGenericArguments()を使用します。例えば:

using System;
using System.Reflection;

namespace ConsoleApplication1 {
  class Program {
    static void Main(string[] args) {
      MyType<int> anInstance = new MyType<int>();
      Type type = anInstance.GetType();
      foreach (Type t in type.GetGenericArguments())
        Console.WriteLine(t.Name);
      Console.ReadLine();
    }
  }
  public class MyType<T> { }
}

出力:Int32

11
Hans Passant