替换ICollection中的元素
本文关键字:元素 ICollection 替换 | 更新日期: 2023-09-27 18:28:01
假设我有一个ICollection<SomeClass>
。
我有以下两个变量:
SomeClass old;
SomeClass new;
如何使用ICollection<SomeClass>
实现以下内容?
// old is guaranteed to be inside collection
collection.Replace(old, new);
这里没有黑魔法:ICollection<T>
没有排序,只提供Add
/Remove
方法。您唯一的解决方案是检查实际实现是否是更多的,例如IList<T>
:
public static void Swap<T>(this ICollection<T> collection, T oldValue, T newValue)
{
// In case the collection is ordered, we'll be able to preserve the order
var collectionAsList = collection as IList<T>;
if (collectionAsList != null)
{
var oldIndex = collectionAsList.IndexOf(oldValue);
collectionAsList.RemoveAt(oldIndex);
collectionAsList.Insert(oldIndex, newValue);
}
else
{
// No luck, so just remove then add
collection.Remove(oldValue);
collection.Add(newValue);
}
}
ICollection<T>
接口非常有限,必须使用Remove()
和Add()
collection.Remove(old);
collection.Add(new);
这样做:
yourCollection.ToList()[index] = newValue;