0

工程师需要一个数字从 500 到 -500 的组合框(负数列在底部,所以不是按字母顺序排列的)。

他们还要求能够在组合中输入数字以跳转到正确的项目。

问题:输入“44”,制表符。然后用鼠标点击控件,可以看到“449”被选中。

这是完整的代码:

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

namespace combotest
{
    public partial class Form1 : Form
    {
        public Form1()
        {
            InitializeComponent();
        }

        private void Form1_Load(object sender, EventArgs e)
        {
            for (int i = 500; i > -500; i--)
            {
                comboBox1.Items.Add(i.ToString());
            }
        }

        private void comboBox1_Leave(object sender, EventArgs e)
        {
            comboBox1.SelectedIndex = comboBox1.FindStringExact(comboBox1.Text);
        }
    }
}

没问题!我告诉自己。FindStringExact 正在查找第一个 alpha 匹配项。所以我用循环替换了离开事件代码:

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

namespace combotest
{
    public partial class Form1 : Form
    {
        public Form1()
        {
            InitializeComponent();
        }

        private void Form1_Load(object sender, EventArgs e)
        {
            for (int i = 500; i > -500; i--)
            {
                comboBox1.Items.Add(i.ToString());
            }
        }

        private void setCombo(string value)
        {
            comboBox1.Items.Clear();

            int myindex = -1;
            for (int i = 500; i > -501; i--)
            {
                myindex += 1;

                comboBox1.Items.Add(i.ToString());
                if (i.ToString().Trim() == value.Trim())
                {
                    comboBox1.SelectedIndex = myindex;
                }
            }
        }

        private void comboBox1_Leave(object sender, EventArgs e)
        {
           // comboBox1.SelectedIndex = comboBox1.FindStringExact(comboBox1.Text);
            setCombo(comboBox1.Text);

        }
    }
}

我再试一次,但当我在输入“44”并跳开后在组合上单击鼠标时,仍然选择了“449”。

4

2 回答 2

1

由于您填充的方式ComboBox,449 在列表中的出现早于 44,因此它首先被选中(它是与用户键入的内容最接近的第一个匹配项)。要获得所需的行为,您必须有两个列表 - 一个从 0 到 500,另一个从 0 到 -500。

相反,使用一个NumericUpDown框并将Maximum属性设置为 500 并将Minimum值设置为 -500。这将确保用户只能输入指定范围内的数字。

于 2013-09-24T16:37:42.477 回答
0

我只是建议

  1. 启用自动完成源为 True
  2. 然后将您在组合框中添加的相同项目添加到自动完成源
  3. 将自动完成模式设置为“SuggestAppend”。
  4. 将 Combobox 的值设置为 SelectedItem。

我不建议使用索引。

于 2013-09-24T16:33:32.103 回答