views:

72

answers:

2

According to Microsoft, "Extension methods are a special kind of static method, but they are called as if they were instance methods on the extended type".

Is there a way to add an extension method that it called as if it was a static method? Or to do something else that has the same effect?

Edit: By which I mean "called as if it was a static method on the extended class". Sorry for the ambiguity.

+8  A: 

According to Microsoft, "Extension methods are a special kind of static method, but they are called as if they were instance methods on the extended type".

Yes, extension methods are static methods. They can all be called in the normal way as static methods, as extension instance methods on the type they "extend", and they can even be called as extension methods on a null reference.

For example:

public static class Extensions {
    public static bool IsNullOrEmpty(this string theString) {
        return string.IsNullOrEmpty(theString);
    }
}

// Code elsewhere.
string test = null;
Console.WriteLine(test.IsNullOrEmpty()); // Valid code.
Console.WriteLine(Extensions.IsNullOrEmpty(test)); // Valid code.

Edit:

Is there a way to add an extension method that it called as if it was a static method?

Do you mean you want to call, for example, string.MyExtensionMethod()? In this case, no, there is no way to do that.

Rich
Yes, I did mean that. I took, "For client code written in C# there is no apparent difference between calling an extension method and the methods that are actually defined in a type", at face value and didn't think I could call them on null references.
Spike
+3  A: 

Extension methods are static methods. You don't need to do anything.

The only thing that distinguishes an extension method from any other static method is that it can be called as if it were an instance method in addition to being called normally as a static method.

Jörg W Mittag