C#泛型:简化类型签名

时间:2013-04-18 15:12:23

标签: c# generics

如果我有一个如下所示的通用Item类:

abstract class Item<T>
{
}

一个看起来像这样的物品容器:

class Container<TItem, T>
    where TItem : Item<T>
{
}

由于TItem依赖于T,是否可以简化Container的类型签名,使其只需要一个类型参数?我真正想要的是:

class Container<TItem>
    where TItem : Item   // this doesn't actually work, because Item takes a type parameter
{
}

所以我可以按如下方式实例化它:

class StringItem : Item<string>
{
}

var good = new Container<StringItem>();
var bad = new Container<StringItem, string>();

当TItem是StringItem时,编译器应该能够推断T是字符串,对吧?我该如何实现这一目标?

所需用法:

class MyItem : Item<string>
{
}

Container<MyItem> container = GetContainer();
MyItem item = container.GetItem(0);
item.MyMethod();

2 个答案:

答案 0 :(得分:2)

这应该做你想要的我想的。显然你现在正在Container<string>而不是Container<StringItem>,但由于你没有包含用法示例,我看不出它是一个问题。

using System.Collections.Generic;

namespace ConsoleApplication1
{
    class Program
    {
        static void Main(string[] args)
        {
            var myContainer = new Container<string>();

            myContainer.MyItems = new List<Item<string>>();
        }
    }

    public class Item<T> { }

    public class Container<T>
    {
        // Just some property on your container to show you can use Item<T>
        public List<Item<T>> MyItems { get; set; }
    }
}

这个修订版如何:

using System.Collections.Generic;

namespace ConsoleApplication1
{
    class Program
    {
        static void Main(string[] args)
        {
            var myContainer = new Container<StringItem>();

            myContainer.StronglyTypedItem = new StringItem();
        }
    }

    public class Item<T> { }

    public class StringItem : Item<string> { }

    // Probably a way to hide this, but can't figure it out now
    // (needs to be public because it's a base type)
    // Probably involves making a container (or 3rd class??)
    // wrap a private container, not inherit it
    public class PrivateContainer<TItem, T> where TItem : Item<T> { }

    // Public interface
    public class Container<T> : PrivateContainer<Item<T>, T>
    {
        // Just some property on your container to show you can use Item<T>
        public T StronglyTypedItem { get; set; }
    }
}

答案 1 :(得分:1)

我认为您的问题的一个可能的解决方案是添加接口IItem,代码结构将如下所示。

interface IItem { }

abstract class Item<T> : IItem { }

class Container<TItem> where TItem : IItem { }

class StringItem: Item<string> { }

现在你可以拥有Container<StringItem>

var container = new Container<StringItem>();