views:

56

answers:

3

Hi,

i ask myself if it is a good design if an extension method uses another in the same extension class.

public class ClassExtensions
{
   public static bool IsNotNull<T>(this T source)
      where T : class
   {
      return !source.IsNull();
   }

   public static bool IsNull<T>(this T source)
      where T : class
   {
      return source == null;
   }
}

EDIT Thanks for the answers. And sorry for the bad sample.

+2  A: 

IMHO, usually it is, as it reduces the amount of code you have to write and thus the chance to make errors.

In the above example, however, I think that it is overkill because of the simplicity of the method.

Obalix
I agree. Might as well just call !IsNull() to check for IsNotNull().
JungleFreak
A: 

sure it is a good design, DRY! :) (but this is veeeeeery trivial example ;))

Sebastian Brózda
+2  A: 

It's fine. Your example is a little trivial, of course, but consider other situations where a method could provide overloads (using string.Substring as example... pretend method doesn't already exist).

public static class Foo
{
    public static string Substring(this string input, int startingIndex)
    {
         return Foo.Substring(input, startingIndex, input.Length - startingIndex);
         // or return input.Substring(startingIndex, input.Length - startingIndex);
    }

    public static string Substring(this string input, int startingIndex, int length)
    {
         // implementation 
    }
}

Calling overloads obviously allows you to keep your logic centralized as much as possible without repeating yourself. It is true in instance methods, it is true in static methods (including, by extension, extension methods).

Anthony Pegram