Click here to Skip to main content
15,881,938 members
Articles / Programming Languages / C#

Extension Methods in C#

Rate me:
Please Sign up or sign in to vote.
4.00/5 (1 vote)
18 Jan 2013CPOL 6.7K   8  
Extension methods in C#

This feature is fascinating. Extension methods give us the ability to include custom methods with the existing types w/o inheriting the actual type. It gives you the ability to invoke the methods as if they are instance methods on the actual type. But at compile time, an extension method has lower priority than the instance methods. Suppose you created an extension method name IsNullOrEmpty for the type String. The method invocation will always pick the one which is in the instance and ignore your extension method.

Though they are extending the instance type with methods, these methods are never have the ability to access the private members or methods of the type.

See this example:

C#
namespace ExtensionMethods {
  public static class Extensions {
    public static DateTime StartOfWeek(this DateTime dt, DayOfWeek startOfWeek) {
      int diff = dt.DayOfWeek - startOfWeek;
      if (diff < 0) {
        diff += 7;
      }
      return dt.AddDays(-1 * diff).Date;
    }
  }
}

It will return the date of start of the week. You can invoke this method like this:

C#
DateTime dt = DateTime.Now.StartOfWeek(DayOfWeek.Monday);

So to define extension method with few words, we can say:

  • They are static methods.
  • First parameter of the method must specify the type that it is operating on. Proceed with the ‘this’ modifier.
  • Ignore first parameter during invocation.
  • Call the methods as if they were instance methods on the type.

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Software Developer (Senior)
Bangladesh Bangladesh
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
-- There are no messages in this forum --