Java和C#下的参数验证方法
参数的输入和验证问题是开发时经常遇到的,一般的验证方法如下:
publicboolRegister(stringname,intage)
{
if(string.IsNullOrEmpty(name))
{
thrownewArgumentException("nameshouldnotbeempty","name");
}
if(age<10||age>70)
{
thrownewArgumentException("theagemustbetween10and70","age");
}
//...
}
这样做当需求变动的时候,要改动的代码相应的也比较多,这样比较麻烦,最近接触到了Java和C#下2种方便的参数验证方法,简单的介绍下。
Java参数验证:
采用google的guava下的一个辅助类:
importcom.google.common.base.Preconditions;
示例代码:
publicstaticvoidcheckPersonInfo(intage,Stringname){
Preconditions.checkNotNull(name,"name为null");
Preconditions.checkArgument(name.length()>0,"name的长度要大于0");
Preconditions.checkArgument(age>0,"age必须大于0");
System.out.println("apersonage:"+age+",name:"+name);
}
publicstaticvoidgetPostCode(Stringcode){
Preconditions.checkArgument(checkPostCode(code),"邮政编码不符合要求");
System.out.println(code);
}
publicstaticvoidmain(String[]args){
try{
checkPersonInfo(10,"fdsfsd");
checkPersonInfo(10,null);
checkPersonInfo(-10,"fdsfsd");
getPostCode("012234");
}catch(Exceptione){
e.printStackTrace();
}
}
当参数不满足要求的时候,抛出异常信息,异常中携带的信息为后面自定义的字符串,这样写就方便多了。
C#参数验证:
采用FluentValidation这个类库,参考地址在下面。
使用方法:
一个简单的Person类:
publicclassPerson
{
publicstringName{set;get;}
publicintAge{set;get;}
publicPerson(stringname,intage)
{
Name=name;
Age=age;
}
}
Person的验证类:
publicclassPersonValidator:AbstractValidator<Person>
{
publicPersonValidator()
{
RuleFor(x=>x.Name).NotEmpty().WithMessage("姓名不能为空");
RuleFor(x=>x.Name).Length(1,50).WithMessage("姓名字符不能超过50");
RuleFor(x=>x.Age).GreaterThan(0).WithMessage("年龄必须要大于0");
}
privateboolValidName(stringname)
{
//customnamevalidatinglogicgoeshere
returntrue;
}
}
使用:
classProgram
{
staticvoidMain(string[]args)
{
Personcustomer=newPerson(null,-10);
PersonValidatorvalidator=newPersonValidator();
ValidationResultresults=validator.Validate(customer);
boolvalidationSucceeded=results.IsValid;
IList<ValidationFailure>failures=results.Errors;
foreach(varfailureinfailures)
{
Console.WriteLine(failure.ErrorMessage);
}
Console.ReadKey();
}
}
FluentValidation的使用文档:http://fluentvalidation.codeplex.com/documentation
以上就是小编为大家带来的Java和C#下的参数验证方法的全部内容了,希望对大家有所帮助,多多支持毛票票~