C # отражает тип с переменным количеством параметров типа - PullRequest
2 голосов
/ 05 ноября 2011

Можно ли получить во время выполнения тип универсального класса, который имеет переменное число параметров типа?

Т.е., исходя из числа, можем ли мы получить тип кортежа с таким количеством элементов?

Type type = Type.GetType("System.Tuple<,>");

Ответы [ 2 ]

6 голосов
/ 05 ноября 2011

Способ записи:

Type generic = Type.GetType("System.Tuple`2");

Формат универсальных типов прост:

"Namespace.ClassName`NumberOfArguments"

`- символ 96. (ALT + 96).

Однако я бы избегал использования строк, это медленнее, чем использование typeof, или, что лучше, поиск в массиве.Я хотел бы предоставить хорошую статическую функцию, которая в тысячу раз быстрее ...

private static readonly Type[] generictupletypes = new Type[]
{
    typeof(Tuple<>),
    typeof(Tuple<,>),
    typeof(Tuple<,,>),
    typeof(Tuple<,,,>),
    typeof(Tuple<,,,,>),
    typeof(Tuple<,,,,,>),
    typeof(Tuple<,,,,,,>),
    typeof(Tuple<,,,,,,,>)
};

public static Type GetGenericTupleType(int argumentsCount)
{
    return generictupletypes[argumentsCount];
}
0 голосов
/ 05 ноября 2011

Попробуйте это:

using System;
using System.Collections.Generic;
using System.Text;
using System.Threading;
using System.Reflection;
using System.Reflection.Emit;

public class MainClass 
{
    public static void Main()
    {
        PrintTypeParams(typeof(Tuple<int, double, string>));
    }

    private static void PrintTypeParams(Type t)
    {
        Console.WriteLine("Type FullName: " + t.FullName);
        Console.WriteLine("Number of arguments: " + t.GetGenericArguments().Length);
        Console.WriteLine("List of arguments:");
        foreach (Type ty in t.GetGenericArguments())
        {
            Console.WriteLine(ty.FullName);
            if (ty.IsGenericParameter)
            {
                Console.WriteLine("Generic parameters:");
                Type[] constraints = ty.GetGenericParameterConstraints();
                foreach (Type c in constraints)
                Console.WriteLine(c.FullName);
            }
        }
    }
}

Вывод:

 Type FullName: System.Tuple`3[[System.Int32, mscorlib, Version=4.0.0.0, Culture=
 neutral, PublicKeyToken=b77a5c561934e089],[System.Double, mscorlib, Version=4.0.
 0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089],[System.String, mscorlib,
 Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089]]
 Number of arguments: 3
 List of arguments:
 System.Int32
 System.Double
 System.String
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...