我正在努力制作一个基本的C#应用程序,它从XML文件中获取大量项目,在列表框中显示“title”节点,并且在选择标题时,显示项目的其他节点一个文本框。文本框旨在允许用户编辑XML内容并保存更改。
我认为我的问题非常基本:列表框工作正常,但在列表框中选择新标题时,文本框不会更新。我想它不应该太复杂,但对我而言 - 我真的被困在这里。
我知道像这样的问题频繁出现,但我认为它们中的大多数都是不精确或过于复杂的:我(显然)是C#的新手并且非常希望保持代码简单透明。可能的。
我的XML示例:
<?xml version='1.0'?>
<book genre="autobiography" publicationdate="1981" ISBN="1-861003-11-0">
<title>The Autobiography of Benjamin Franklin</title>
<author>
<first-name>Benjamin</first-name>
<last-name>Franklin</last-name>
</author>
<price>8.99</price>
</book>
<book genre="novel" publicationdate="1967" ISBN="0-201-63361-2">
<title>The Confidence Man</title>
<author>
<first-name>Herman</first-name>
<last-name>Melville</last-name>
</author>
<price>11.99</price>
</book>
<book genre="philosophy" publicationdate="1991" ISBN="1-861001-57-6">
<title>The Gorgias</title>
<author>
<name>Plato</name>
</author>
<price>9.99</price>
</book>
</bookstore>
cs文件
private void btnLireXML_Click(object sender, EventArgs e)
{
XmlDocument xDox = new XmlDocument();
xDoc.Load(books.xml);
XmlNodeList lst = xDoc.GetElementsByTagName("title");
foreach (XmlNode n in lst)
{
listBox1.Items.Add(n.InnerText);
}
}
private void listBox1_SelectedIndexChanged(object sender, EventArgs e)
{
textBox1.Text = listBox1.SelectedItem.ToString();
}
在这里,在文本框部分,我几乎尝试了所有内容......
WFA文件包含一个加载XML文件,列表框和文本框的按钮(可能最好为每个XML节点都有一个文本框)
答案 0 :(得分:0)
加载xml后,将书籍放入列表中。
建议使用linq2xml(XElement
),因为它比遗留XmlDocument
更方便。
private void ButtonLoad_Click(object sender, EventArgs e)
{
var xml = XElement.Load("books.xml");
bookList = xml.Elements("book").ToList();
foreach (var book in bookList)
{
string title = book.Element("title").Value;
listBox.Items.Add(title);
}
}
List<XElement> bookList
是表单字段。
在事件处理程序中按索引从列表中检索书籍。
private void ListBox_SelectedIndexChanged(object sender, EventArgs e)
{
var book = bookList[listBox.SelectedIndex];
textBox.Text =
"Genre: " + book.Attribute("genre").Value + Environment.NewLine +
"Price: " + book.Element("price").Value;
// Put other values to textbox (set Multiline = true)
}
当然,您可以使用多个文本框(或标签)。
textBoxGenre.Text = "Genre: " + book.Attribute("genre").Value;
textBoxPrice.Text = "Price: " + book.Element("price").Value;
等等。