在Power
shell中,当我定义一个函数时,我可以使用[ValidateSet]轻松指定参数的可能值列表,例如
function Log {
param (
[ValidateSet("File", "Database")]
[string]$Type = "File"
)
# my code
}
这样我就定义了一个默认值文件和一组可能的值文件和数据库.在C#中是否有类似的方法,或者我应该“手动”在构造函数中执行检查?
public Log(string type = "file") {
public Log() {
if ... # here goes my check on the string
}
}
最佳答案 如果您只有有限的值范围,那么您可以使用枚举.首先设置你的枚举:
public enum MyValues
{
File,
Database
}
然后像使用任何其他参数类型一样使用它:
public void Log(MyValues type = MyValues.File)
{
switch (type)
{
case MyValues.File:
//Do file stuff here
break;
case MyValues.Database:
//Do database stuff here
break;
default:
throw new ArgumentException("You passed in a dodgy value!");
}
}