多数のテキストボックスを備えた Windows 8 ストア アプリケーションがあります。キーボードで Enter キーを押すと、フォーカスを次のコントロールに移動したいと思います。
これどうやってするの?
ありがとう
多数のテキストボックスを備えた Windows 8 ストア アプリケーションがあります。キーボードで Enter キーを押すと、フォーカスを次のコントロールに移動したいと思います。
これどうやってするの?
ありがとう
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() を呼び出すと、コントロール テンプレート (ボタンなど) にそのような四角形がある要素の周りに点線のフォーカス四角形が表示されることに注意してください。FocusState.Pointer で Focus() を呼び出しても、フォーカス rect は表示されません (タッチ/マウスを使用しているため、操作している要素がわかります)。
「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;
}