Відповіді:
Якщо ви хочете перевірити, чи це екземпляр загального типу:
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>
{
}
}
EDIT: Як зазначено в коментарях, це може працювати для інтерфейсів:
foreach (var i in type.GetInterfaces())
{
if (i.IsGenericType && i.GetGenericTypeDefinition() == genericType)
{
return true;
}
}
У мене є підозрілі припущення, що навколо цього можуть бути деякі незручні випадки, але я не можу знайти жодного, який зараз не виходить з ладу.
List<T>
в ту чи іншу форму. Якщо включити інтерфейси, це справді складно.
IsInstanceOfGenericType
на виклик IsAssignableFrom
замість оператора рівності ( ==
)?
Ви можете використовувати коротший код, використовуючи динамічний althougth, це може бути повільніше, ніж чисте відображення:
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();
Це два моїх улюблених способу розширення, які охоплюють більшість кращих випадків перевірки загального типу:
Працює з:
Має перевантаження, яка буде "виводити" конкретний загальний тип, якщо він повертає істину (див. Тест одиниці для зразків):
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;