我想从静态方法获取派生类型。
我想做这样的事情
void foo()
{
this.getType();
}
但是以静态方法
我知道
MethodBase.GetCurrentMethod().DeclaringType
返回基类型,但我需要派生。
答案 0 :(得分:13)
假设你的意思是你有这样的东西
class MyBaseClass
{
public static void DoSomething()
{
Console.WriteLine(/* current class name */);
}
}
class MyDerivedClass : MyBaseClass
{
}
并希望MyDerivedClass.DoSomething();
打印"MyDerivedClass"
,然后答案是:
您的问题无法解决。静态方法不像实例方法那样继承。您可以使用DoSomething
或MyBaseClass.DoSomething
来引用MyDerivedClass.DoSomething
,但两者都会被编译为MyBaseClass.DoSomething
的来电。无法找出源代码中使用的内容来进行调用。
答案 1 :(得分:10)
我想你需要这样的场景:
void Main()
{
Base.StaticMethod(); // should return "Base"
Derived.StaticMethod(); // should return "Derived"
}
class Base
{
public static void StaticMethod()
{
Console.WriteLine(MethodBase.GetCurrentMethod().DeclaringType.Name);
}
}
class Derived: Base
{
}
然而,此代码将返回
Base
Base
这是因为静态方法调用在编译时被解析为对基类的调用,实际上定义了它,即使它是从派生类调用的。行
Base.StaticMethod();
Derived.StaticMethod();
生成以下IL:
IL_0001: call Base.StaticMethod
IL_0006: nop
IL_0007: call Base.StaticMethod
总之,它无法完成。
答案 2 :(得分:0)
7 1/2年后...
我很想做同样的事情,这就是我发现这个问题的方式。有一个与要求相近的解决方案, MAY 对于其他搜索此问题的人很有用。
我想要一个静态方法,该方法将返回具有为我设置的所有基本设置的类的实例。以下作品:
void Main()
{
ChildClassA cA = ChildClassA.SetFoo();
}
public abstract class BaseClass
{
public bool Foo {get; set;}
}
public class ChildClassA : BaseClass
{
public static ChildClassA SetFoo() => new ChildClassA{Foo = false};
}
public class ChildClassB : BaseClass
{
public static ChildClassB SetFoo() => new ChildClassB { Foo = false };
}
这很好,但是我想将SetFoo
函数放在基类中,以便
SetFoo
。您不能这样做:
public abstract static BaseClass SetFoo;
因为静态的东西不能抽象。您也不能:
public static BaseClass SetFoo => new BaseClass{ Foo = false };
因为您不能创建一个抽象类。
但是,您可以做的是使用泛型来指定所需的派生类型。看起来像这样:
void Main()
{
ChildClassA cA = BaseClass.SetFoo<ChildClassA>();
}
public abstract class BaseClass
{
public bool Foo {get; set;}
public static T SetFoo<T>() where T:BaseClass, new() => new T{Foo = false };
}
public class ChildClassA : BaseClass
{
// You can leave this here if you still want to call ChildClassA.SetFoo();
//public static ChildClassA SetFoo() => new ChildClassA{Foo = false};
}
public class ChildClassB : BaseClass
{
//Again, you can leave this for ChildClassB.SetFoo()--the compiler won't mind
//public static ChildClassB SetFoo() => new ChildClassB { Foo = false };
}
这仅比我们真正想要的(派生的StaticBase)笨重一些,但是非常接近。