1

我有一个包含文本框控件的程序。用户可以在此控件中输入文本。用户还可以按下某些键来触发其他操作(这在 MainWindow 上处理)。我有示例 XAML 和 C# 代码来演示我的设置。

XAML

<Window x:Class="RoutedEventBubbling.MainWindow"
        xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
        xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
        Title="MainWindow" Height="350" Width="525">
    <Grid>
        <Grid.RowDefinitions>
            <RowDefinition />
            <RowDefinition />
        </Grid.RowDefinitions>

        <TextBox Grid.Row="0" />
        <TextBox x:Name="Output" Grid.Row="1" IsReadOnly="True" />
    </Grid>
</Window>

C#

using System.Windows;
using System.Windows.Input;

namespace RoutedEventBubbling
{
    /// <summary>
    /// Interaction logic for MainWindow.xaml
    /// </summary>
    public partial class MainWindow : Window
    {
        private int mHitCount = 0;

        public MainWindow()
        {
            InitializeComponent();
        }

        protected override void OnKeyDown(KeyEventArgs e)
        {
            base.OnKeyDown(e);

            this.Output.Text = string.Format("Hit Count: {0}", ++mHitCount);
        }
    }
}

正如您可能已经意识到的那样,在这个程序的情况下,如果我开始输入第一个TextBox,第二个将使用命中计数进行更新。OnKeyDown这是一个不受欢迎的结果,因为在处理 MainWindow 的方法时,我可能希望触发某些操作。

因此,我的问题是:是否可以防止在OnKeyDownMainWindow 上调用该方法,同时仍允许在文本框中输入文本?我知道这种e.Handled = true方法,但在这种情况下,如果KeyDown发生这种情况TextBox会阻止输入文本。如果这是不可能的,我将不得不找到其他方法来处理这一切。

提前致谢。

编辑

我刚刚找到了一种解决这个问题的适度的方法。如果我改为处理 MainWindow 的OnTextInput方法,那么我想要的结果将得到处理,因为 will 的TextInput事件TextBox已被处理。下面是我使用的代码示例:

private Key mPressedKey;

protected override void OnKeyDown(KeyEventArgs e)
{
    // Note: This method will be called first.

    base.OnKeyDown(e);

    // Store the pressed key
    mPressedKey = e.Key;
}

protected override void OnTextInput(TextCompositionEventArgs e)
{
    // Note: This method will be called second, and only if the textbox hasn't handled it.

    base.OnTextInput(e);

    this.Output.Text = string.Format("Hit Count: {0}", ++mHitCount);

   // ... Handle pressed key ...
}
4

2 回答 2

0

您可以在该语句上放置基于类型的保护:

protected override void OnKeyDown(KeyEventArgs e)
{
    base.OnKeyDown(e);

    if (e.OriginalSource is TextBoxBase == false)
    {
        mPressedKey = e.Key;
    }
}

不过,很可能也不是最好的解决方案。

于 2011-11-03T09:51:29.523 回答
0

我最终使用以下设置解决了这个问题:

private Key mPressedKey;

protected override void OnKeyDown(KeyEventArgs e)
{
    base.OnKeyDown(e);

    mPressedKey = e.Key;
}

protected override void OnTextInput(TextCompositionEventArgs e)
{
    base.OnTextInput(e);

    // ... Handle mPressedKey here ...
}

protected override void OnMouseDown(MouseButtonEventArgs e)
{
    base.OnMouseDown(e);

    // Force focus back to main window
    FocusManager.SetFocusedElement(this, this);
}

这是在 MainWindow.xaml.cs 中完成的。这有点骇人听闻,但它达到了我想要的结果。

于 2011-11-04T11:43:16.690 回答