我有一个绑定到这样的字典的组合框:

Dictionary<int, string> comboboxValues = new Dictionary<int, string>();
comboboxValues.Add(30000, "30 seconds");
comboboxValues.Add(45000, "45 seconds");
comboboxValues.Add(60000, "1 minute");
comboBox1.DataSource = new BindingSource(comboboxValues , null);
comboBox1.DisplayMember = "Value";
comboBox1.ValueMember = "Key";

我从SelectedItem获取密钥,如下所示:
int selection = ((KeyValuePair<int, string>)comboBox1.SelectedItem).Key;

因此,如果我的用户选择“45秒”选项,我将获得45000并将该值保存到XML文件中。加载我的应用程序时,我需要读取该值,然后自动将组合框设置为匹配。当我只有45000的钥匙时可以这样做吗?还是我需要将值(“45秒”)而不是密钥保存到文件中?

最佳答案

是的,您只能使用45000

comboBox1.SelectedItem = comboboxValues[45000];

如果您知道索引,则可以使用
comboBox1.SelectedIndex = i;

我是从零开始的,-1表示没有选择。

或设置SelectedItem
comboBox1.SelectedItem = new KeyValuePair<int, string>(45000, "45 seconds");

private void Form1_Load(object sender, EventArgs e)
{
    Dictionary<int, string> comboboxValues = new Dictionary<int, string>();
    comboboxValues.Add(30000, "30 seconds");
    comboboxValues.Add(45000, "45 seconds");
    comboboxValues.Add(60000, "1 minute");
    comboBox1.DataSource = new BindingSource(comboboxValues, null);
    comboBox1.DisplayMember = "Value";
    comboBox1.ValueMember = "Key";
    comboBox1.SelectedItem = comboboxValues[45000];
}

09-16 02:34