在Windows 8应用商店应用程序中按回车键移动到下一个控件

本文关键字:回车 移动 控件 下一个 Windows 应用 应用程序 | 更新日期: 2023-09-27 18:22:03

我有一个带有许多文本框的windows8存储应用程序。当我按下键盘上的回车键时,我希望焦点移动到下一个控件。

我该怎么做?

感谢

在Windows 8应用商店应用程序中按回车键移动到下一个控件

您可以处理TextBoxes上的KeyDown/KeyUp事件(取决于您是想在按键开始还是结束时转到下一个)。

示例XAML:

<TextBox KeyUp="TextBox_KeyUp" />

代码背后:

    private void TextBox_KeyUp(object sender, KeyRoutedEventArgs e)
    {
        TextBox tbSender = (TextBox)sender;
        if (e.Key == Windows.System.VirtualKey.Enter)
        {
            // Get the next TextBox and focus it.
            DependencyObject nextSibling = GetNextSiblingInVisualTree(tbSender);
            if (nextSibling is Control)
            {
                // Transfer "keyboard" focus to the target element.
                ((Control)nextSibling).Focus(FocusState.Keyboard);
            }
        }
    }

完整的示例代码,包括GetNextSiblingInVisualTree()辅助方法的代码:https://github.com/finnigantime/Samples/tree/master/examples/Win8Xaml/TextBox_EnterMovesFocusToNextControl

请注意,使用FocusState.Keyboard调用Focus()时,会在控件模板(如Button)中有矩形的元素周围显示点焦点矩形。使用FocusState.Pointer调用Focus()不会显示焦点矩形(您使用的是触摸/鼠标,所以您知道要与哪个元素交互)。

我对"GetNextSiblingInVisualTree"函数做了一点改进。此版本搜索下一个TextBox,而不是下一个对象。

    private static DependencyObject GetNextSiblingInVisualTree(DependencyObject origin)
    {
        DependencyObject parent = VisualTreeHelper.GetParent(origin);
        if (parent != null)
        {
            int childIndex = -1;
            for (int i = 0; i < VisualTreeHelper.GetChildrenCount(parent); ++i)
            {
                if (origin == VisualTreeHelper.GetChild(parent, i))
                {
                    childIndex = i;
                    break;
                }
            }
            for (int nextIndex = childIndex + 1; nextIndex < VisualTreeHelper.GetChildrenCount(parent); nextIndex++ )
            {
                DependencyObject currentObject = VisualTreeHelper.GetChild(parent, nextIndex);
                if( currentObject.GetType() == typeof(TextBox))
                {
                    return currentObject;
                }
            }
        }
        return null;
    }