이제 학생 클래스(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(); }
결과 출력:
Sex도 [필수(true)]로 표시되어 있는데 검증 정보가 없는 이유는 다음과 같습니다. 섹스는 속성 { get }을 구현하지 않습니다. GetProperties를 얻을 수 없습니다.
위 내용은 C#의 리플렉션 및 기능을 사용하여 단순화된 예제 코드의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!