今、学生クラス (Student) があるとします。
{ { name = Age { ; Address { ;
一部のフィールド (属性) が空で 0 より大きいかどうかを判断する必要がある場合は、次のコードがあります:
public static string ValidateStudent(Student student) { StringBuilder validateMessage = new StringBuilder(); if (string.IsNullOrEmpty(student.Name)) { validateMessage.Append("名字不能为空"); } if (string.IsNullOrEmpty(student.Sex)) { validateMessage.Append("性别不能为空"); } if (student.Age <= 0) { validateMessage.Append("年龄必填大于0"); } //...... 几百行 // 写到这里发现不对啊,如果必填项有20多个,难道我要一直这样写吗! return validateMessage.ToString(); }
このようなコードは再利用性が高くなく、効率も低くなります。
属性、リフレクションを使用して、プロパティを反復処理して属性を確認できます。
まず、Attribute から継承した [必須] 属性クラスをカスタマイズします
/// <summary> /// 【必填】特性,继承自Attribute /// </summary> public sealed class RequireAttribute : Attribute { private bool isRequire; public bool IsRequire { get { return isRequire; } } /// <summary> /// 构造函数 /// </summary> /// <param name="isRequire"></param> public RequireAttribute(bool isRequire) { this.isRequire = isRequire; } }
次に、このカスタマイズされた属性を使用して、学生クラスのメンバー属性をマークします:
/// <summary> /// 学生类 /// </summary> public class Student { /// <summary> /// 名字 /// </summary> private string name; [Require(true)] public string Name { get { return name; } set { name = value; } } /// <summary> /// 年龄 /// </summary> [Require(true)] public int Age { get; set; } /// <summary> /// 地址 /// </summary> [Require(false)] public string Address { get; set; } /// <summary> /// 性别 /// </summary> [Require(true)] public string Sex; }
属性を通じてクラスの属性を確認します:
/// <summary> /// 检查方法,支持泛型 /// </summary> /// <typeparam name="T"></typeparam> /// <param name="instance"></param> /// <returns></returns> public static string CheckRequire<T>(T instance) { var validateMsg = new StringBuilder(); //获取T类的属性 Type t = typeof (T); var propertyInfos = t.GetProperties(); //遍历属性 foreach (var propertyInfo in propertyInfos) { //检查属性是否标记了特性 RequireAttribute attribute = (RequireAttribute) Attribute.GetCustomAttribute(propertyInfo, typeof (RequireAttribute)); //没标记,直接跳过 if (attribute == null) { continue; } //获取属性的数据类型 var type = propertyInfo.PropertyType.ToString().ToLower(); //获取该属性的值 var value = propertyInfo.GetValue(instance); if (type.Contains("system.string")) { if (string.IsNullOrEmpty((string) value) && attribute.IsRequire) validateMsg.Append(propertyInfo.Name).Append("不能为空").Append(","); } else if (type.Contains("system.int")) { if ((int) value == 0 && attribute.IsRequire) validateMsg.Append(propertyInfo.Name).Append("必须大于0").Append(","); } } return validateMsg.ToString(); }
検証の実行:
static void Main(string[] args) { var obj = new Student() { Name = "" }; Console.WriteLine(CheckRequire(obj)); Console.Read(); }
結果出力:
性別も[Require(true)]とマークされていることに気づく人もいますが、なぜ検証情報がないのかというと、 Sex は属性 { set } を実装していません。GetProperties を取得できません。
以上がC# のリフレクションと機能を使用した簡略化されたコード例の詳細内容です。詳細については、PHP 中国語 Web サイトの他の関連記事を参照してください。