views:

1338

answers:

10

I understand that static method inheritance is not supported in C#. I have also read a number of discussions (including here) in which developers claim a need for this functionality, to which the typical response is "if you need static member inheritance, there's a flaw in your design".

OK, given that OOP doesn't want me to even think about static inheritance, I must conclude that my apparent need for it points to an error in my design. But, I'm stuck. I would really appreciate some help resolving this. Here's the challenge ...

I want to create an abstract base class (let's call it a Fruit) that encapsulates some complex initialization code. This code cannot be placed in the constructor, since some of it will rely on virtual method calls.

Fruit will be inherited by other concrete classes (Apple, Orange), each of which must expose a standard factory method CreateInstance() to create and initialize an instance.

If static member inheritance were feasible, I would place the factory method in the base class and use a virtual method call to the derived class to obtain the type from which a concrete instance must be initialized. The client code would simple invoke Apple.CreateInstance() to obtain a fully initialized Apple instance.

But clearly this is not possible, so can someone please explain how my design needs to change to accommodate the same functionality.

Many thanks, Tim

+2  A: 

How would this fit?:

FruitFactory<Apple>.CreateInstance()

Factory class created like this:

public static class FruitFactory<T> where T : Fruit, new()
{
    public static T CreateInstance()
    {
        return new T();
    }
}
John Gietzen
A: 

I'd say the best thing to do is to create a virtual/abstract Initialise method on the fruit class which must be called and then create an external 'fruit factory' class to create instances:


public class Fruit
{
    //other members...
    public abstract void Initialise();
}

public class FruitFactory()
{
    public Fruit CreateInstance()
    {
     Fruit f = //decide which fruit to create
     f.Initialise();

     return f;
    }
}
Lee
A: 

Why not create a factory class (templated) with a create method?

FruitFactory<Banana>.Create();
Seth Illgard
Beat you to it. ;)
John Gietzen
+8  A: 

Move the factory method out of the type, and put it in its own Factory class.

public abstract class Fruit
{
    protected Fruit() {}

    public abstract string Define();

}

public class Apple : Fruit
{
    public Apple() {}

    public override string Define()
    {
         return "Apple";
    }
}

public class Orange : Fruit
{
    public Orange() {}

    public override string Define()
    {
         return "Orange";
    }
}

public static class FruitFactory<T> 
{
     public static T CreateFruit<T>() where T : Fruit, new()
     {
         return new T();
     }
}

But, as I'm looking at this, there is no need to move the Create method to its own Factory class (although I think that it is preferrable -separation of concerns-), you can put it in the Fruit class:

public abstract class Fruit
{

   public abstract string Define();

   public static T CreateFruit<T>() where T : Fruit, new()
   {
        return new T();
   }

}

And, to see if it works:

    class Program
    {
        static void Main( string[] args )
        {
            Console.WriteLine (Fruit.CreateFruit<Apple> ().Define ());
            Console.WriteLine (Fruit.CreateFruit<Orange> ().Define ());

            Console.ReadLine ();
        }        
    }
Frederik Gheysels
Your code will not compile. you need the where T : new() clause. However, this is an exact dupe of mine.
John Gietzen
Try it, it compiles.
Frederik Gheysels
+3  A: 

I would do something like this

 public abstract class Fruit() {
      public abstract void Initialize();
 }

 public class Apple() : Fruit {
     public override void Initialize() {

     }
 }

 public class FruitFactory<T> where T : Fruit, new {
      public static <T> CreateInstance<T>() {
          T fruit = new T();
          fruit.Initialize();
          return fruit;  
      }
 } 


var fruit = FruitFactory<Apple>.CreateInstance()
Bob
+1  A: 

The WebRequest class and its derivative types in the .NET BCL represent a good example of how this sort of design can be implemented relatively well.

The WebRequest class has several sub-classes, including HttpWebRequest and FtpWebReuest. Now, this WebRequest base class is also a factory type, and exposes a static Create method (the instance constructors are hidden, as required by the factory pattern).

public static WebRequest Create(string requestUriString)
public static WebRequest Create(Uri requestUri)

This Create method returns a specific implementation of the WebRequest class, and uses the URI (or URI string) to determine the type of object to create and return.

This has the end result of the following usage pattern:

var httpRequest = (HttpWebRequest)WebRequest.Create("http://stackoverflow.com/");
// or equivalently
var httpRequest = (HttpWebRequest)HttpWebWebRequest.Create("http://stackoverflow.com/");

var ftpRequest = (FtpWebRequest)WebRequest.Create("ftp://stackoverflow.com/");
// or equivalently
var ftpRequest = (FtpWebRequest)FtpWebWebRequest.Create("ftp://stackoverflow.com/");

I personally think this is a good way to approach the issue, and it does indeed seem to be the preffered method of the .NET Framework creators.

Noldorin
+2  A: 

First of all, not having static initializers that can be virtual doesn't mean you can't have "standard" member methods, that could be overloaded. Second of all, you can call your virtual methods from constructors, and they will work as expected, so there's no problem here. Third of all, You can use generics to have type-safe factory.
Here's some code, that uses factory + member Initialize() method that is called by constructor (and it's protected, so you don't have to worry, that someone will call it again after creating an object):


abstract class Fruit
{
    public Fruit()
    {
        Initialize();
    }

    protected virtual void Initialize()
    {
        Console.WriteLine("Fruit.Initialize");
    }
}

class Apple : Fruit
{
    public Apple()
        : base()
    { }

    protected override void Initialize()
    {
        base.Initialize();
        Console.WriteLine("Apple.Initialize");
    }

    public override string ToString()
    {
        return "Apple";
    }
}

class Orange : Fruit
{
    public Orange()
        : base()
    { }

    protected override void Initialize()
    {
        base.Initialize();
        Console.WriteLine("Orange.Initialize");
    }

    public override string ToString()
    {
        return "Orange";
    }
}

class FruitFactory
{
    public static T CreateFruit<T>() where T : Fruit, new()
    {
        return new T();
    }
}

public class Program
{

    static void Main()
    {
        Apple apple = FruitFactory.CreateFruit<Apple>();
        Console.WriteLine(apple.ToString());

        Orange orange = new Orange();
        Console.WriteLine(orange.ToString());

        Fruit appleFruit = FruitFactory.CreateFruit<Apple>();
        Console.WriteLine(appleFruit.ToString());
    }
}
Ravadre
Generally it's best to avoid calling virtual methods from constructors. Seehttp://blogs.msdn.com/abhinaba/archive/2006/02/28/540357.aspx
TrueWill
That's true, it can be tricky, although, it's possible and will always work as it should, the problem is, to understand what means 'it should'. In general, I tend to avoid to call any more complicated methods (even non-virtual, ie. because they are often constructed in a way, that allows them to throw an exception, and I don't like my ctors to throw anything), but that's developer's decision.
Ravadre
+5  A: 

One idea:

public abstract class Fruit<T>
    where T : Fruit<T>, new()
{
    public static T CreateInstance()
    {
        T newFruit = new T();
        newFruit.Initialize();  // Calls Apple.Initialize
        return newFruit;
    }

    protected abstract void Initialize();
}

public class Apple : Fruit<Apple>
{
    protected Apple() { }

    protected override void Initialize() { ... }
}

And call like so:

Apple myAppleVar = Fruit<Apple>.CreateInstance();

No extra factory classes needed.

Matt Hamsmith
IMHO, it is better to move the generic type to the CreateInstance method instead of putting it on the class level. (Like i did in my answer).
Frederik Gheysels
Your preference is noted. A brief explanation of your preference would be more appreciated.
Matt Hamsmith
By doing so, you do not 'pollute' the rest of the class; the type parameter is only necessary in the Create method (in this example at least).Next to that, I think that: Fruit.Create<Apple>();is more readable then: Fruit<Apple>.Create();
Frederik Gheysels
I can see that, though the 'pollution' issue is highly dependent on the requirements of the rest of the class (i.e., the type information may be needed elsewhere). For the purposes and limitations of this example, either solution seems quite sufficient.
Matt Hamsmith
Shouldn't you make the constructor private?
John Gietzen
@John - Yes, good catch. There should be a constructor defined in Apple that is scoped as non-public such that outside classes must use the factory method to create the object. It might need to be protected such that the Fruit class may access it. Fruit does not technically need a constructor since it is an abstract class. I will edit accordingly.
Matt Hamsmith
A: 

Wow! I've never seen such a quick and comprehensive response to a question. Thanks to everyone for your ideas. The problem seems so much simpler now.

Tim Coulter
Its a good question and some great answers. However you should mark the canonical answer.
Peter M
A: 

I think that it's an absurd!

Is it hard for microsoft to make that ability?!

I get it, they don't want us to design like that, but who asks them?

I don't want them to tell me how to design my program.

And yeah, there might be situations when I must have static methods to be inherited due to my design, AND NO, I can't design is again from zero.

There are HUGE programs (In army for example), I can't just program it again, because i don't have 10 years to spend, and just because microsoft doesn't want to add this facility.

Tal