반응형
사용자 지정 속성에 대한 클라이언트 측 유효성 검사 수행
Custom Validation Attribute를 만들었습니다.
public class FutureDateAttribute : ValidationAttribute
{
public override bool IsValid(object value)
{
if (value == null|| (DateTime)value < DateTime.Now)
return false;
return true;
}
}
jquery로 클라이언트 측에서도 작동하도록 하려면 어떻게 해야 합니까?
진행 방법은 다음과 같습니다.
먼저 사용자 지정 유효성 검사 속성을 정의합니다.
public class FutureDateAttribute : ValidationAttribute, IClientValidatable
{
public override bool IsValid(object value)
{
if (value == null || (DateTime)value < DateTime.Now)
return false;
return true;
}
public IEnumerable<ModelClientValidationRule> GetClientValidationRules(ModelMetadata metadata, ControllerContext context)
{
yield return new ModelClientValidationRule
{
ErrorMessage = this.ErrorMessage,
ValidationType = "futuredate"
};
}
}
IclientValidable을 구현하는 방법에 주목합니다.다음으로 모델을 작성합니다.
public class MyViewModel
{
[FutureDate(ErrorMessage = "Should be in the future")]
public DateTime Date { get; set; }
}
그러면 컨트롤러:
public class HomeController : Controller
{
public ActionResult Index()
{
return View(new MyViewModel
{
// intentionally put in the past
Date = DateTime.Now.AddDays(-1)
});
}
[HttpPost]
public ActionResult Index(MyViewModel model)
{
return View(model);
}
}
마지막으로 보기:
@using (Html.BeginForm())
{
@Html.LabelFor(x => x.Date)
@Html.TextBoxFor(x => x.Date)
@Html.ValidationMessageFor(x => x.Date)
<input type="submit" value="OK" />
}
마법이 일어나기 위한 마지막 부분은 사용자 지정 어댑터를 정의하는 것입니다.
<script src="@Url.Content("~/Scripts/jquery.validate.js")" type="text/javascript"></script>
<script src="@Url.Content("~/Scripts/jquery.validate.unobtrusive.js")" type="text/javascript"></script>
<script type="text/javascript">
// we add a custom jquery validation method
jQuery.validator.addMethod('greaterThan', function (value, element, params) {
if (!/Invalid|NaN/.test(new Date(value))) {
return new Date(value) > new Date($(params).val());
}
return isNaN(value) && isNaN($(params).val()) || (parseFloat(value) > parseFloat($(params).val()));
}, '');
// and an unobtrusive adapter
jQuery.validator.unobtrusive.adapters.add('futuredate', { }, function (options) {
options.rules['greaterThan'] = true;
options.messages['greaterThan'] = options.message;
});
</script>
질문을 받은 후 시간이 조금 걸렸지만 여전히 메타데이터를 좋아하고 여전히 단순화된 대안을 찾고 있다면 다음 주석을 사용하여 문제를 해결할 수 있습니다.
[Required]
[AssertThat("Date > Now()")]
public DateTime? Date { get; set; }
서버와 클라이언트 모두에서 즉시 사용할 수 있습니다.자세한 내용은 Expressive Annotations 라이브러리를 참조하십시오.
언급URL : https://stackoverflow.com/questions/4747184/perform-client-side-validation-for-custom-attribute
반응형
'code' 카테고리의 다른 글
C에서 상수를 문장으로 사용할 수 있는 이유는 무엇입니까? (0) | 2023.10.30 |
---|---|
_일부 필드에만 Enter 키를 사용하여 양식 제출을 사용하지 않도록 설정합니다. (0) | 2023.10.30 |
Node.js에서 cURL에 해당합니까? (0) | 2023.10.30 |
클로저 XML 구문 분석 (0) | 2023.10.30 |
각도 4에서 Excel로 내보내기 (0) | 2023.10.25 |