我有一个表示基于
JSON的API的类层次结构.有一个通用工厂使用.NET 4(没有第三方库)将api调用和反序列化为类.我试图避免必须实例化该类来检索每个类唯一的只读信息.
我曾经想过(直到我开始阅读this和this,…)我会将静态URL与基类/接口相关联,然后在派生类的构造函数中设置它.像(这个例子不起作用):
abstract class url { public abstract static string URL; // This is invalid Syntax! } class b : url { static b () { URL = "http://www.example.com/api/x/?y=1"; } } class c: url { static c () { URL = "http://www.example.com/api/z"; } } // ... so the factory can do something like ... b result = doJSONRequest<b>(b.URL);
这不起作用.静态字段不能是抽象的,也不能在b和c中唯一设置,因为静态变量存储在它定义的类中(在本例中为url).
如何才能有一个与类关联的只读项,以便您可以访问该项(等)而无需实例化该类?
解决方法
我已经实现了这样的模式,以帮助提醒我需要为每个派生类设置需要静态访问的常量:
public abstract class Foo { public abstract string Bar { get; } } public class Derived : Foo { public const string Constant = "value"; public override string Bar { get { return Derived.Constant; } } }
我甚至发现在实现这种模式之后,对常量的多态性使用同样有帮助.