Ответы:
Если вы хотите проверить, является ли это экземпляром универсального типа:
return list.GetType().IsGenericType;
Если вы хотите проверить, является ли это универсальным List<T>
:
return list.GetType().GetGenericTypeDefinition() == typeof(List<>);
Как указывает Джон, это проверяет точную эквивалентность типов. Возвращение false
не обязательно означает list is List<T>
возврат false
(т. Е. Объект не может быть присвоен List<T>
переменной).
Я предполагаю, что вы не просто хотите знать, является ли тип универсальным, но является ли объект экземпляром определенного универсального типа, не зная аргументов типа.
К сожалению, не все так просто. Это не так уж плохо, если универсальный тип является классом (как в данном случае), но это сложнее для интерфейсов. Вот код для класса:
using System;
using System.Collections.Generic;
using System.Reflection;
class Test
{
static bool IsInstanceOfGenericType(Type genericType, object instance)
{
Type type = instance.GetType();
while (type != null)
{
if (type.IsGenericType &&
type.GetGenericTypeDefinition() == genericType)
{
return true;
}
type = type.BaseType;
}
return false;
}
static void Main(string[] args)
{
// True
Console.WriteLine(IsInstanceOfGenericType(typeof(List<>),
new List<string>()));
// False
Console.WriteLine(IsInstanceOfGenericType(typeof(List<>),
new string[0]));
// True
Console.WriteLine(IsInstanceOfGenericType(typeof(List<>),
new SubList()));
// True
Console.WriteLine(IsInstanceOfGenericType(typeof(List<>),
new SubList<int>()));
}
class SubList : List<string>
{
}
class SubList<T> : List<T>
{
}
}
РЕДАКТИРОВАТЬ: Как отмечено в комментариях, это может работать для интерфейсов:
foreach (var i in type.GetInterfaces())
{
if (i.IsGenericType && i.GetGenericTypeDefinition() == genericType)
{
return true;
}
}
У меня есть подлое подозрение, что вокруг этого могут быть какие-то неуклюжие крайние случаи, но я не могу найти тот, в котором сейчас ничего не получится.
List<T>
в ту или иную форму. Если вы включите интерфейсы, это действительно сложно.
IsInstanceOfGenericType
вызовом IsAssignableFrom
вместо оператора равенства ( ==
)?
Вы можете использовать более короткий код, используя динамический алгоритм, хотя это может быть медленнее, чем чистое отражение:
public static class Extension
{
public static bool IsGenericList(this object o)
{
return IsGeneric((dynamic)o);
}
public static bool IsGeneric<T>(List<T> o)
{
return true;
}
public static bool IsGeneric( object o)
{
return false;
}
}
var l = new List<int>();
l.IsGenericList().Should().BeTrue();
var o = new object();
o.IsGenericList().Should().BeFalse();
Это два моих любимых метода расширения, которые охватывают большинство крайних случаев проверки универсального типа:
Работает с:
Имеет перегрузку, которая будет «выходить» из определенного универсального типа, если он возвращает true (см. Пример для модульного теста):
public static bool IsOfGenericType(this Type typeToCheck, Type genericType)
{
Type concreteType;
return typeToCheck.IsOfGenericType(genericType, out concreteType);
}
public static bool IsOfGenericType(this Type typeToCheck, Type genericType, out Type concreteGenericType)
{
while (true)
{
concreteGenericType = null;
if (genericType == null)
throw new ArgumentNullException(nameof(genericType));
if (!genericType.IsGenericTypeDefinition)
throw new ArgumentException("The definition needs to be a GenericTypeDefinition", nameof(genericType));
if (typeToCheck == null || typeToCheck == typeof(object))
return false;
if (typeToCheck == genericType)
{
concreteGenericType = typeToCheck;
return true;
}
if ((typeToCheck.IsGenericType ? typeToCheck.GetGenericTypeDefinition() : typeToCheck) == genericType)
{
concreteGenericType = typeToCheck;
return true;
}
if (genericType.IsInterface)
foreach (var i in typeToCheck.GetInterfaces())
if (i.IsOfGenericType(genericType, out concreteGenericType))
return true;
typeToCheck = typeToCheck.BaseType;
}
}
Вот тест для демонстрации (основной) функциональности:
[Test]
public void SimpleGenericInterfaces()
{
Assert.IsTrue(typeof(Table<string>).IsOfGenericType(typeof(IEnumerable<>)));
Assert.IsTrue(typeof(Table<string>).IsOfGenericType(typeof(IQueryable<>)));
Type concreteType;
Assert.IsTrue(typeof(Table<string>).IsOfGenericType(typeof(IEnumerable<>), out concreteType));
Assert.AreEqual(typeof(IEnumerable<string>), concreteType);
Assert.IsTrue(typeof(Table<string>).IsOfGenericType(typeof(IQueryable<>), out concreteType));
Assert.AreEqual(typeof(IQueryable<string>), concreteType);
}
return list.GetType().IsGenericType;