使用其他类常数值调用构造函数
本文关键字:值调用 构造函数 常数 其他 | 更新日期: 2023-09-27 17:59:07
我希望构造函数调用只允许有限范围的"扩展"。假设我有这两个类:
public class Foo
{
public Foo(Extension ext)
{
// do something
}
}
public class Extension
{
public const string TXT = ".txt";
public const string XML = ".xml";
}
因此,当另一个开发人员想要使用Foo
时,他只能使用Extension
类中的值,比如:
Foo foo = new Foo(Extension.TXT);
但当我尝试这样做时,我得到了一个IDE错误:"cannot convert from 'string' to '<ProjectName>.Extension'
。
作为一种"变通方法",我可以将Extension
类更改为以下内容:
public class Extension
{
public enum File
{
TXT,
XML
}
}
并像这样使用:
Foo foo = new Foo(Extension.File.TXT);
它工作得很好,但我不喜欢的是调用长了一级(class->enum->element而不是class->element)。
那么,问题是,我的变通方法实际上是唯一有效、正确或最佳实践的解决方案吗?
您可以使用Java样式枚举类
public class Extension
{
string _Extension = null;
private Extension(string ext)
{
_Extension = ext;
}
public static Extension TXT
{
get { return new Extension(".txt"); }
}
public static Extension XML
{
get { return new Extension(".xml"); }
}
public override string ToString()
{
return _Extension;
}
public override bool Equals(object obj)
{
var e = obj as Extension;
if (e == null) return false;
return e._Extension == this._Extension;
}
public override int GetHashCode()
{
return _Extension.GetHashCode();
}
}
第一个示例将Extension
用作一个具有两个字符串常量的类。第二个示例使用枚举来代替常量。
public class Foo
{
// this .ctor expects a type of Extension, not a string.
public Foo(Extension ext)
{
// do something
}
}
// This class has only constant string values.
public class Extension
{
public const string TXT = ".txt";
public const string XML = ".xml";
}
尝试将字符串传递给上面的.ctor将不起作用,因为它需要类型为Extension
,而不是字符串。
// this passes in a string, not a type.
Foo foo = new Foo(Extension.TXT);
由于您想要限制Foo
.ctor可用的值,请使用第二个示例中的枚举:
public class Foo
{
public Foo(File ext)
{
// do something
}
}
public enum File
{
TXT,
XML
}
然后这将按预期工作:
Foo foo = new Foo(File.TXT);
为什么不在类Foo之外声明enum,并且没有任何类似类的特殊扩展?
public enum Extension
{
TXT,
XML
}
public class Foo
{
public Foo(Extension ext)
{
// do something
}
}
然后,当你构建一个Foo对象时,你可以简单地做:
Foo foo = new Foo(Extension.TXT);
您可以为要扩展的字符串定义默认构造函数和隐式运算符。例如:
public class Extension
{
public const string TXT = ".txt";
public const string XML = ".xml";
private _value;
public Extension(string value){if(value == TXT || value == XML) _value = value; else throw new NotImplementedException();}
public static implicit operator string(Extension value){return _value;}
public static implicit operator Extension(string value){if(value == TXT || value == XML) _value = value; else throw new NotImplementedException();}
}
这样你就可以调用Foo(".txt")或Foo(Extension.txt)
或者您可以将TXT定义为Extension:的实例
public class Extension
{
public const Extension TXT = new Extension(".txt");
public const Extension XML = new Extension(".xml");
public Value{get;private set;}
public Extension(string value){Value = value;}
}
只需将Extesion的第一个声明从class更改为Enum