我想创建一个从xml文件收集自定义childnode值并从表单重写whit数据的方法。我知道我在ArrayList中收集数据并将其提供给方法。但我不能在foreach中更改它,因为它抛出ArgumentOutOfRangeException(尽管ArraList包含8个元素,增量变量的值也是8)。所以我会寻求帮助。
以下是代码:
public static void Search(ArrayList nodeIds, ArrayList values)
{
XDocument doc = XDocument.Load("Options.xml");
int i = 0;
foreach (XElement option in doc.Descendants("BasicOptions"))
{
foreach(string nodeId in nodeIds)
{
if (option.Attribute("id").Value == nodeId)
{
foreach (XElement prop in option.Nodes())
{
prop.Value = values[i].ToString();
i++;
}
}
}
}
doc.Save("Options.xml");
}
答案 0 :(得分:1)
在我看来,i
毫无疑问会超出范围,因为它在 3 foreach
语句的外部声明,并在中心foreach
内使用。你应该重新考虑你的方法。
我建议,但在不知道您的传入值或为何调用此内容的情况下,将内部foreach
重新声明为for
语句,如下所示:
public static void Search(ArrayList nodeIds, ArrayList values)
{
XDocument doc = XDocument.Load("Options.xml");
foreach (XElement option in doc.Descendants("BasicOptions"))
{
foreach (string nodeId in nodeIds)
{
if (option.Attribute("id").Value == nodeId)
{
var nodes = option.Nodes().ToList();
for (int i = 0; i < nodes.Count && i < values.Count; i++)
{
XElement node = (XElement)nodes[i];
node.Value = values[i].ToString();
}
}
}
}
doc.Save("Options.xml");
}