1

我使用 XML 文件来存储 ListBox 中的内容并在其中显示内容。

这是一个示例 XML 文件;

<?xml version="1.0" encoding="utf-8" standalone="yes"?>
<Root>
<Entry>
<Details>0</Details>
</Entry>
<Entry>
<Details>1</Details>
</Entry>
<Entry>
<Details>2</Details>
</Entry>
<Entry>
<Details>3</Details>
</Entry>
<Entry>
<Details>4</Details>
</Entry>
<Entry>
<Details>5</Details>
</Entry>
<Entry>
<Details>6</Details>
</Entry>
</Root>

用户可以选择 ListBox 上的值(选择模式为 MultiExtended)并删除它们。

我的问题是,展示比解释好;

精选项目——

选定项目

按下 Del 键后——

删除的项目

XML 文件的内容与 ListBox 相同。

当我全选并按删除时,结果更加奇怪。

难道我做错了什么 ?

如何获取多个项目的索引并正确处理?

这是我的代码:

using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Data;
using System.Drawing;
using System.Linq;
using System.Text;
using System.Xml.Linq;
using System.Windows.Forms;

namespace XML_ListBox
{
    public partial class Form1 : Form
    {
        string path = "Test.xml";
        public Form1()
        {
            InitializeComponent();
            LoadFile();
        }

        private void LoadFile()
        {
            XDocument xdoc = XDocument.Load(path);
            foreach (var el in xdoc.Root.Elements())
            {
                listBox1.Items.Add(el.Element("Details").Value);
            }
        }

        private void OnDelete(object sender, KeyEventArgs e)
        {
            XElement root = XElement.Load(path);

            if (e.KeyCode == Keys.Delete)
            {
                foreach (Object index in listBox1.SelectedIndices)
                {
                    root.Elements("Entry").ElementAt((int)index).Remove();
                    listBox1.Items.RemoveAt((int)index);
                }

                root.Save(path);
            }
        }
    }
}
4

1 回答 1

2

您的代码尝试按索引删除项目,但是每次您删除索引为 X 的项目时,索引 X+1 的项目将移动到索引 X。因此,每次删除索引 = 0 的项目时索引为 5 的项目变为索引 4。

您可以尝试对索引进行排序:

if (e.KeyCode == Keys.Delete)
{
  foreach (int index in listBox1.SelectedIndices.Cast<int>().OrderByDescending(i=>i))
  {
    root.Elements("Entry").ElementAt(index).Remove();
    listBox1.Items.RemoveAt(index);
  }

  root.Save(path);
}

但是删除项目的首选方法是通过键值而不是索引值删除

于 2012-05-30T10:28:58.217 回答