我需要创建一个具有链表容量的数组。
基本上,我需要一个静态的基于索引的列表(如数组),但有可能获得下一个和前一个字段(和容易循环通过列表,如链表)。注意:数组是二维的。我使用自定义类作为数组值。所以我可以为每个实例设置previous和next属性
是否有一个内置的c#集合?如果没有,有什么建议如何创建一个非常简单的版本?(我已经有了这个版本,由2个方法组成。一个向前循环以设置前一个字段,一个向后循环以设置下一个字段,但它仍然太混乱)。
Thanks in advance
编辑:问题是我使用二维数组。If循环遍历数组:
for (byte x = 0; x < Grid.GetLength(0); x++)
{
for (byte y = 0; y < Grid.GetLength(1); y++) /
{
//At certain point, I need to get the previous field. I can do:
if (y != 0)
{
y -= 2; //-2 because I will y++ in for. Already getting messy
}
else
{
//What if y == 0? Then I can't do y--. I should get max y and do x-- to get previous element:
y = (byte)(Grid.GetLength(1) - 1); //to get max value y
x--;
}
}
}
有一个内置的LinkedList<T>
类。
但是从你的描述中,为什么数组不能工作?它是静态的,并且基于索引,您可以通过增加/减少索引轻松地获得下一个和前一个元素。很难从代码中确切地看到您需要什么,但是我想指出,您可以使用
轻松枚举多维数组:var arry = new int[2,3];
foreach(var item in arry)
{
...
}
所以你可能可以将它与Stack<T>
结构结合起来(将堆栈上的项目推入并弹出它们以获得前一个)。
也可以直接将array转换为LinkedList
。
var list = new LinkedList(arry.Cast<int>()); // flattens array
或者保留原始数组的索引,并且仍然作为链表循环遍历值,使用:
var list = new LinkedList(arry.Cast<int>.Select((item, i) => new
{
Item = item,
Index1 = i % arry.GetLength(1),
Index2 = i / arry.GetLength(0)
}));
var node = list.First;
while(node.Next != null)
{
Console.WriteLine("Value @ {1}, {2}: {0}", node.Value.Item, node.Value.Index1, node.Value.Index2);
// on some condition move to previous node
if (...)
{
node = node.Previous;
}
else
{
node = node.Next;
}
}
不,你没有。而不是放弃传统的数组代替"智能链接节点数组",这似乎是你正在走向,试着在你的循环体中添加几个变量:
byte x_len = Grid.GetLength(0);
byte y_len = Grid.GetLength(1);
byte prev_x, next_x, prev_y, next_y;
for (byte x = 0; x < x_len; ++x)
{
prev_x = x == 0? x_len - 1 : x - 1;
next_x = x == x_len - 1? 0 : x + 1;
for (byte y = 0; y < y_len; ++y)
{
prev_y = y == 0? y_len - 1 : y - 1;
next_y = y == y_len - 1? 0 : y + 1;
// here, you have access to the next and previous
// in both directions, satisfying your requirements
// without confusing your loop variables.
}
}