Veri ek açıklamalarında boole özelliğinin true olarak ayarlanmasını gerektirmenin bir yolu var mı?
public class MyAwesomeObj{
public bool ThisMustBeTrue{get;set;}
}
Veri ek açıklamalarında boole özelliğinin true olarak ayarlanmasını gerektirmenin bir yolu var mı?
public class MyAwesomeObj{
public bool ThisMustBeTrue{get;set;}
}
Yanıtlar:
Kendi doğrulayıcınızı oluşturabilirsiniz:
public class IsTrueAttribute : ValidationAttribute
{
#region Overrides of ValidationAttribute
/// <summary>
/// Determines whether the specified value of the object is valid.
/// </summary>
/// <returns>
/// true if the specified value is valid; otherwise, false.
/// </returns>
/// <param name="value">The value of the specified validation object on which the <see cref="T:System.ComponentModel.DataAnnotations.ValidationAttribute"/> is declared.
/// </param>
public override bool IsValid(object value)
{
if (value == null) return false;
if (value.GetType() != typeof(bool)) throw new InvalidOperationException("can only be used on boolean properties.");
return (bool) value;
}
#endregion
}
return (bool) value == true;
bu gereksiz bir karşılaştırmadır
Hem Sunucu hem de İstemci tarafı için bir doğrulayıcı oluştururdum. MVC ve göze çarpmayan form doğrulama kullanarak, bu basitçe aşağıdakileri yaparak başarılabilir:
İlk olarak, sunucu tarafı doğrulamasını şu şekilde gerçekleştirmek için projenizde bir sınıf oluşturun:
public class EnforceTrueAttribute : ValidationAttribute, IClientValidatable
{
public override bool IsValid(object value)
{
if (value == null) return false;
if (value.GetType() != typeof(bool)) throw new InvalidOperationException("can only be used on boolean properties.");
return (bool)value == true;
}
public override string FormatErrorMessage(string name)
{
return "The " + name + " field must be checked in order to continue.";
}
public IEnumerable<ModelClientValidationRule> GetClientValidationRules(ModelMetadata metadata, ControllerContext context)
{
yield return new ModelClientValidationRule
{
ErrorMessage = String.IsNullOrEmpty(ErrorMessage) ? FormatErrorMessage(metadata.DisplayName) : ErrorMessage,
ValidationType = "enforcetrue"
};
}
}
Bunu takiben, modelinizdeki uygun mülke açıklama ekleyin:
[EnforceTrue(ErrorMessage=@"Error Message")]
public bool ThisMustBeTrue{ get; set; }
Son olarak, aşağıdaki komut dosyasını Görünümünüze ekleyerek istemci tarafı doğrulamayı etkinleştirin:
<script type="text/javascript">
jQuery.validator.addMethod("enforcetrue", function (value, element, param) {
return element.checked;
});
jQuery.validator.unobtrusive.adapters.addBool("enforcetrue");
</script>
Not: GetClientValidationRules
Açıklamamızı modelimizden görünüme iten bir yöntem oluşturduk .
Uluslararasılaştırma için hata mesajını sağlamak için kaynak dosyaları kullanıyorsanız, FormatErrorMessage
aramayı kaldırın (veya sadece tabanı arayın) ve aşağıdaki GetClientValidationRules
gibi yöntemi değiştirin :
public IEnumerable<ModelClientValidationRule> GetClientValidationRules(ModelMetadata metadata, ControllerContext context)
{
string errorMessage = String.Empty;
if(String.IsNullOrWhiteSpace(ErrorMessage))
{
// Check if they supplied an error message resource
if(ErrorMessageResourceType != null && !String.IsNullOrWhiteSpace(ErrorMessageResourceName))
{
var resMan = new ResourceManager(ErrorMessageResourceType.FullName, ErrorMessageResourceType.Assembly);
errorMessage = resMan.GetString(ErrorMessageResourceName);
}
}
else
{
errorMessage = ErrorMessage;
}
yield return new ModelClientValidationRule
{
ErrorMessage = errorMessage,
ValidationType = "enforcetrue"
};
}
Bunun daha eski bir gönderi olduğunu biliyorum, ancak bunu yapmanın basit bir sunucu tarafı yolunu paylaşmak istedim. True olarak ayarlanmış bir genel mülk oluşturursunuz ve bool'unuzu bu mülkle karşılaştırırsınız. Bool değeriniz kontrol edilmezse (varsayılan olarak yanlış), form doğrulanmayacaktır.
public bool isTrue
{ get { return true; } }
[Required]
[Display(Name = "I agree to the terms and conditions")]
[Compare("isTrue", ErrorMessage = "Please agree to Terms and Conditions")]
public bool AgreeTerms { get; set; }
Jilet kodu
@Html.CheckBoxFor(m => Model.AgreeTerms, new { id = "AgreeTerms", @checked = "checked" })
<label asp-for="AgreeTerms" class="control-label"></label>
<a target="_blank" href="/Terms">Read</a>
<br />
@Html.ValidationMessageFor(model => model.AgreeTerms, "", new { @class = "text-danger" })
@Html.HiddenFor(x => Model.isTrue)
Birkaç çözüm denedim, ancak hiçbiri hem istemci hem de sunucu tarafı doğrulamasını almak için tam olarak çalışmadı. MVC 5 uygulamamda onu çalıştırmak için yaptığım şey:
ViewModel'inizde (sunucu tarafı doğrulama için):
public bool IsTrue => true;
[Required]
[Display(Name = "I agree to the terms and conditions")]
[Compare(nameof(IsTrue), ErrorMessage = "Please agree to Terms and Conditions")]
public bool HasAcceptedTermsAndConditions { get; set; }
Razor sayfanızda (istemci tarafı doğrulama için):
<div class="form-group">
@Html.CheckBoxFor(m => m.HasAcceptedTermsAndConditions)
@Html.LabelFor(m => m.HasAcceptedTermsAndConditions)
@Html.ValidationMessageFor(m => m.HasAcceptedTermsAndConditions)
@Html.Hidden(nameof(Model.IsTrue), "true")
</div>
İnsanları şu Fiddle'a yönlendirmek istiyorum: https://dotnetfiddle.net/JbPh0X
Kullanıcı [Range(typeof(bool), "true", "true", ErrorMessage = "You gotta tick the box!")]
, sunucu tarafı doğrulamasının çalışmasına neden olan boole özelliğine ekledi
.
İstemci tarafı doğrulamasının da çalışabilmesi için aşağıdaki komut dosyasını eklediler:
// extend jquery range validator to work for required checkboxes
var defaultRangeValidator = $.validator.methods.range;
$.validator.methods.range = function(value, element, param) {
if(element.type === 'checkbox') {
// if it's a checkbox return true if it is checked
return element.checked;
} else {
// otherwise run the default validation function
return defaultRangeValidator.call(this, value, element, param);
}
}
Dize temsilinin şuna eşit olup olmadığını kontrol edin True
:
[RegularExpression("True")]
public bool TermsAndConditions { get; set; }
RegularExpressionAttribute
dahili Convert.ToString
olarak mülkün değerinin dize temsilini almak için kullanır (bu, ona bir olarak teslim edilir object
).
Kendi özniteliğinizi oluşturabilir veya CustomValidationAttribute'u kullanabilirsiniz .
CustomValidationAttribute şu şekilde kullanılır:
[CustomValidation(typeof(BoolValidation), "ValidateBool")]
BoolValidation şu şekilde tanımlanır:
public class BoolValidation
{
public static ValidationResult ValidateBool(bool boolToBeTrue)
{
if (boolToBeTrue)
{
return ValidationResult.Success;
}
else
{
return new ValidationResult(
"Bool must be true.");
}
}
[Required]
öznitelik, herhangi bir değer gerektirmek anlamına gelir - doğru veya yanlış olabilir. Bunun için başka bir doğrulama kullanmanız gerekir.
İçin ASP.NET MVC Çekirdek burada dazbradbury çözümüyle dayalı istemci ve sunucu doğrulama olduğunu
public class EnforceTrueAttribute : ValidationAttribute, IClientModelValidator
{
public override bool IsValid(object value)
{
if (value == null) return false;
if (value.GetType() != typeof(bool)) throw new InvalidOperationException("can only be used on boolean properties.");
return (bool)value;
}
public void AddValidation(ClientModelValidationContext context)
{
MergeAttribute(context.Attributes, "data-val", "true");
var errorMessage = ErrorMessage ??
$"The value for field {context.ModelMetadata.GetDisplayName()} must be true.";
MergeAttribute(context.Attributes, "data-val-enforcetrue", errorMessage);
}
private void MergeAttribute(IDictionary<string, string> attributes,
string key,
string value)
{
if (attributes.ContainsKey(key))
{
return;
}
attributes.Add(key, value);
}
}
Ve sonra müşteride:
$.validator.addMethod("enforcetrue", function (value, element, param) {
return element.checked;
});
$.validator.unobtrusive.adapters.addBool("enforcetrue");
O zaman kullanım:
[EnforceTrue(ErrorMessage = "Please tick the checkbox")]
public bool IsAccepted { get; set; }
required
HTML girdisine öznitelik KOYMAYIN , örneğin:<input asp-for="..." class="..." id="..." type="checkbox" required/>
Ta.speot.is tarafından yazılan gönderi ve Jerad Rose'un yorumu:
Verilen gönderi, göze çarpmayan doğrulama ile istemci tarafında çalışmayacaktır. Bu her iki kampta da çalışmalıdır (istemci ve sunucu):
[RegularExpression("(True|true)")]
public bool TermsAndConditions { get; set; }
regex
göze batmayan yöntemin, normal ifadeyi doğrulamadan önce onay kutusunun isteğe bağlı olup olmadığını kontrol eden ilk kontrolleri olduğu gibi görünüyor; jquery.validate, işaretlenmemiş herhangi bir onay kutusunu isteğe bağlı olarak kabul ediyor gibi görünmesi dışında mantıklıdır. tl; dr Normal ifadeyi yalnızca işaretli onay kutularında çalıştırır. regex
validator
Yöntem için bir şim ekleyebilir veya sadece özel bir doğrulayıcı oluşturabiliriz.
.NET Core MVC - Veri Açıklamaları ile Gerekli Onay Kutusu
public class MyModel
{
[Display(Name = "Confirmation")]
[Range(typeof(bool), "true", "true", ErrorMessage = "Please check the Confirmation checkbox.")]
public bool IsConfirmed { get; set; }
}
<div class="custom-control custom-checkbox col-10">
<input type="checkbox" asp-for="IsConfirmed" class="custom-control-input" />
<label class="custom-control-label" for="IsConfirmed">
"By clicking 'submit', I confirm."
</label>
<span asp-validation-for="IsConfirmed" class="text-danger"></span>
</div>
<script src="~/lib/jquery-validation/dist/jquery.validate.js"></script>
<script src="~/lib/jquery-validation-unobtrusive/jquery.validate.unobtrusive.js"></script>
<script type="text/javascript">
$(document).ready(function () {
// extend range validator method to treat checkboxes differently
var defaultRangeValidator = $.validator.methods.range;
$.validator.methods.range = function (value, element, param) {
if (element.type === 'checkbox') {
// if it's a checkbox return true if it is checked
return element.checked;
} else {
// otherwise run the default validation function
return defaultRangeValidator.call(this, value, element, param);
}
}
});
</script>
DataAnnotations yoluyla bir yol bilmiyorum, ancak bu, kontrol cihazınızda kolayca yapılabilir.
public ActionResult Add(Domain.Something model)
{
if (!model.MyCheckBox)
ModelState.AddModelError("MyCheckBox", "You forgot to click accept");
if (ModelState.IsValid) {
//'# do your stuff
}
}
Diğer tek seçenek, sunucu tarafı için özel bir doğrulayıcı ve istemci tarafı için uzaktan doğrulayıcı oluşturmaktır (uzaktan doğrulama yalnızca MVC3 + 'da mevcuttur)
Eğer var mı web.config'de kurmak uygun öğeleri ?
Bu, doğrulamanın çalışmamasına neden olabilir.
Ayrıca özel bir doğrulama özniteliği oluşturmayı da deneyebilirsiniz (çünkü [Required]
yalnızca var olup olmadığı ve değeri sizin umursadığınız için):
[AttributeUsage(AttributeTargets.Property | AttributeTargets.Field, AllowMultiple = false)]
sealed public class RequiredTrueAttribute : ValidationAttribute
{
// Internal field to hold the mask value.
readonly bool accepted;
public bool Accepted
{
get { return accepted; }
}
public RequiredTrueAttribute(bool accepted)
{
this.accepted = accepted;
}
public override bool IsValid(object value)
{
bool isAccepted = (bool)value;
return (isAccepted == true);
}
public override string FormatErrorMessage(string name)
{
return String.Format(CultureInfo.CurrentCulture,
ErrorMessageString, name, this.Accepted);
}
}
Ardından, kullanım:
[RequiredTrue(ErrorMessage="{0} requires acceptance to continue.")]
public bool Agreement {get; set;}
Gönderen burada .
Bu benim için çalıştı. Başka hiçbir şey yapmadı. Mvc 5:
Modeli
public string True
{
get
{
return "true";
}
}
[Required]
[Compare("True", ErrorMessage = "Please agree to the Acknowlegement")]
public bool Acknowlegement { get; set; }
Görünüm
@Html.HiddenFor(m => m.True)
@Html.EditorFor(model => model.Acknowlegement, new { htmlAttributes = Model.Attributes })
@Html.ValidationMessageFor(model => model.Acknowlegement, "", new { @class = "text-danger" })
Fields.cage'in cevabını kullanmayı denedim ve benim için pek işe yaramadı, ancak daha basit bir şey yaptı ve tam olarak neden olduğundan emin değilim (farklı Razor sürümü, belki?), Ama tek yapmam gereken şuydu:
[Required]
[Range(typeof(bool), "true", "true", ErrorMessage = "Agreement required.")]
[Display(Name = "By clicking here, I agree that my firstborn child will etc etc...")]
public bool Agreement1Checked { get; set; }
Ve .cshtml dosyasında:
@Html.CheckBoxFor(m => m.Agreement1Checked)
@Html.LabelFor(m => m.Agreement1Checked)
@Html.ValidationMessageFor(m => m.Agreement1Checked)
[NaN, NaN]
olması gereken [true, true]
Sanırım bunu halletmenin en iyi yolu, kutunun doğruysa kontrol cihazınızı kontrol etmektir, aksi takdirde modelinize bir hata ekleyin ve görünümünüzü yeniden göstermesini sağlayın.
Daha önce de belirtildiği gibi, [Gerekli] 'nin yaptığı her şey bir değerin olduğundan emin olmaktır ve sizin durumunuzda kontrol edilmezse yine de yanlış alırsınız.
/// <summary>
/// Summary : -CheckBox for or input type check required validation is not working the root cause and solution as follows
///
/// Problem :
/// The key to this problem lies in interpretation of jQuery validation 'required' rule. I digged a little and find a specific code inside a jquery.validate.unobtrusive.js file:
/// adapters.add("required", function (options) {
/// if (options.element.tagName.toUpperCase() !== "INPUT" || options.element.type.toUpperCase() !== "CHECKBOX") {
/// setValidationValues(options, "required", true);
/// }
/// });
///
/// Fix: (Jquery script fix at page level added in to check box required area)
/// jQuery.validator.unobtrusive.adapters.add("brequired", function (options) {
/// if (options.element.tagName.toUpperCase() == "INPUT" && options.element.type.toUpperCase() == "CHECKBOX") {
/// options.rules["required"] = true;
/// if (options.message) {
/// options.messages["required"] = options.message;
/// }
/// Fix : (C# Code for MVC validation)
/// You can see it inherits from common RequiredAttribute. Moreover it implements IClientValidateable. This is to make assure that rule will be propagated to client side (jQuery validation) as well.
///
/// Annotation example :
/// [BooleanRequired]
/// public bool iAgree { get; set' }
/// </summary>
public class BooleanRequired : RequiredAttribute, IClientValidatable
{
public BooleanRequired()
{
}
public override bool IsValid(object value)
{
return value != null && (bool)value == true;
}
public IEnumerable<ModelClientValidationRule> GetClientValidationRules(ModelMetadata metadata, ControllerContext context)
{
return new ModelClientValidationRule[] { new ModelClientValidationRule() { ValidationType = "brequired", ErrorMessage = this.ErrorMessage } };
}
}