Extension Methods!!!
Writing an extension method is so similar to writing a static class which wraps or uses the class which I want to extend. Actually there is always a debate on whether to use static classes or use extension methods. Me myself, I prefer to use extension methods because I think it makes the code more readable as you don't need to break the context to make use of a static method.
To get what I am saying here, suppose that we want to write a method which takes an "int", increment it by 3, multiply it by 5 and finally return the value.
To achieve this, we have 3 approaches:
- Writing a static class (IntHelper) with a static method inside (DoCalculations) which takes an int as input parameter (inputNum) and returns the resulting int ((inputNum + 3)*5)
- Writing an extension method (DoCalculations) which extends int to do the same job as above
- Writing a new class which inherits from int and then adds a new method (DoCalculations) which carries out the too complex calculation we are talking about :)
Now, let's check every approach and come out with a decision on which one we prefer to use.
Writing new class inheriting from int:
I think we all agree that this will be too much and inappropriate :)
Writing static class:
The code will be
- public static class IntHelper
- {
- public static int DoCalculations(int inputNum)
- {
- return (inputNum + 3) * 5;
- }
- }
And to use, the code will be
- int currentWidth = this.Width;
- MessageBox.Show(IntHelper.DoCalculations(currentWidth).ToString());
Writing an extension method:
The code will be
- public static int DoCalculations(this int source)
- {
- return (source + 3) * 5;
- }
And to use, the code will be
- int currentWidth = this.Width;
- MessageBox.Show(currentWidth.DoCalculations().ToString());
So, now after we have seen all approaches, I still think that the extension method is more appropriate cause when using the call we didn't break the natural flow.
Finally, this was a brief introduction of extension methods and if you wish to know more you can read Scott Hanselman's post of title "How do Extension Methods work and why was a new CLR not required?"
Update:
Some extension methods are added in separate posts where each post includes extension methods for certain class. Please find these posts below.
Posts:
- Catalog
- System.String
- System.Web.UI.WebControls.WebControl
- System.DateTime
- System.Linq.IOrderedQueryable
- System.IConvertible
- Generics (T)