特性Attributes

本文内容

C# 程序中的类型、成员和其他实体支持使用修饰符来控制其行为的某些方面。例如,方法的可访问性是由 publicprotectedinternalprivate 修饰符控制。C# 整合了这种能力,以便可以将用户定义类型的声明性信息附加到程序实体,并在运行时检索此类信息。程序通过定义和使用特性来指定此类额外的声明性信息。

以下示例声明了 HelpAttribute 特性,可将其附加到程序实体,以提供指向关联文档的链接。

  1. using System;
  2. public class HelpAttribute: Attribute
  3. {
  4. string url;
  5. string topic;
  6. public HelpAttribute(string url)
  7. {
  8. this.url = url;
  9. }
  10. public string Url => url;
  11. public string Topic {
  12. get { return topic; }
  13. set { topic = value; }
  14. }
  15. }

所有特性类都派生自标准库提供的 Attribute 基类。特性的应用方式为,在相关声明前的方括号内指定特性的名称以及任意自变量。如果特性的名称以 Attribute 结尾,那么可以在引用特性时省略这部分名称。例如,可按如下方法使用 HelpAttribute

  1. [Help("https://docs.microsoft.com/dotnet/csharp/tour-of-csharp/attributes")]
  2. public class Widget
  3. {
  4. [Help("https://docs.microsoft.com/dotnet/csharp/tour-of-csharp/attributes",
  5. Topic = "Display")]
  6. public void Display(string text) {}
  7. }

此示例将 HelpAttribute 附加到 Widget 类。还向此类中的 Display 方法附加了另一个 HelpAttribute特性类的公共构造函数控制了将特性附加到程序实体时必须提供的信息。可以通过引用特性类的公共读写属性(如上面示例对 Topic 属性的引用),提供其他信息。

可以在运行时使用反射来读取和操纵特性定义的元数据。如果使用这种方法请求获取特定特性,便会调用特性类的构造函数(在程序源中提供信息),并返回生成的特性实例。如果是通过属性提供其他信息,那么在特性实例返回前,这些属性会设置为给定值。

下面的代码示例展示了如何获取与 Widget 类及其 Display 方法相关联的 HelpAttribute 实例。

  1. Type widgetType = typeof(Widget);
  2. //Gets every HelpAttribute defined for the Widget type
  3. object[] widgetClassAttributes = widgetType.GetCustomAttributes(typeof(HelpAttribute), false);
  4. if (widgetClassAttributes.Length > 0)
  5. {
  6. HelpAttribute attr = (HelpAttribute)widgetClassAttributes[0];
  7. Console.WriteLine($"Widget class help URL : {attr.Url} - Related topic : {attr.Topic}");
  8. }
  9. System.Reflection.MethodInfo displayMethod = widgetType.GetMethod(nameof(Widget.Display));
  10. //Gets every HelpAttribute defined for the Widget.Display method
  11. object[] displayMethodAttributes = displayMethod.GetCustomAttributes(typeof(HelpAttribute), false);
  12. if (displayMethodAttributes.Length > 0)
  13. {
  14. HelpAttribute attr = (HelpAttribute)displayMethodAttributes[0];
  15. Console.WriteLine($"Display method help URL : {attr.Url} - Related topic : {attr.Topic}");
  16. }
  17. Console.ReadLine();