10

我想从静态方法中获取派生类型。

我想做这样的事情

void foo()
{
  this.getType();
}

但在静态方法中

我知道

MethodBase.GetCurrentMethod().DeclaringType

返回基本类型,但我需要派生。

4

3 回答 3

13

假设你的意思是你有这样的东西

class MyBaseClass
{
    public static void DoSomething()
    {
        Console.WriteLine(/* current class name */);
    }
}

class MyDerivedClass : MyBaseClass
{
}

并想MyDerivedClass.DoSomething();打印"MyDerivedClass",那么答案是:

您的问题没有解决方案。静态方法不像实例方法那样被继承。您可以参考DoSomething使用MyBaseClass.DoSomethingor MyDerivedClass.DoSomething,但两者都被编译为对 的调用MyBaseClass.DoSomething。无法找出源代码中使用了哪个来进行调用。

于 2013-01-26T22:51:03.500 回答
11

我想你需要这样的场景:

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

一句话,做不到。

于 2013-01-26T22:54:11.107 回答
2

7 1/2 年后……

我想做的事情与我发现这个问题的方式非常相似。有一个接近于所要求的解决方案,并且可能对其他搜索此问题的人有用。

我想要一个静态方法,它会返回一个类的实例,其中包含为我设置的所有基本设置。以下作品:

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函数放在基类中,这样

  1. 我不必有那么多重复的代码和
  2. 确保所有 BaseClass 对象都有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 };
}

这只是比我们真正想要的(derived.StaticBase)稍微笨拙一点,但它非常接近。

于 2020-06-30T04:41:15.547 回答