29

我有以下类和接口:

public interface IThing
{
    string Name { get; }
}

public class Thing : IThing
{
    public string Name { get; set; }
}

public abstract class ThingConsumer<T> where T : IThing
{
    public string Name { get; set; }
}

现在,我有一个工厂,它将返回从 ThingConsumer 派生的对象,例如:

public class MyThingConsumer : ThingConsumer<Thing>
{
}

我的工厂目前看起来像这样:

public static class ThingConsumerFactory<T> where T : IThing
{
    public static ThingConsumer<T> GetThingConsumer(){
        if (typeof(T) == typeof(Thing))
        {
            return new MyThingConsumer();
        }
        else
        {
            return null;
        }
    }
}

我被这个错误绊倒了:Error 1 Cannot implicitly convert type 'ConsoleApplication1.MyThingConsumer' to 'ConsoleApplication1.ThingConsumer<T>'

任何人都知道如何完成我在这里尝试的事情?

谢谢!

克里斯

4

3 回答 3

11

如果您创建ThingConsumer<T>一个接口而不是抽象类,那么您的代码将按原样工作。

public interface IThingConsumer<T> where T : IThing
{
    string Name { get; set; }
}

编辑

还需要进行一项更改。在ThingConsumerFactory中,转换回返回类型IThingConsumer<T>

return (IThingConsumer<T>)new MyThingConsumer();
于 2012-09-07T19:29:54.410 回答
5

编译器在从MyThingConsumerto的转换中遇到了困难,ThingConsumer<T>即使T:IThingandMyThingConsumer:Thingconsumer<Thing>Thing:IThing. 它要跳过很多圈!

return new MyThingConsumer() as ThingConsumer<T>;如果您使用而不是直接强制转换,则该代码有效。您知道结果永远不会是null,并且编译器很高兴,因为它保证在运行时返回正确类型的值。

编辑: 这是我用于测试的完整代码(在Snippy中):

public interface IThing
{
    string Name { get; }
}

public class Thing : IThing
{
    public string Name { get; set; }
}

public abstract class ThingConsumer<T> where T : IThing
{
    public string Name { get; set; }
}

public class MyThingConsumer : ThingConsumer<Thing>
{
}

public static class ThingConsumerFactory<T> where T : IThing
{
    public static ThingConsumer<T> GetThingConsumer()
    {
        if (typeof(T) == typeof(Thing))
        {
            return new MyThingConsumer() as ThingConsumer<T>;
        }
        else
        {
            return null;
        }
    }
}

...

var thing = ThingConsumerFactory<Thing>.GetThingConsumer();
Console.WriteLine(thing);
于 2012-09-07T20:06:17.633 回答
1

你需要像这样定义你的类,我相信:

public class MyThingConsumer<Thing> : ThingConsumer

原因是ThingConsumer已经在它的定义中输入了这个:where T : IThing

现在,您可以拨打电话了return new MyThingConsumer<T>();

这应该反过来匹配预期的返回类型ThingConsumer<T>

编辑

很抱歉造成混乱,这应该是可行的:

public class MyThingConsumer<T> : ThingConsumer<T> where T : IThing

return new MyThingConsumer<T>();
于 2012-09-07T19:12:41.887 回答