5

我有一个带有许多文本框的 Windows 8 商店应用程序。当我在键盘上按下回车键时,我希望焦点移到下一个控件。

我怎样才能做到这一点?

谢谢

4

2 回答 2

5

您可以处理 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() 不会显示焦点矩形(您正在使用触摸/鼠标,因此您知道正在与哪个元素进行交互)。

于 2013-07-14T19:33:27.790 回答
1

我对“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;
    }
于 2015-07-12T01:42:57.110 回答