Reflection and Attributes in C#

Attributes are attached to program entities such as types and methods to provide information about the entity at runtime using reflection. An example of attribute usage is the help context menu that visual studio provides for the methods and types.
 
We can declare an attribute class like an ordinary class but it needs to be derived from System.Attribute and need to mark it with the AttributeUsage attribute. AttributeUsage attribute defines the program entities to which the attribute can be applied.
Attribute classes have two types of parameter
  1. Named Parameters
  2. Positional Parameters
We can use reflection to discover information about a  program entity at runtime and to create an instance of a type at runtime. Most of the classes and interfaces needed for reflection are defined in the System.Reflection namespace.
 
System.Type is the most fundamental to working with reflection functionality in .NET and it represents a type in the CTS.
 
There are several ways to obtain the Type object  
 
attribute.JPG
 
Once we have an instance of the type we can get the information about the type using several methods like GetMembers() or GetMethods(). Following are the methods defined in the Type class.
 
Following are the main classes defined in the System.Reflection namespace
 
Assembly Represents an assembly
EventInfo This class holds information for a given event.
FieldInfo This class holds information for a given field.
MemberInfo Class is the abstract base class for classes used to obtain information about all members of a class.
MethodInfo This class contains information for a given method.
ConstructorInfo This class contains information for a given constructor.
 
In the following example, we query the type for the member  fields and methods of the type and dynamically invoke the member method.
  1. class Test {  
  2.    public int a;  
  3.   
  4.    public void Hello() {  
  5.        Console.WriteLine("Hello.....");  
  6.    }  
  7. }  
  8.   
  9. class Program {  
  10.    static void Main(string[] args) {  
  11.        Type typeObj = typeof(Test);  
  12.        foreach(MethodInfo mi in typeObj.GetMethods()) {  
  13.            Console.WriteLine("Following are the methods in Test class");  
  14.            Console.WriteLine("Method {0}", mi.Name);  
  15.        }  
  16.   
  17.        foreach(FieldInfo fi in typeObj.GetFields()) {  
  18.            Console.WriteLine("Following are the fields in Test class");  
  19.            Console.WriteLine("Field {0}", fi.Name);  
  20.        }  
  21.   
  22.        object o = Activator.CreateInstance(typeObj);  
  23.   
  24.        MethodInfo method = typeObj.GetMethod("Hello");  
  25.        Console.Write("\t");  
  26.        method.Invoke(o, null);  
  27.   
  28.        Console.ReadLine();  
  29.    }