我正在编写一个简单的wpf c#应用程序,用于处理数据库中的数据。当按下Tab键时,会从 Main ComboBox
执行动态生成Textbox
和TextBox
的功能。从理论上讲,应该将焦点切换到下一个控件,即新生成的ComboBox
。取而代之的是,在执行时,它将移至后者生成的TextBox
。下面是我实现的代码。
private void Add_PreviewMouseDown(object sender, MouseButtonEventArgs e)
{
// insert generation code here
}
通过以下方式按下Tab键时,将调用上述功能:
private void MainTextbox_KeyDown(object sender, KeyEventArgs e)
{
if(e.Key == Key.Tab)
{
Add_PreviewMouseDown(null, null);
}
}
我认为问题可能出在按下Tab键和创建控件的过程之间存在时间延迟。有什么想法吗?
答案 0 :(得分:4)
尝试编写现有的密钥处理程序,而不是编写自己的密钥处理程序:
using System.Windows.Input;
//Later on:
protected override void OnKeyDown(KeyEventArgs e)
{
base.OnKeyDown(e);
if (e.Key == System.Windows.Input.Key.Tab)
{
//Handle the tab key
}
}
您可能需要也可能不需要base.OnKeyDown(e);原因可能是导致选项卡默认行为的原因:即,将焦点转移到应用程序中的下一个UI元素,例如。下一个文本框。
因此,您可以尝试类似的操作:
protected override void OnKeyDown(KeyEventArgs e)
{
if (e.Key != System.Windows.Input.Key.Tab)
{
base.OnKeyDown(e); //Default behavior for all other keys
}else{
//Custom behavior for the tab key
}
}
我希望这会有所帮助:-)