覆盖静态类成员和通过泛型访问

时间:2016-06-11 15:51:17

标签: c# generics static

描述我的问题的最简单方法是使用示例代码。我知道这不会编译,但我需要一个类似的选项

abstract class Foo 
{
protected abstract static  ElementName {get;} 
}
class Bar : Foo
{
protected static override ElementName
{
    get
    {
        return "bar";
    }
}
}
class Baz<T> where T : Foo
{
public string ElementName 
{
    get
    {
        return T.ElementName;
    }
}
}

素不相识

1 个答案:

答案 0 :(得分:3)

这不能以您想要的方式完成,但您可以使用反射实现类似的功能。这是一个示例,为您的问题提供了两种可能的解决方案(更新):

abstract class Foo
{
    protected abstract string _ElementName { get; }

    public static string GetElementName<T>() where T : Foo, new()
    {
        return typeof(T).GetProperty("_ElementName", BindingFlags.Instance | BindingFlags.NonPublic)?
                        .GetValue(new T()) as string;
    }

    public static string GetStaticElementName<T>() where T : Foo, new()
    {
        return typeof(T).GetProperty("ElementName", BindingFlags.Static | BindingFlags.NonPublic)?
                        .GetValue(null) as string;
    }
}

class Bar : Foo
{
    protected static string ElementName
    {
        get
        {
            return "StaticBar";
        }
    }

    protected override string _ElementName
    {
        get
        {
            return "Bar";
        }
    }
}

class FooBar : Bar
{
    protected static string ElementName
    {
        get
        {
            return "StaticFooBar";
        }
    }

    protected override string _ElementName
    {
        get
        {
            return "FooBar";
        }
    }
}

class Baz<T> where T : Foo, new()
{
    public string ElementName
    {
        get
        {
            return Foo.GetElementName<T>();
        }
    }

    public string StaticElementName
    {
        get
        {
            return Foo.GetStaticElementName<T>();
        }
    }
}

...

Console.WriteLine(new Baz<Bar>().ElementName); // Bar
Console.WriteLine(new Baz<FooBar>().ElementName); // FooBar
Console.WriteLine(new Baz<Bar>().StaticElementName); // StaticBar
Console.WriteLine(new Baz<FooBar>().StaticElementName); // StaticFooBar