Microsoft artık sözde veri ek açıklamalarını (ad alanı System.ComponentModel.DataAnnotations aynı adlı derlemede), özellikle burada saklanan doğrulama ek açıklamaları, örneğin [Required], [Range], [RegularExpression] VE [StringLength].
Sınıfı kullanarak kendi doğrulama ek açıklamalarınızı yazabilirsiniz. Doğrulama özelliği inherit Ricardo Peres bir blog gönderisinde, bir veri nesnesindeki özellikleri karşılaştırmak için kullanılabilecek bir doğrulama notunun nasıl oluşturulacağını gösteriyor, örn. B.
[ExpressionValidation("FreiePlaetze != null && FreiePlaetze >=
0 && Plaetze >= 10 && Plaetze <= 250 && FreiePlaetze <= Plaetze",
ErrorMessage = "Platzkapaität ist zwischen 10 und 250 Plätzen.
Freie Plätze müssen > 0 und kleiner als Plätze sein.")]
public partial class Flug
{
public int Plaetze { get; set; }
public int FreiePlaetze { get; set; }
...
}
Bununla birlikte, ilgili özelliklerden biri null yapılabilir bir değer türüyse, doğrulama ek açıklamasının çalışmadığını gördüm (iptal edilebilir Örneğin. B. iptal edilebilir VE). Null yapılabilen değer türleri ifadelerde kullanılamaz. Bu yüzden program koduna bu seçeneği ekledim.
 
Buradaki zorluk, Ricardo Peres tarafından ifadeleri değerlendirmek için kullanılan veri tablosunun yalnızca boş değerleri desteklememesidir. DBNull. Mantıksal işleçlerle daha da esnek bir çözüm elbette ifade ağaçlarına dayalı olarak mümkün olacaktır, ancak şimdilik mevcut projemde sağlanan seçeneklerle idare edebilirim.
İşte değiştirilen program kodu, değişiklikleri kırmızıyla vurguladım:
using System;
using System.ComponentModel;
using System.ComponentModel.DataAnnotations;
using System.Data;
using System.Linq;
namespace de.ITVisions.Validation
{
/// <summary>
/// Validierungsannotation für einfache Ausdrücke
/// Quelle: http://weblogs.asp.net/ricardoperes/archive/2012/02/20/
/// general-purpose-data-annotations-validation-attribute.aspx
/// Modifiziert durch Holger Schwichtenberg zur Unterstützung für
/// Nullable Value Types
/// </summary>
[Serializable]
[AttributeUsage(AttributeTargets.Property | AttributeTargets.Class
| AttributeTargets.Struct, AllowMultiple = true, Inherited = true)]
public sealed class ExpressionValidationAttribute : ValidationAttribute
{
public ExpressionValidationAttribute(String expression)
{
this.Expression = expression;
}
/// <summary>
/// The expression to evaluate. May not be null.
/// Supported values
/// PropertyName
/// null
/// {0}
/// Supported operators
/// >, <, >=, <=, ==, !=
/// </summary>
/// <example>
/// PropertyA != null
/// PropertyA > PropertyB
/// </example>
public String Expression
{
get;
private set;
}
public override Boolean IsDefaultAttribute()
{
return (this.Expression == null);
}
public override Boolean Equals(Object obj)
{
if (base.Equals(obj) == false)
{
return (false);
}
if (Object.ReferenceEquals(this, obj) == true)
{
return (true);
}
ExpressionValidationAttribute other = obj as
ExpressionValidationAttribute;
if (other == null)
{
return (false);
}
return (other.Expression == this.Expression);
}
public override Int32 GetHashCode()
{
Int32 hashCode = 1;
hashCode = (hashCode * 397) ^ (this.Expression != null ?
this.Expression.GetHashCode() : 0);
return (hashCode);
}
public String Replace(String originalString, String oldValue,
String newValue, StringComparison comparisonType)
{
Int32 startIndex = 0;
while (true)
{
startIndex = originalString.IndexOf(oldValue, startIndex,
comparisonType);
if (startIndex < 0)
{
break;
}
originalString = String.Concat(originalString.Substring(0,
startIndex), newValue, originalString.Substring(startIndex
+ oldValue.Length));
startIndex += newValue.Length;
}
return (originalString);
}
protected override ValidationResult IsValid(Object value,
ValidationContext validationContext)
{
if (String.IsNullOrWhiteSpace(this.Expression) == true)
{
return (ValidationResult.Success);
}
Object instance = validationContext.ObjectInstance;
DataTable temp = new DataTable();
String expression = this.Expression;
while (expression.IndexOf(" ") >= 0)
{
expression = expression.Replace(" ", " ");
}
//translate .NET language operators into SQL ones
expression = expression.Replace("!=", "<>");
expression = expression.Replace("==", "=");
expression = expression.Replace("!", " NOT ");
expression = expression.Replace("&&", " AND ");
expression = expression.Replace("||", " OR ");
expression = Replace(expression, "= NULL", " IS NULL ",
StringComparison.OrdinalIgnoreCase);
expression = Replace(expression, "<> NULL", " IS NOT NULL ",
StringComparison.OrdinalIgnoreCase);
expression = Replace(expression, "null", "NULL",
StringComparison.OrdinalIgnoreCase);
expression = expression.Replace("{0}", validationContext.MemberName);
PropertyDescriptor[] props = TypeDescriptor
.GetProperties(instance)
.OfType<PropertyDescriptor>()
.Where(x => x.PropertyType.IsPrimitive || x.PropertyType == typeof(String)
|| (x.PropertyType.IsGenericType &&
x.PropertyType.GetGenericTypeDefinition() == typeof(Nullable<>))
&& x.PropertyType.GetGenericArguments()[0].IsPrimitive)
.ToArray();
foreach (PropertyDescriptor prop in props)
{
if (prop.PropertyType.IsGenericType &&
prop.PropertyType.GetGenericTypeDefinition() ==
typeof(Nullable<>))
{
temp.Columns.Add(prop.Name,
prop.PropertyType.GetGenericArguments()[0]);
}
else
{
temp.Columns.Add(prop.Name, prop.PropertyType);
}
}
temp.BeginLoadData();
DataRow row = temp.NewRow();
temp.Rows.Add(row);
foreach (PropertyDescriptor prop in props)
{
object val = prop.GetValue(instance);
if (val == null) val = DBNull.Value;
row[prop.Name] =val;
}
DataColumn isValidColumn = new DataColumn();
isValidColumn.ColumnName = "_is_valid";
isValidColumn.Expression = expression;
temp.Columns.Add(isValidColumn);
temp.EndLoadData();
Boolean isValid = Convert.ToBoolean(row[isValidColumn]);
if (isValid == true)
{
return (ValidationResult.Success);
}
else
{
String errorMessage = this.FormatErrorMessage(validationContext.
MemberName != null ? validationContext.MemberName : validationContext.ObjectInstance.GetType().Name);
return (new ValidationResult(errorMessage, ((validationContext.
MemberName != null) ? new String[] { validationContext.MemberName }
: Enumerable.Empty<String>())));
}
}
}
}
()
Haberin Sonu
								Sınıfı kullanarak kendi doğrulama ek açıklamalarınızı yazabilirsiniz. Doğrulama özelliği inherit Ricardo Peres bir blog gönderisinde, bir veri nesnesindeki özellikleri karşılaştırmak için kullanılabilecek bir doğrulama notunun nasıl oluşturulacağını gösteriyor, örn. B.
[ExpressionValidation("FreiePlaetze != null && FreiePlaetze >=
0 && Plaetze >= 10 && Plaetze <= 250 && FreiePlaetze <= Plaetze",
ErrorMessage = "Platzkapaität ist zwischen 10 und 250 Plätzen.
Freie Plätze müssen > 0 und kleiner als Plätze sein.")]
public partial class Flug
{
public int Plaetze { get; set; }
public int FreiePlaetze { get; set; }
...
}
Bununla birlikte, ilgili özelliklerden biri null yapılabilir bir değer türüyse, doğrulama ek açıklamasının çalışmadığını gördüm (iptal edilebilir Örneğin. B. iptal edilebilir VE). Null yapılabilen değer türleri ifadelerde kullanılamaz. Bu yüzden program koduna bu seçeneği ekledim.
Buradaki zorluk, Ricardo Peres tarafından ifadeleri değerlendirmek için kullanılan veri tablosunun yalnızca boş değerleri desteklememesidir. DBNull. Mantıksal işleçlerle daha da esnek bir çözüm elbette ifade ağaçlarına dayalı olarak mümkün olacaktır, ancak şimdilik mevcut projemde sağlanan seçeneklerle idare edebilirim.
İşte değiştirilen program kodu, değişiklikleri kırmızıyla vurguladım:
using System;
using System.ComponentModel;
using System.ComponentModel.DataAnnotations;
using System.Data;
using System.Linq;
namespace de.ITVisions.Validation
{
/// <summary>
/// Validierungsannotation für einfache Ausdrücke
/// Quelle: http://weblogs.asp.net/ricardoperes/archive/2012/02/20/
/// general-purpose-data-annotations-validation-attribute.aspx
/// Modifiziert durch Holger Schwichtenberg zur Unterstützung für
/// Nullable Value Types
/// </summary>
[Serializable]
[AttributeUsage(AttributeTargets.Property | AttributeTargets.Class
| AttributeTargets.Struct, AllowMultiple = true, Inherited = true)]
public sealed class ExpressionValidationAttribute : ValidationAttribute
{
public ExpressionValidationAttribute(String expression)
{
this.Expression = expression;
}
/// <summary>
/// The expression to evaluate. May not be null.
/// Supported values
/// PropertyName
/// null
/// {0}
/// Supported operators
/// >, <, >=, <=, ==, !=
/// </summary>
/// <example>
/// PropertyA != null
/// PropertyA > PropertyB
/// </example>
public String Expression
{
get;
private set;
}
public override Boolean IsDefaultAttribute()
{
return (this.Expression == null);
}
public override Boolean Equals(Object obj)
{
if (base.Equals(obj) == false)
{
return (false);
}
if (Object.ReferenceEquals(this, obj) == true)
{
return (true);
}
ExpressionValidationAttribute other = obj as
ExpressionValidationAttribute;
if (other == null)
{
return (false);
}
return (other.Expression == this.Expression);
}
public override Int32 GetHashCode()
{
Int32 hashCode = 1;
hashCode = (hashCode * 397) ^ (this.Expression != null ?
this.Expression.GetHashCode() : 0);
return (hashCode);
}
public String Replace(String originalString, String oldValue,
String newValue, StringComparison comparisonType)
{
Int32 startIndex = 0;
while (true)
{
startIndex = originalString.IndexOf(oldValue, startIndex,
comparisonType);
if (startIndex < 0)
{
break;
}
originalString = String.Concat(originalString.Substring(0,
startIndex), newValue, originalString.Substring(startIndex
+ oldValue.Length));
startIndex += newValue.Length;
}
return (originalString);
}
protected override ValidationResult IsValid(Object value,
ValidationContext validationContext)
{
if (String.IsNullOrWhiteSpace(this.Expression) == true)
{
return (ValidationResult.Success);
}
Object instance = validationContext.ObjectInstance;
DataTable temp = new DataTable();
String expression = this.Expression;
while (expression.IndexOf(" ") >= 0)
{
expression = expression.Replace(" ", " ");
}
//translate .NET language operators into SQL ones
expression = expression.Replace("!=", "<>");
expression = expression.Replace("==", "=");
expression = expression.Replace("!", " NOT ");
expression = expression.Replace("&&", " AND ");
expression = expression.Replace("||", " OR ");
expression = Replace(expression, "= NULL", " IS NULL ",
StringComparison.OrdinalIgnoreCase);
expression = Replace(expression, "<> NULL", " IS NOT NULL ",
StringComparison.OrdinalIgnoreCase);
expression = Replace(expression, "null", "NULL",
StringComparison.OrdinalIgnoreCase);
expression = expression.Replace("{0}", validationContext.MemberName);
PropertyDescriptor[] props = TypeDescriptor
.GetProperties(instance)
.OfType<PropertyDescriptor>()
.Where(x => x.PropertyType.IsPrimitive || x.PropertyType == typeof(String)
|| (x.PropertyType.IsGenericType &&
x.PropertyType.GetGenericTypeDefinition() == typeof(Nullable<>))
&& x.PropertyType.GetGenericArguments()[0].IsPrimitive)
.ToArray();
foreach (PropertyDescriptor prop in props)
{
if (prop.PropertyType.IsGenericType &&
prop.PropertyType.GetGenericTypeDefinition() ==
typeof(Nullable<>))
{
temp.Columns.Add(prop.Name,
prop.PropertyType.GetGenericArguments()[0]);
}
else
{
temp.Columns.Add(prop.Name, prop.PropertyType);
}
}
temp.BeginLoadData();
DataRow row = temp.NewRow();
temp.Rows.Add(row);
foreach (PropertyDescriptor prop in props)
{
object val = prop.GetValue(instance);
if (val == null) val = DBNull.Value;
row[prop.Name] =val;
}
DataColumn isValidColumn = new DataColumn();
isValidColumn.ColumnName = "_is_valid";
isValidColumn.Expression = expression;
temp.Columns.Add(isValidColumn);
temp.EndLoadData();
Boolean isValid = Convert.ToBoolean(row[isValidColumn]);
if (isValid == true)
{
return (ValidationResult.Success);
}
else
{
String errorMessage = this.FormatErrorMessage(validationContext.
MemberName != null ? validationContext.MemberName : validationContext.ObjectInstance.GetType().Name);
return (new ValidationResult(errorMessage, ((validationContext.
MemberName != null) ? new String[] { validationContext.MemberName }
: Enumerable.Empty<String>())));
}
}
}
}
()
Haberin Sonu
