WPF: связывание клавиш для вкладки, глотает вкладку и не передает ее - PullRequest
5 голосов
/ 10 августа 2010

У меня есть текстовое поле, где у меня есть это: <KeyBinding Command="{Binding MyCommand}" Key="Tab"/>

Проблема в том, что он глотает вкладку и не переключается на следующий элемент управления. Как я могу перехватить вкладку для текстового поля и при этом сохранить вкладку для следующего элемента управления в порядке вкладок? Изменить: я также использую MVVM и MyCommand находится в коде ViewModel, поэтому мне нужно перебросить вкладку.

Ответы [ 3 ]

0 голосов
/ 17 октября 2010

Почему бы вам просто не использовать этот код в своем обработчике команд?

private void MyCommandHandler(){

    // Do command's work here

    TraversalRequest request = new TraversalRequest(FocusNavigationDirection.Next);
    request.Wrapped = true;
    control.MoveFocus(request);

}

Это в основном то, что делает 'Tab', поэтому, если вы сделаете то же самое, вы можете идти.(Конечно, измените направление, если у вас есть команда с Shift-Tab.

Я фактически обернул это в метод расширения, например ...

public static class NavigationHelpers{

    public static void MoveFocus(this FrameworkElement control, FocusNavigationDirection direction = FocusNavigationDirection.Next, bool wrap = true) {

        TraversalRequest request = new TraversalRequest(direction);
        request.Wrapped = wrap;
        control.MoveFocus(request);

    }

}

... в смыслекод становится еще проще, как этот ...

private void MyCommandHandler(){

    // Do command's work here

    Control.MoveFocus();

}

... и если вы не знаете, что такое фокусируемый элемент управления, вы можете просто сделать это ...

(Keyboard.FocusedElement as FrameworkElement).MoveFocus();

Надеюсь, это поможет! Если это так, то мы будем очень признательны, если вы проголосуете за меня или отметите это как принятое!

0 голосов
/ 03 апреля 2019

Возникла такая же проблема, наткнулся на эту ветку и мне понадобилось время, чтобы найти лучший ответ. Справка: Использовать EventTrigger для определенной клавиши Определите этот класс:

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

public class KeyDownEventTrigger : EventTrigger
{

    public KeyDownEventTrigger() : base("KeyDown")
    {
    }

    protected override void OnEvent(EventArgs eventArgs)
    {
        var e = eventArgs as KeyEventArgs;
        if (e != null && e.Key == Key.Tab)
        { 
            this.InvokeActions(eventArgs);                
        }
    }
}

xaml для вашего текстового поля:

<TextBox x:Name="txtZip"
     Text="{Binding Zip, Mode=TwoWay, UpdateSourceTrigger=PropertyChanged}">
<TextBox.InputBindings>
    <KeyBinding Key="Enter" Command="{Binding ZipLookup.GetAddressByZipKeyCommand}" CommandParameter="{Binding ElementName=txtZip, Path=Text}" />
</TextBox.InputBindings>
<i:Interaction.Triggers>
    <iCustom:KeyDownEventTrigger EventName="KeyDown">
        <i:InvokeCommandAction Command="{Binding ZipLookup.GetAddressByZipKeyCommand}" CommandParameter="{Binding ElementName=txtZip, Path=Text}" />
    </iCustom:KeyDownEventTrigger>
</i:Interaction.Triggers>
</TextBox>

В вашем окне или пользовательском элементе управления корневой тег включает следующие атрибуты:

xmlns:i="clr-namespace:System.Windows.Interactivity;assembly=System.Windows.Interactivity"
xmlns:iCustom="clr-namespace:[NAMESPACE FOR CUSTOM KEY DOWN CLASS]"
0 голосов
/ 15 августа 2010

Я не могу найти способ установить фокус на элементе управления, учитывая ваш вопрос как чисто решение XAML.
Я решил создать свойство, к которому обращаются, а затем с помощью привязки установить фокус на следующий элемент управления из команды, связанной с вашей привязкой клавиш.в ViewModel.

Вот вид:

<Window x:Class="WarpTab.Views.MainView"
  xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
  xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
  xmlns:c="clr-namespace:WarpTab.Commands" 
  xmlns:Views="clr-namespace:WarpTab.Views" 
  xmlns:local="clr-namespace:WarpTab.ViewModels" 
  Title="Main Window" Height="400" Width="800">

  <Window.Resources>
      <c:CommandReference x:Key="MyCommandReference" Command="{Binding MyCommand}" />
  </Window.Resources>

  <DockPanel>
    <ScrollViewer>
      <WrapPanel >
        <TextBox Text="First text value" >
            <TextBox.InputBindings>
                <KeyBinding Command="{StaticResource MyCommandReference}" Key="Tab"/>
            </TextBox.InputBindings>
        </TextBox>
        <TextBox Text="Next text value" local:FocusExtension.IsFocused="{Binding FocusControl}"  />
        <Button Content="My Button" />
      </WrapPanel>
    </ScrollViewer>
  </DockPanel>
</Window>

Вот видмодель:

using System.Windows.Input;
using WarpTab.Commands;

namespace WarpTab.ViewModels
{
  public class MainViewModel : ViewModelBase
  {
    public ICommand MyCommand { get; set; }
    public MainViewModel()
    {
      MyCommand = new DelegateCommand<object>(OnMyCommand, CanMyCommand);
    }

    private void OnMyCommand(object obj)
    {
      FocusControl = true;

      // process command here

      // reset to allow tab to continue to work
      FocusControl = false;
      return;
    }

    private bool CanMyCommand(object obj)
    {
      return true;
    }

    private bool _focusControl = false;
    public bool FocusControl
    {
      get
      {
        return _focusControl;
      }
      set
      {
        _focusControl = value;
        OnPropertyChanged("FocusControl");
      }
    }
  }
}

Вот код для определения присоединенного свойства, которое я нашелв следующем ответе .

using System.Windows;

namespace WarpTab.ViewModels
{
  public static class FocusExtension
  {
    public static bool GetIsFocused(DependencyObject obj)
    {
      return (bool)obj.GetValue(IsFocusedProperty);
    }

    public static void SetIsFocused(DependencyObject obj, bool value)
    {
      obj.SetValue(IsFocusedProperty, value);
    }

    public static readonly DependencyProperty IsFocusedProperty =
            DependencyProperty.RegisterAttached(
            "IsFocused", typeof(bool), typeof(FocusExtension),
            new UIPropertyMetadata(false, OnIsFocusedPropertyChanged));

    private static void OnIsFocusedPropertyChanged(DependencyObject d,
            DependencyPropertyChangedEventArgs e)
    {
      var uie = (UIElement)d;
      if ((bool)e.NewValue)
      {
        uie.Focus(); // Don't care about false values. 
      }
    }
  }
}
...