Why can't I enforce derived classes to have parameterless constructors?
I am trying to do the following:
class Program
{
static void Main(string[] args)
{
foo<baz> fooObject = new foo<baz>();
AnotherClass<baz> _baz = new AnotherClass<baz>();
_baz.testMethod(fooObject);
}
}
public class AnotherClass<T> where T : bar
{
public void testMethod(foo<T> dummy)
{
foobar = dummy;
}
private foo<T> foobar = null;
}
public class foo<T> where T : bar, new()
开发者_如何学Go{
public foo()
{
_t = new T();
}
private T _t;
}
public abstract class bar
{
public abstract void someMethod();
// Some implementation
}
public class baz : bar
{
public override void someMethod()
{
//Implementation
}
}
And I get an error explaining that 'T' must be a non-abstract type with a public parameterless constructor in order to use it as parameter 'T' in the generic type or method. I fully understand why this must be, and also understand that I could pass a pre-initialized object of type 'T' in as a constructor argument to avoid having to 'new' it, but is there any way around this? any way to enforce classes that derive from 'bar' to supply parameterless constructors?
Fixed - I was missing a 'new()' constraint on AnotherClass().
The correct syntax is
public class foo<T> where T : bar, new()
Aren't you missing a new() constraint on your AnotherClass?
public class AnotherClass<T> where T : bar, new()
Without that VS2010 refuses to compile, with that it works just fine.
Your code compiles in VS2010.
You probably want to use interfaces instead:
public class foo<T> where T : ibar, new()
...
public interface ibar
{
void someMethod();
}
public abstract class bar : ibar
{
public abstract void someMethod();
// Some implementation
}
Like workaround - You can pass delegate creating the instance of a type you need:
Func<T> creator = ...
_t = creator();
Isn't the generic syntax new() rather than just new?
Also, you're doing this code in the middle of a class rather than in a function, which is sure to baffle it:
_t = new T();
Edit:
Ok, so after the syntax cleanup, I'm guessing the issue is that 'baz' does not have a parameterless constructor. I don't know of any way in which you can enforce this.
There is a similar question here, which may help out a little.
First remove "new()" from keyword "where" of class "Foo" After must alter constructor as
public foo()
{
_t = Activator.CreateInstance<T>();
}
For me worked!
精彩评论