我来自 VBA 世界,记得BeforeUpdate
我可以在组合框上拨打电话。现在我在 C# 中(并且喜欢它),我想知道在 Winform 上是否有BeforeUpdate
调用ComboBox
a ?
我可以制作一个不可见的文本框并将我需要的信息存储在那里,更新后,查看该框以获取我需要的内容,但我希望有一个更简单的解决方案。
我来自 VBA 世界,记得BeforeUpdate
我可以在组合框上拨打电话。现在我在 C# 中(并且喜欢它),我想知道在 Winform 上是否有BeforeUpdate
调用ComboBox
a ?
我可以制作一个不可见的文本框并将我需要的信息存储在那里,更新后,查看该框以获取我需要的内容,但我希望有一个更简单的解决方案。
WF 的优点之一是您可以轻松制作自己的。向您的项目添加一个新类并粘贴下面的代码。编译。将新控件从工具箱顶部拖放到表单上。实施更新前事件。
using System;
using System.ComponentModel;
using System.Windows.Forms;
public class MyComboBox : ComboBox {
public event CancelEventHandler BeforeUpdate;
public MyComboBox() {
this.DropDownStyle = ComboBoxStyle.DropDownList;
}
private bool mBusy;
private int mPrevIndex = -1;
protected virtual void OnBeforeUpdate(CancelEventArgs cea) {
if (BeforeUpdate != null) BeforeUpdate(this, cea);
}
protected override void OnSelectedIndexChanged(EventArgs e) {
if (mBusy) return;
mBusy = true;
try {
CancelEventArgs cea = new CancelEventArgs();
OnBeforeUpdate(cea);
if (cea.Cancel) {
// Restore previous index
this.SelectedIndex = mPrevIndex;
return;
}
mPrevIndex = this.SelectedIndex;
base.OnSelectedIndexChanged(e);
}
finally {
mBusy = false;
}
}
}
你可以考虑SelectionChangeCommited
。
来自 MSDN:
仅当用户更改组合框选择时才会引发 SelectionChangeCommitted。不要使用SelectedIndexChanged或SelectedValuechangeD以捕获用户更改,因为在选择以编程方式更改时也会提出这些事件。
但是,当您将组合框设置为允许用户在文本框中键入时,这将不起作用。此外,它不会告诉您“最后”选择的项目是什么。您将不得不缓存此信息。但是,您不需要将信息存储在文本框中。您可以使用字符串。
您可以尝试 ValueMemberChanged、Validating、SelectedIndexChanged 或 TextChanged。它们不像 BeforeUpdate 那样触发,但是您可以查看将要更新的内容并处理更新的内容,或者拒绝它。
开箱即用,没有这样的东西。所有处理组合框中更改的事件都发生在新值被选中之后。那时,无法判断 USED 的值是多少。你最好的选择是你逃避的。填充 ComboBox 后,将 SelectedItem 保存到临时变量。然后,挂钩 SelectedValueChanged 事件。此时,您的临时变量将是您的旧值,而 SelectedItem 将是您的当前值。
private object oldItem = new object();
private void button3_Click(object sender, EventArgs e)
{
DateTime date = DateTime.Now;
for (int i = 1; i <= 10; i++)
{
this.comboBox1.Items.Add(date.AddDays(i));
}
oldItem = this.comboBox1.SelectedItem;
}
private void comboBox1_SelectedValueChanged(object sender, EventArgs e)
{
//do what you need with the oldItem variable
if (oldItem != null)
{
MessageBox.Show(oldItem.ToString());
}
this.oldItem = this.comboBox1.SelectedItem;
}
我认为您想要的是 DropDown 事件。它会在用户更改它之前告诉您该值是什么。但是,用户最终可能不会更改任何内容,因此它与更新前不完全相同。