1

我不知道如何简洁地表达这个问题而不只是给出例子,所以这里是:

public interface IThing<T>
{
    void Do(T obj);
}

public class ThingOne : IThing<int>
{
    public void Do(int obj)
    {
    }
}

public class ThingTwo : IThing<string>
{
    public void Do(string obj)
    {
    }
}

public class ThingFactory
{
    public IThing<T> Create<T>(string param)
    {
        if (param.Equals("one"))
            return (IThing<T>)new ThingOne();

        if (param.Equals("two"))
            return (IThing<T>)new ThingTwo();
    }
}

class Program
{
    static void Main(string[] args)
    {
        var f = new ThingFactory();

        // any way we can get the compiler to infer IThing<int> ?
        var thing = f.Create("one");

    }
}
4

2 回答 2

1

问题似乎在这里:

// any way we can get the compiler to infer IThing<int> ?
var thing = f.Create("one");

不,您需要明确指定类型:

var thing = f.Create<int>("one");

如果没有在方法中专门使用的参数,则无法推断返回类型。编译器使用传递给方法的参数来推断类型T,在这种情况下,它是一个字符串参数,没有类型参数T。因此,无法为您推断出这一点。

于 2011-06-07T17:31:03.880 回答
0

不,您不能这样做,因为Create工厂方法的结果将在运行时根据参数的值进行评估。泛型是为了编译时安全,在你的情况下你不能有这样的安全,因为参数值只有在运行时才知道。

于 2011-06-07T17:29:59.430 回答