How to modify a foreach iteration variable from within foreach loop?(如何从 foreach 循环中修改 foreach 迭代变量?)
问题描述
当我尝试这样做时......
When I try to do this...
Item[,] array = new Item[w, h]; // Two dimensional array of class Item,
// w, h are unknown at compile time.
foreach(var item in array)
{
item = new Item();
}
...我得到 无法分配给item",因为它是foreach 迭代变量".
不过,我还是想这样做.
Still, I'd like to do that.
想法是将默认的 Item 类值分配给现有项目.
The idea is to assign default Item class values to existing item.
推荐答案
好的,现在我们知道您的目标,而不是您尝试实现它的方式,回答您的问题要容易得多:你不应该使用 foreach 循环.foreach 是关于从集合中读取 项 - 不更改集合的内容.C# 编译器将迭代变量设置为只读是一项很好的工作,否则它会让您更改 variable 的值而不会实际更改集合.(必须进行更重大的更改才能反映更改...)
Okay, now that we know your aim instead of how you were trying to achieve it, it's much easier to answer your question: you shouldn't be using a foreach loop. foreach is about reading items from a collection - not changing the contents of a collection. It's a good job that the C# compiler makes the iteration variable read-only, otherwise it would have let you change the value of the variable without that actually changing the collection. (There'd have to be more significant changes to allow changes to be reflected...)
我怀疑你只是想要:
for (int i = 0; i < array.GetLength(0); i++)
{
for (int j = 0; j < array.GetLength(1); j++)
{
array[i, j] = new Item();
}
}
假设它是一个矩形数组(一个Item[,]).如果它是一个 Item[][] 那么它是一个数组数组,你会稍微不同地处理它 - 很可能使用 foreach 进行外部迭代:
That's assuming it's a rectangular array (an Item[,]). If it's an Item[][] then it's an array of arrays, and you'd handle that slightly differently - quite possibly with a foreach for the outer iteration:
foreach (var subarray in array)
{
for (int i = 0; i < subarray.Length; i++)
{
subarray[i] = new Item();
}
}
这篇关于如何从 foreach 循环中修改 foreach 迭代变量?的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持编程学习网!
本文标题为:如何从 foreach 循环中修改 foreach 迭代变量?
基础教程推荐
- 将事件 TextChanged 分配给表单中的所有文本框 2022-01-01
- 经典 Asp 中的 ResolveUrl/Url.Content 等效项 2022-01-01
- JSON.NET 中基于属性的类型解析 2022-01-01
- 在 VS2010 中的 Post Build 事件中将 bin 文件复制到物 2022-01-01
- 全局 ASAX - 获取服务器名称 2022-01-01
- 错误“此流不支持搜索操作"在 C# 中 2022-01-01
- 是否可以在 asp classic 和 asp.net 之间共享会话状态 2022-01-01
- 首先创建代码,多对多,关联表中的附加字段 2022-01-01
- 从 VS 2017 .NET Core 项目的发布目录中排除文件 2022-01-01
- 如何动态获取文本框中datagridview列的总和 2022-01-01
