class Program
{
static void Main(string[] args) {
Check(new Foo());
Check(new Bar());
}
static void Check<T>(T obj) {
// "The type T cannot be used as type parameter..."
if (typeof(T).IsSubclassOf(typeof(Entity<T>))) {
System.Console.WriteLine("obj is Entity<T>");
}
}
}
class Entity<T> where T : Entity<T>{ }
class Foo : Entity<Foo> { }
class Bar { }
使这个东西编译的正确方法是什么?我可以从非通用Entity<T>
类中继承EntityBase
,或者可以尝试typeof(Entity<>).MakeGenericType(typeof(T))
并查看它是否成功,但是有一种方式不会滥用{{1阻止或填充类型层次结构?
try { } catch { }
上的某些方法看起来很有用,例如Type
和GetGenericArguments
,但我对如何使用它们毫无头绪...... < / p>
答案 0 :(得分:4)
这样的事情应该有效。
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
namespace ConsoleApplication4 {
class Program {
static void Main(string[] args) {
Check(new Foo());
Check(new Bar());
Console.ReadLine();
}
static void Check<T>(T obj) {
// "The type T cannot be used as type parameter..."
if (IsDerivedOfGenericType(typeof(T), typeof(Entity<>))) {
System.Console.WriteLine(string.Format("{0} is Entity<T>", typeof(T)));
}
}
static bool IsDerivedOfGenericType(Type type, Type genericType) {
if (type.IsGenericType && type.GetGenericTypeDefinition() == genericType)
return true;
if (type.BaseType != null) {
return IsDerivedOfGenericType(type.BaseType, genericType);
}
return false;
}
}
class Entity<T> where T : Entity<T> { }
class Foo : Entity<Foo> { }
class Bar { }
}