在Ryan Bennett
提出的建议的基础上,我认为最好的办法(因为您声明顺序很重要)是创建一个实现 IList 的类,然后在内部有这样的东西:
class MyList<T> : IList<T>
{
Dictionary<T, List<int>> _indexMap;
List<T> _items;
public int IndexOf(T item)
{
List<int> indices;
if(_indexMap.TryGetValue(item, out indices))
{
return indices[0];
}
return -1;
}
public void Add(T item)
{
List<int> indices;
if(!_indexMap.TryGetValue(item, out indices))
{
indices = new List<int>();
_indexMap[item] = indices;
}
indices.Add(_items.Count);
_items.Add(item);
}
// Attempt at a Remove implementation, this could probably be improved
// but here is my first crack at it
public bool Remove(T item)
{
List<int> indices;
if(!_indexMap.TryGetValue(item, out indices))
{
// Not found so can just return false
return false;
}
int index = indices[0];
indices.RemoveAt(0);
if (indices.Count == 0)
{
_indexMap.Remove(item);
}
for(int i=index+1; i < _items.Count; ++i)
{
List<int> otherIndexList = _indexMap[_items[i]];
for(int j=0; j < otherIndexList.Count; ++j)
{
int temp = otherIndexList[j];
if (temp > index)
{
otherIndexList[j] = --temp;
}
}
}
return _items.RemoveAt(index);
}
// ... Other similar type functions here
}
编辑:
刚刚意识到,当您执行Remove
. 您将不得不遍历索引集合并使用值 > 您删除的项目的索引来更新任何索引。您现在已经增加了“删除”时间。你也让正确变得很棘手。如果你要尝试实现这样的东西,我会围绕这个集合进行大量的单元测试。
我知道你说顺序很重要,所以我假设这就是为什么你不使用允许重复并给你 O(log n) 操作时间的排序列表方法。
编辑2:另一种簿记类型方法
我只是在脑海中弹跳这个,所以我只会给出一些粗略的伪代码,但您可能会采取一种方法,您只需将项目字典映射到索引列表和第二个字典,将索引映射到项目。如果您添加 T 是一个类的限制,那么您只需支付两次存储参考的开销。然后,您需要维护当前的“最后一个”,以便您可以轻松地将新项目添加到集合中。这应该使删除操作更干净一些。它仍然是 O(n),因为您必须使用索引 > 已删除项目来更新任何内容。在最初的想象中,这似乎是一个潜在的解决方案,可以让您接近您想要实现的目标(如果我正确理解目标)。