我需要编辑一些层次结构,我使用
TreeView
和 TextBoxes
简短示例
<TreeView>
<TreeView.Items>
<TreeViewItem Header="Level 0">
<!-- Level 1-->
<TextBox Margin="5"
BorderThickness="1" BorderBrush="Black" />
</TreeViewItem>
</TreeView.Items>
</TreeView>
当我输入
TextBox
、+
、-
时,字母和数字可以正常工作,箭头可以正常工作,但是当我按 -
时,Level 0
项目会折叠,当我输入 *
时,没有任何反应
我应该如何处理
-
和 *
才能按预期在 TextBox
中看到它们?
编辑:
如果输入为-
则
Key.OemMinus
有效,但不能从数字键盘输入为 Key.Subtract
如果输入为 *
,则可以使用 Shift
+Key.D8
,但不能从数字键盘输入为 Key.Multiply
终于解决了问题
Key.Subtract
我将处理程序添加到
PreviewKeyDown
上的
TextBox
<TextBox Margin="5" BorderThickness="1" BorderBrush="Black"
PreviewKeyDown="TextBoxPreviewKeyDown"
/>
收到
Key.Subtract
时,KeyDown
被标记为已处理,然后我手动引发 TextInput
事件,如本 answer 中所述(如何在 C# 中以编程方式生成按键事件?)
private void TextBoxPreviewKeyDown(object sender, KeyEventArgs e)
{
if (e.Key == Key.Subtract)
{
e.Handled = true;
var text = "-";
var target = Keyboard.FocusedElement;
var routedEvent = TextCompositionManager.TextInputEvent;
target.RaiseEvent(
new TextCompositionEventArgs
(
InputManager.Current.PrimaryKeyboardDevice,
new TextComposition(InputManager.Current, target, text)
)
{
RoutedEvent = routedEvent
});
}
}
我可以为您拥有的文本框建议一个按键事件。
<TextBox Margin="5" KeyDown="TextBox_KeyDown"
BorderThickness="1" BorderBrush="Black" />
private void TextBox_KeyDown(object sender, KeyEventArgs e)
{
TextBox txt = sender as TextBox;
if(e.Key == Key.Subtract)
{
txt.Text += "-";
txt.SelectionStart = txt.Text.Length;
txt.SelectionLength = 0;
e.Handled = true;
}
else if (e.Key == Key.Multiply)
{
txt.Text += "*";
txt.SelectionStart = txt.Text.Length;
txt.SelectionLength = 0;
e.Handled = true;
}
}
这不是一个好的解决方案,但它确实有效。如果您有任何其他“问题”键,您可以向事件添加 if。
SelectionStart
和 SelectionLength
用于将光标定位在文本框的末尾。并且 e.Handled = true;
确实可以防止默认行为。
此行为来自
TreeViewItem.OnKeyDown()
方法。您可以派生 TreeViewItem
来覆盖它:
public sealed class CustomTreeViewItem : TreeViewItem
{
protected override void OnKeyDown(KeyEventArgs e)
{
}
}
当然,你还需要推导
TreeView
:
public sealed class CustomTreeView : TreeView
{
protected override DependencyObject GetContainerForItemOverride()
{
return new CustomTreeViewItem();
}
}