在perl中,splice函数从现有数组中返回一个新的项数组,同时从现有数组中删除这些项。
my @newarry = splice @oldarray, 0, 250;
@newarray
现在将包含来自@oldarray
的250条记录,而@oldarray
少250条记录。C#集合类是否具有与之类似的功能,即数组,列表,队列,堆栈?到目前为止,我只看到需要两个步骤(返回+删除)的解决方案。
更新-不存在任何功能,因此我已实现了一个扩展方法来支持Splice函数:
public static List<T>Splice<T>(this List<T> Source, int Start, int Size)
{
List<T> retVal = Source.Skip(Start).Take(Size).ToList<T>();
Source.RemoveRange(Start, Size);
return retVal;
}
通过以下单元测试-成功:
[TestClass]
public class ListTest
{
[TestMethod]
public void ListsSplice()
{
var lst = new List<string>() {
"one",
"two",
"three",
"four",
"five"
};
var newList = lst.Splice(0, 2);
Assert.AreEqual(newList.Count, 2);
Assert.AreEqual(lst.Count, 3);
Assert.AreEqual(newList[0], "one");
Assert.AreEqual(newList[1], "two");
Assert.AreEqual(lst[0], "three");
Assert.AreEqual(lst[1], "four");
Assert.AreEqual(lst[2], "five");
}
}
最佳答案
您可以实现带有扩展名的Splice方法。此方法仅获取一个范围(它是列表中所引用对象的副本),然后将其从列表中删除。
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace SpliceExample
{
class Program
{
static void Main(string[] args)
{
List<int> numbers = new List<int> { 1, 2, 3, 4, 5, 6, 7, 8, 9 };
List<int> subset = numbers.Splice(3, 3);
Console.WriteLine(String.Join(", ", numbers)); // Prints 1, 2, 3, 7, 8, 9
Console.WriteLine(String.Join(", ", subset)); // Prints 4, 5, 6
Console.ReadLine();
}
}
static class MyExtensions
{
public static List<T> Splice<T>(this List<T> list, int index, int count)
{
List<T> range = list.GetRange(index, count);
list.RemoveRange(index, count);
return range;
}
}
}
关于c# - 拼接收藏,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/9325627/