我是仿制药的新手。我想通过从IList<T>
接口派生它来实现我自己的集合。
您能否向我提供一些实现IList<T>
接口的类的链接,或者为我提供至少实现Add
和Remove
方法的代码?
答案 0 :(得分:30)
除了从List<T>
派生外,您还可以使用外观List<T>
并为外观类添加更多功能。
class MyCollection<T> : IList<T>
{
private readonly IList<T> _list = new List<T>();
#region Implementation of IEnumerable
public IEnumerator<T> GetEnumerator()
{
return _list.GetEnumerator();
}
IEnumerator IEnumerable.GetEnumerator()
{
return GetEnumerator();
}
#endregion
#region Implementation of ICollection<T>
public void Add(T item)
{
_list.Add(item);
}
public void Clear()
{
_list.Clear();
}
public bool Contains(T item)
{
return _list.Contains(item);
}
public void CopyTo(T[] array, int arrayIndex)
{
_list.CopyTo(array, arrayIndex);
}
public bool Remove(T item)
{
return _list.Remove(item);
}
public int Count
{
get { return _list.Count; }
}
public bool IsReadOnly
{
get { return _list.IsReadOnly; }
}
#endregion
#region Implementation of IList<T>
public int IndexOf(T item)
{
return _list.IndexOf(item);
}
public void Insert(int index, T item)
{
_list.Insert(index, item);
}
public void RemoveAt(int index)
{
_list.RemoveAt(index);
}
public T this[int index]
{
get { return _list[index]; }
set { _list[index] = value; }
}
#endregion
#region Your Added Stuff
// Add new features to your collection.
#endregion
}
答案 1 :(得分:14)
除非你有非常令人信服的理由这样做,否则你最好的选择是继承System.Collections.ObjectModel.Collection<T>
,因为它拥有你需要的一切。
请注意,虽然IList<T>
的实现者不需要将this[int]
(索引器)实现为O(1)(基本上是常量访问),但强烈建议您这样做。 / p>
答案 2 :(得分:3)
Visual Studio提供了Istrong <>等接口的自动完整工作实现。
您只需编写此代码(而
>>> import numpy as np
>>> my_list = [97, 98, 97, 98, 99, 97, 98, 97]
>>> max(np.split(my_list,np.where(np.diff(my_list) != 1)[0]+1),key=len)
array([97, 98, 99])
是重要的一个!)
readonly IList<T> _list = new List<T>();
然后单击灯泡符号或,将光标放在IList <>上,然后按 Strg +“。” ,您将成为提供的几种实现,例如:>
答案 3 :(得分:2)
您可以查看Mono project。有完整的源代码,你可以看看如何实现一些类。例如“System.Collections.Generics.List&lt; T&gt;”。
答案 4 :(得分:1)
在大多数情况下,您只需使用List<T>
或从List<T>
派生即可。如果您派生自List<T>
,您将自动获得添加和删除的实施。
答案 5 :(得分:0)
从List继承通常是最快的方法,但如果你需要从另一个类继承(例如ContextBoundObject等),可以稍后在线上进行限制。实现IList非常快,如上所述,它提供了更大的灵活性。