for WPF developers
Home Profile Tips 全記事一覧

ListBox などのアイテムをドラッグ&ドロップ操作で並べ替える

(2017/06/02 9:25:52 created.)

二番煎じもいいところのお題ではありますが、実はこの手の情報を検索すると、そのほとんどが View 側でコレクションを並べ替えるものです。
コレクションを提供しているのは ViewModel 側で、その並び順を制御するのも ViewModel 側の責務だと私は思っていたので、これといった良いサンプルコードに出会うことができませんでした。

というわけでいつも通り、無い物は自作すればいいじゃない、の精神でやってみます。

意図したサンプルコードは見当たりませんでしたが、周辺コードはとても参考になりました。
例えば ItemsControl に並べられているアイテムをクリックしたときなど、イベント引数の OriginalSource プロパティを利用することでどのアイテムが対象であるかを知ることができます。

また、ItemsControl.ItemContainerGenerator プロパティを使用することで、対象とするコンテナが何番目のものなのか知ることができます。

以上の方法を使うことで、次のような流れでドラッグ&ドロップ操作の結果を ViewModel 側に伝えます。

  1. MouseLeftButtonDown イベントで対象のアイテムを確定
  2. MouseMove イベントでドラッグ開始判定
  3. Drop イベントでドロップ先のインデックス番号をコールバックする
この他に、MouseLeftButtonUp や DragEnter、DragLeave イベントでエラー対処などをすることになります。

View と ViewModel を準備

まずどのような UI を使用するかを紹介します。

MainView.xaml
  1. <Window x:Class="Tips_ReorderedListBox.Views.MainView"
  2.         xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
  3.         xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
  4.         Title="MainView" Height="300" Width="300">
  5.     <StackPanel>
  6.         <ListBox ItemsSource="{Binding Items}" SelectedIndex="{Binding CurrentIndex}" />
  7.     </StackPanel>
  8. </Window>
MainViewModel.cs
  1. namespace Tips_ReorderedListBox.ViewModels
  2. {
  3.     using System.Collections.ObjectModel;
  4.     using System.ComponentModel;
  5.     using System.Runtime.CompilerServices;
  6.  
  7.     internal class MainViewModel : INotifyPropertyChanged
  8.     {
  9.         private ObservableCollection<string> _items = new ObservableCollection<string>()
  10.         {
  11.             "アイテム 1",
  12.             "アイテム 2",
  13.             "アイテム 3",
  14.             "アイテム 4",
  15.             "アイテム 5",
  16.         };
  17.         public ObservableCollection<string> Items { get { return this._items; } }
  18.  
  19.         private int _currentIndex;
  20.         public int CurrentIndex
  21.         {
  22.             get { return this._currentIndex; }
  23.             set { SetProperty(ref this._currentIndex, value); }
  24.         }
  25.  
  26.         #region INotifyPropertyChanged のメンバ
  27.  
  28.         public event PropertyChangedEventHandler PropertyChanged;
  29.  
  30.         private void RaisePropertyChanged([CallerMemberName]string propertyName = null)
  31.         {
  32.             var h = this.PropertyChanged;
  33.             if (h != null) h(this, new PropertyChangedEventArgs(propertyName));
  34.         }
  35.  
  36.         private bool SetProperty<T>(ref T target, T value, [CallerMemberName]string propertyName = null)
  37.         {
  38.             if (Equals(target, value)) return false;
  39.             target = value;
  40.             RaisePropertyChanged(propertyName);
  41.             return true;
  42.         }
  43.  
  44.         #endregion INotifyPropertyChanged のメンバ
  45.     }
  46. }

起動するとこんな感じ。

「アイテム 1」や「アイテム 2」をドラッグ&ドロップで並べ替えられるようにすることが目的です。

ReorderableItemsControlBehavior クラスを作成する

それでは本題に入ります。ドラッグ&ドロップに関するコードをビヘイビアに詰め込むために、ReorderableItemsControlBehavior というクラスを新規作成します。

ReorderableItemsControlBehavior.cs
  1. namespace Tips_ReorderedListBox.Views.Behaviors
  2. {
  3.     using System;
  4.     using System.Windows;
  5.     using System.Windows.Controls;
  6.     using System.Windows.Input;
  7.  
  8.     /// <summary>
  9.     /// ItemsControl に対するドラッグ&ドロップによる並べ替え動作をおこなうビヘイビアを表します。
  10.     /// </summary>
  11.     internal class ReorderableItemsControlBehavior
  12.     {
  13.         #region Callback 添付プロパティ
  14.  
  15.         /// <summary>
  16.         /// Callback 添付プロパティの定義
  17.         /// </summary>
  18.         public static readonly DependencyProperty CallbackProperty = DependencyProperty.RegisterAttached("Callback", typeof(Action<int>), typeof(ReorderableItemsControlBehavior), new PropertyMetadata(null, OnCallbackPropertyChanged));
  19.  
  20.         /// <summary>
  21.         /// Callback 添付プロパティを取得します。
  22.         /// </summary>
  23.         /// <param name="target">対象とする DependencyObject を指定します。</param>
  24.         /// <returns>取得した値を返します。</returns>
  25.         public static Action<int> GetCallback(DependencyObject target)
  26.         {
  27.             return (Action<int>)target.GetValue(CallbackProperty);
  28.         }
  29.  
  30.         /// <summary>
  31.         /// Callback 添付プロパティを設定します。
  32.         /// </summary>
  33.         /// <param name="target">対象とする DependencyObject を指定します。</param>
  34.         /// <param name="value">設定する値を指定します。</param>
  35.         public static void SetCallback(DependencyObject target, Action<int> value)
  36.         {
  37.             target.SetValue(CallbackProperty, value);
  38.         }
  39.  
  40.         /// <summary>
  41.         /// Callback 添付プロパティ変更イベントハンドラ
  42.         /// </summary>
  43.         /// <param name="d">イベント発行元</param>
  44.         /// <param name="e">イベント引数</param>
  45.         private static void OnCallbackPropertyChanged(DependencyObject d, DependencyPropertyChangedEventArgs e)
  46.         {
  47.             var itemsControl = d as ItemsControl;
  48.             if (itemsControl == null) return;
  49.  
  50.             if (GetCallback(itemsControl) != null)
  51.             {
  52.                 itemsControl.PreviewMouseLeftButtonDown += OnPreviewMouseLeftButtonDown;
  53.                 itemsControl.PreviewMouseMove += OnPreviewMouseMove;
  54.                 itemsControl.PreviewMouseLeftButtonUp += OnPreviewMouseLeftButtonUp;
  55.                 itemsControl.PreviewDragEnter += OnPreviewDragEnter;
  56.                 itemsControl.PreviewDragLeave += OnPreviewDragLeave;
  57.                 itemsControl.PreviewDrop += OnPreviewDrop;
  58.             }
  59.             else
  60.             {
  61.                 itemsControl.PreviewMouseLeftButtonDown -= OnPreviewMouseLeftButtonDown;
  62.                 itemsControl.PreviewMouseMove -= OnPreviewMouseMove;
  63.                 itemsControl.PreviewMouseLeftButtonUp -= OnPreviewMouseLeftButtonUp;
  64.                 itemsControl.PreviewDragEnter -= OnPreviewDragEnter;
  65.                 itemsControl.PreviewDragLeave -= OnPreviewDragLeave;
  66.                 itemsControl.PreviewDrop -= OnPreviewDrop;
  67.             }
  68.         }
  69.  
  70.         #endregion Callback 添付プロパティ
  71.  
  72.         #region イベントハンドラ
  73.  
  74.         /// <summary>
  75.         /// PreviewMouseLeftButtonDown イベントハンドラ
  76.         /// </summary>
  77.         /// <param name="sender">イベント発行元</param>
  78.         /// <param name="e">イベント引数</param>
  79.         private static void OnPreviewMouseLeftButtonDown(object sender, MouseButtonEventArgs e)
  80.         {
  81.             throw new NotImplementedException();
  82.         }
  83.  
  84.         /// <summary>
  85.         /// PreviewMouseMove イベントハンドラ
  86.         /// </summary>
  87.         /// <param name="sender">イベント発行元</param>
  88.         /// <param name="e">イベント引数</param>
  89.         private static void OnPreviewMouseMove(object sender, MouseEventArgs e)
  90.         {
  91.             throw new NotImplementedException();
  92.         }
  93.  
  94.         /// <summary>
  95.         /// PreviewMouseLeftButtonUp イベントハンドラ
  96.         /// </summary>
  97.         /// <param name="sender">イベント発行元</param>
  98.         /// <param name="e">イベント引数</param>
  99.         private static void OnPreviewMouseLeftButtonUp(object sender, MouseButtonEventArgs e)
  100.         {
  101.             throw new NotImplementedException();
  102.         }
  103.  
  104.         /// <summary>
  105.         /// PreviewDragEnter イベントハンドラ
  106.         /// </summary>
  107.         /// <param name="sender">イベント発行元</param>
  108.         /// <param name="e">イベント引数</param>
  109.         private static void OnPreviewDragEnter(object sender, DragEventArgs e)
  110.         {
  111.             throw new NotImplementedException();
  112.         }
  113.  
  114.         /// <summary>
  115.         /// PreviewDragLeave イベントハンドラ
  116.         /// </summary>
  117.         /// <param name="sender">イベント発行元</param>
  118.         /// <param name="e">イベント引数</param>
  119.         private static void OnPreviewDragLeave(object sender, DragEventArgs e)
  120.         {
  121.             throw new NotImplementedException();
  122.         }
  123.  
  124.         /// <summary>
  125.         /// PreviewDrop イベントハンドラ
  126.         /// </summary>
  127.         /// <param name="sender">イベント発行元</param>
  128.         /// <param name="e">イベント引数</param>
  129.         private static void OnPreviewDrop(object sender, DragEventArgs e)
  130.         {
  131.             throw new NotImplementedException();
  132.         }
  133.  
  134.         #endregion イベントハンドラ
  135.     }
  136. }

このビヘイビアでは最終的にコールバックで ViewModel 側に操作結果を伝えることが目的なので、安直に Callback 添付プロパティをあらかじめ定義しておきます。ドラッグ&ドロップ操作によって移動先のインデックス番号がわかればいいので、Action<int> 型としています。

また、このビヘイビアは ItemsControl 派生のコントロールクラスを想定しているため、Callback 添付プロパティが設定されたときに ItemsControl クラスとして各種マウスイベントに対するイベントハンドラを登録します。ここではまだスタブを定義しているだけで、実際の実装内容はこれから順番に説明します。

ドラッグ中の一時データ

各イベントハンドラの実装の前に、ドラッグ中の一時データを保持するためのクラスをひとつだけ用意します。

DragDropObject クラス
  1. /// <summary>
  2. /// ドラッグ中の一時データ
  3. /// </summary>
  4. private static DragDropObject temporaryData;
  5.  
  6. /// <summary>
  7. /// ドラッグ&ドロップに関するデータを表します。
  8. /// </summary>
  9. private class DragDropObject
  10. {
  11.     /// <summary>
  12.     /// ドラッグ開始座標を取得または設定します。
  13.     /// </summary>
  14.     public Point Start { get; set; }
  15.  
  16.     /// <summary>
  17.     /// ドラッグ対象であるオブジェクトを取得または設定します。
  18.     /// </summary>
  19.     public FrameworkElement DraggedItem { get; set; }
  20.  
  21.     /// <summary>
  22.     /// ドロップ可能かどうかを取得または設定します。
  23.     /// </summary>
  24.     public bool IsDroppable { get; set; }
  25.  
  26.     /// <summary>
  27.     /// ドラッグを開始していいかどうかを確認します。
  28.     /// </summary>
  29.     /// <param name="current">現在のマウス座標を指定します。</param>
  30.     /// <returns>十分マウスが移動している場合に true を返します。</returns>
  31.     public bool CheckStartDragging(Point current)
  32.     {
  33.         return (current - this.Start).Length - MinimumDragPoint.Length > 0;
  34.     }
  35.  
  36.     /// <summary>
  37.     /// ドラッグ開始に必要な最短距離を示すベクトル
  38.     /// </summary>
  39.     private static readonly Vector MinimumDragPoint = new Vector(SystemParameters.MinimumHorizontalDragDistance, SystemParameters.MinimumVerticalDragDistance);
  40. }

PreviewMouseLeftButtonDown イベントハンドラ

ドラッグ&ドロップ操作の入り口となるマウスボタンを押したときのイベントハンドラを次のように実装します。

PreviewMouseLeftButtonDown イベントハンドラ
  1. /// <summary>
  2. /// PreviewMouseLeftButtonDown イベントハンドラ
  3. /// </summary>
  4. /// <param name="sender">イベント発行元</param>
  5. /// <param name="e">イベント引数</param>
  6. private static void OnPreviewMouseLeftButtonDown(object sender, MouseButtonEventArgs e)
  7. {
  8.     var control = sender as FrameworkElement;
  9.     temporaryData = new DragDropObject();
  10.     temporaryData.Start = e.GetPosition(Window.GetWindow(control));
  11.     temporaryData.DraggedItem = GetTemplatedRootElement(e.OriginalSource as FrameworkElement);
  12. }

GetTemplatedRootElement() メソッドでは、与えられた要素の TemplatedParent をたどって得られるルート要素を取得するためのヘルパメソッドで、次のように実装しています。

GetTemplatedRootElement ヘルパメソッド
  1. /// <summary>
  2. /// 指定された FrameworkElement に対するテンプレートのルート要素を取得します。
  3. /// </summary>
  4. /// <param name="element">FrameworkElement を指定します。</param>
  5. /// <returns>TemplatedParent を辿った先のルート要素を返します。</returns>
  6. private static FrameworkElement GetTemplatedRootElement(FrameworkElement element)
  7. {
  8.     var parent = element.TemplatedParent as FrameworkElement;
  9.     while (parent.TemplatedParent != null)
  10.     {
  11.         parent = parent.TemplatedParent as FrameworkElement;
  12.     }
  13.     return parent;
  14. }

e.GetPosition() メソッドでマウスの相対位置取得できます。ここでは Window.GetWindow() メソッドを利用することで、アプリケーションのウィンドウを基準とした相対位置を取得し、ドラッグの開始位置を保持しています。

e.OriginalSource はイベント発行元の要素なので、これを利用してドラッグするオブジェクトを保持します。ただし、e.OriginalSource から得られる要素は例えば Border コントロールだったり TextBlock コントロールだったりと、ItemsControl の各子要素を構成するコントロールの一部になります。ここでは、そこから得られる子要素のコンテナ自体を取得したいため、TemplatedParent プロパティをたどってコンテナ要素を探索しています。こうすることで、今回のように ListBox コントロールを対象とする場合はこのメソッドで ListBoxItem コントロールが得られます。

PreviewMouseMove イベントハンドラ

PreviewMouseLeftButtonDown イベントハンドラでドラッグ対象のオブジェクトを掴んだら、次はマウスを動かすときの挙動を処理します。

PreviewMouseMove イベントハンドラ
  1. /// <summary>
  2. /// PreviewMouseMove イベントハンドラ
  3. /// </summary>
  4. /// <param name="sender">イベント発行元</param>
  5. /// <param name="e">イベント引数</param>
  6. private static void OnPreviewMouseMove(object sender, MouseEventArgs e)
  7. {
  8.     if (temporaryData != null)
  9.     {
  10.         var control = sender as FrameworkElement;
  11.         var current = e.GetPosition(Window.GetWindow(control));
  12.         if (temporaryData.CheckStartDragging(current))
  13.         {
  14.             DragDrop.DoDragDrop(control, temporaryData.DraggedItem, DragDropEffects.Move);
  15.             // この先は Drop イベント処理後におこなわれる
  16.             temporaryData = null;
  17.         }
  18.     }
  19. }

PreviewMouseMove イベントは、マウスがこのコントロール上を通過するだけで発生してしまうため、ドラッグせずにただマウスが通過してもこのイベントハンドラが処理されてしまいます。このため、temporaryData オブジェクトが null かどうかを判定することで、事前に PreviewMouseLeftButtonDown イベントハンドラが処理されたかどうかを判別しています。

CheckStartDragging() メソッドで十分な距離を移動したとき、DragDrop.DoDragDrop() メソッドを呼び出していよいよドラッグ操作を開始します。このメソッドを呼び出すと、ここの処理をいったん抜け出し、以降の処理は Drop イベントが発生した後に実行されることになります。Drop イベント発生後は、temporaryData が不要になるので、null を入れてオブジェクトを破棄します。

PreviewMouseLeftButtonUp イベントハンドラ

マウスボタンを押したものの、動かさずにそのままボタンを離した場合、特に処理をせずに終了させます。

PreviewMouseLeftButtonUp イベントハンドラ
  1. /// <summary>
  2. /// PreviewMouseLeftButtonUp イベントハンドラ
  3. /// </summary>
  4. /// <param name="sender">イベント発行元</param>
  5. /// <param name="e">イベント引数</param>
  6. private static void OnPreviewMouseLeftButtonUp(object sender, MouseButtonEventArgs e)
  7. {
  8.     temporaryData = null;
  9. }

PreviewDragEnter イベントハンドラ

DragDrop.DoDragDrop() メソッドがコールされた後は、ドラッグ&ドロップ系のイベントが発生するようになります。DragEnter イベントは対象となるコントロールの外側から内側に入り込むときに一度だけ発生します。

PreviewDragEnter イベントハンドラ
  1. /// <summary>
  2. /// PreviewDragEnter イベントハンドラ
  3. /// </summary>
  4. /// <param name="sender">イベント発行元</param>
  5. /// <param name="e">イベント引数</param>
  6. private static void OnPreviewDragEnter(object sender, DragEventArgs e)
  7. {
  8.     temporaryData.IsDroppable = true;
  9. }

コントロールの外側でドロップされたときに「何も処理しない」という処理をするため、IsDroppable プロパティを制御しています。

PreviewDragLeave イベントハンドラ

DragLeave イベントは対象となるコントロールの内側から外側に出るときに一度だけ発生します。コントロールの内側でドロップされたときに本題の処理をおこなうため、IsDroppable プロパティを制御しています。

PreviewDragLeave イベントハンドラ
  1. /// <summary>
  2. /// PreviewDragLeave イベントハンドラ
  3. /// </summary>
  4. /// <param name="sender">イベント発行元</param>
  5. /// <param name="e">イベント引数</param>
  6. private static void OnPreviewDragLeave(object sender, DragEventArgs e)
  7. {
  8.     temporaryData.IsDroppable = false;
  9. }

PreviewDrop イベントハンドラ

ようやく本題の処理の部分です。ドロップされたときにそのドロップ位置を ViewModel 側にコールバックする処理を実装しています。

PreviewDrop イベントハンドラ
  1. /// <summary>
  2. /// PreviewDrop イベントハンドラ
  3. /// </summary>
  4. /// <param name="sender">イベント発行元</param>
  5. /// <param name="e">イベント引数</param>
  6. private static void OnPreviewDrop(object sender, DragEventArgs e)
  7. {
  8.     if (temporaryData.IsDroppable)
  9.     {
  10.         var itemsControl = sender as ItemsControl;
  11.         // 異なる ItemsControl 間でドロップ処理されないようにするために
  12.         // 同一 ItemsControl 内にドラッグされたコンテナが存在することを確認する
  13.         if (itemsControl.ItemContainerGenerator.IndexFromContainer(temporaryData.DraggedItem) >= 0)
  14.         {
  15.             var targetContainer = GetTemplatedRootElement(e.OriginalSource as FrameworkElement);
  16.             var index = itemsControl.ItemContainerGenerator.IndexFromContainer(targetContainer);
  17.             if (index >= 0)
  18.             {
  19.                 var callback = GetCallback(itemsControl);
  20.                 callback(index);
  21.             }
  22.         }
  23.     }
  24.  
  25.     // 終了後は DragDrop.DoDragDrop() メソッド呼び出し元へ戻る
  26. }

やりたかったことは、16 行目と 20 行目の 2 行だけです。

16 行目でドロップされたアイテムのインデックス番号を取得しています。そして、20 行目で ViewModel 側から指定されるであろうコールバックメソッドのデリゲートを呼び出しています。

その他に、変なところでドロップされたとき、index が -1 となることがあるため、ここではそのような場合は何もしないようにしています。場合によってはそんなときは必ず最後尾のインデックス番号を返すようにして見てもいいかもしれません。

また、異なる ItemsControl のコントロールが複数あって、そのどれもがこのビヘイビアを実装した場合、隣の ItemsControl のアイテムがドラッグされても同様の処理が実行されてしまわないように、同一のコントロール内だけで処理がおこなわれるように 13 行目の判定を追加しています。ドラッグしたコンテナを含んでいるかどうかを探索することでドラッグ元の ItemsControl とドロップ先の ItemsControl が同一のコントロールであるかどうかを判定しています。

使ってみよう

それでは実際に使ってみます。MainView.xaml と MainViewModel.cs を次のように変更します。

MainView.xaml
  1. <Window x:Class="Tips_ReorderedListBox.Views.MainView"
  2.         xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
  3.         xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
  4.         xmlns:b="clr-namespace:Tips_ReorderedListBox.Views.Behaviors"
  5.         Title="MainView" Height="300" Width="300">
  6.     <StackPanel>
  7.         <ListBox ItemsSource="{Binding Items}" SelectedIndex="{Binding CurrentIndex}" b:ReorderableItemsControlBehavior.Callback="{Binding DropCallback}" AllowDrop="True" />
  8.     </StackPanel>
  9. </Window>
MainViewModel.cs
  1. namespace Tips_ReorderedListBox.ViewModels
  2. {
  3.     using System;
  4.     using System.Collections.ObjectModel;
  5.     using System.ComponentModel;
  6.     using System.Runtime.CompilerServices;
  7.  
  8.     internal class MainViewModel : INotifyPropertyChanged
  9.     {
  10.         private ObservableCollection<string> _items = new ObservableCollection<string>()
  11.         {
  12.             "アイテム 1",
  13.             "アイテム 2",
  14.             "アイテム 3",
  15.             "アイテム 4",
  16.             "アイテム 5",
  17.         };
  18.         public ObservableCollection<string> Items { get { return this._items; } }
  19.  
  20.         private int _currentIndex;
  21.         public int CurrentIndex
  22.         {
  23.             get { return this._currentIndex; }
  24.             set { SetProperty(ref this._currentIndex, value); }
  25.         }
  26.  
  27.         public Action<int> DropCallback { get { return OnDrop; } }
  28.  
  29.         private void OnDrop(int index)
  30.         {
  31.             if (index >= 0)
  32.             {
  33.                 this.Items.Move(this.CurrentIndex, index);
  34.             }
  35.         }
  36.  
  37.         #region INotifyPropertyChanged のメンバ
  38.  
  39.         public event PropertyChangedEventHandler PropertyChanged;
  40.  
  41.         private void RaisePropertyChanged([CallerMemberName]string propertyName = null)
  42.         {
  43.             var h = this.PropertyChanged;
  44.             if (h != null) h(this, new PropertyChangedEventArgs(propertyName));
  45.         }
  46.  
  47.         private bool SetProperty<T>(ref T target, T value, [CallerMemberName]string propertyName = null)
  48.         {
  49.             if (Equals(target, value)) return false;
  50.             target = value;
  51.             RaisePropertyChanged(propertyName);
  52.             return true;
  53.         }
  54.  
  55.         #endregion INotifyPropertyChanged のメンバ
  56.     }
  57. }

実行結果は次のようになります。

View からはあくまでもドロップ先のインデックス番号が通知されるだけで、ViewModel 側は現在のインデックス番号と通知されたインデックス番号を使って自分が持っているコレクションを操作しています。

おまけ

このビヘイビアの旨味は TabControl に対しても使えるところ。MainView.xaml だけを次のように変更しても使えます。

MainView.xaml
  1. <Window x:Class="Tips_ReorderedListBox.Views.MainView"
  2.         xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
  3.         xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
  4.         xmlns:b="clr-namespace:Tips_ReorderedListBox.Views.Behaviors"
  5.         Title="MainView" Height="300" Width="300">
  6.     <StackPanel>
  7.         <TabControl ItemsSource="{Binding Items}" SelectedIndex="{Binding CurrentIndex}" b:ReorderableItemsControlBehavior.Callback="{Binding DropCallback}" AllowDrop="True" />
  8.     </StackPanel>
  9. </Window>

ListBox を TabControl に変更しただけです。

実行結果。ちゃんとドラッグ&ドロップで並べ替えられています。




スタイルシート更新しました

(2017/05/23 7:57:38 created.)

せっかく自分のブログを立ち上げたので、しょぼいなりにアクセス解析なんぞ設置しています。たまにアクセス数が増えたときなんかはちょこっとニヤリとしています。

それで最近気付いたんですが、意外とモバイルからこのサイトを閲覧している方がいらっしゃるんですね。特に XAML のコードなんかは横長になる傾向があるのでみにくいんじゃないかなーとも思いますが、それ以前に、そういえばスマホ用のスタイルシートが立ち上げ当初から放置状態でちょっとあんまりな感じでした。

というわけでスタイルシートを見直して、とりあえずメインで使用しているスタイルシートに合わせてきちんと表示されるように更新しました。

アクセス数は大したことのないこじんまりとしたブログですが、見てくれる数少ない人が快適に見られるように頑張りますので、なにかありましたら Twitter なんぞで連絡ください。前向きに努力します。

(下手にレスポンシブデザインなんかにしないほうがいいのかな…。)




WPF で画面遷移する方法 4

(2017/05/19 16:13:11 created.)

(2017/05/24 16:46:50 modified.)

前回は TabControl によって画面遷移をおこないましたが、遷移アニメーションがなくてさみしくなってしまいました。ここでは TabControl によってアニメーションしながら画面遷移するようにします。

わざわざ記事を分けてしまいましたが、実は結構簡単。一番最初に紹介した TransitionPanel コントロールを使います。もう忘れてしまっていると思うのでコードを再掲します。

TransitionPanel.xaml
  1. <UserControl x:Class="TabSample.Views.TransitionPanel"
  2.          xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
  3.          xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
  4.          xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006" 
  5.          xmlns:d="http://schemas.microsoft.com/expression/blend/2008" 
  6.          mc:Ignorable="d" 
  7.          d:DesignWidth="400" d:DesignHeight="600"
  8.          x:Name="root">
  9.     <Grid>
  10.         <ContentControl Content="{Binding ContentA, ElementName=root}">
  11.             <ContentControl.RenderTransform>
  12.                 <TranslateTransform X="{Binding OffsetXA, ElementName=root}" Y="{Binding OffsetYA, ElementName=root}" />
  13.             </ContentControl.RenderTransform>
  14.         </ContentControl>
  15.         <ContentControl Content="{Binding ContentB, ElementName=root}">
  16.             <ContentControl.RenderTransform>
  17.                 <TranslateTransform X="{Binding OffsetXB, ElementName=root}" Y="{Binding OffsetYB, ElementName=root}" />
  18.             </ContentControl.RenderTransform>
  19.         </ContentControl>
  20.     </Grid>
  21. </UserControl>
TransitionPanel.xaml.cs
  1. namespace TabSample.Views
  2. {
  3.     using System;
  4.     using System.Windows;
  5.     using System.Windows.Controls;
  6.     using System.Windows.Media.Animation;
  7.  
  8.     /// <summary>
  9.     /// TransitionPanel.xaml の相互作用ロジック
  10.     /// </summary>
  11.     public partial class TransitionPanel : UserControl
  12.     {
  13.         /// <summary>
  14.         /// 新しいインスタンスを生成します。
  15.         /// </summary>
  16.         public TransitionPanel()
  17.         {
  18.             InitializeComponent();
  19.  
  20.             this.Loaded += OnLoaded;
  21.         }
  22.  
  23.         /// <summary>
  24.         /// アニメーションの方向を表します。
  25.         /// </summary>
  26.         public enum TransitDirections
  27.         {
  28.             /// <summary>
  29.             /// 左へ移動します。
  30.             /// </summary>
  31.             ToLeft,
  32.  
  33.             /// <summary>
  34.             /// 右へ移動します。
  35.             /// </summary>
  36.             ToRight,
  37.         }
  38.  
  39.         /// <summary>
  40.         /// 遷移状態を表します。
  41.         /// </summary>
  42.         public enum TransitionStates
  43.         {
  44.             /// <summary>
  45.             /// A が表示されている状態を表します。
  46.             /// </summary>
  47.             DisplayA,
  48.  
  49.             /// <summary>
  50.             /// B が表示されている状態を表します。
  51.             /// </summary>
  52.             DisplayB,
  53.         }
  54.  
  55.         #region Content 依存関係プロパティ
  56.  
  57.         /// <summary>
  58.         /// Content 依存関係プロパティを定義し直します。
  59.         /// </summary>
  60.         public static readonly new DependencyProperty ContentProperty = DependencyProperty.Register("Content", typeof(object), typeof(TransitionPanel), new UIPropertyMetadata(null, OnConentPropertyChanged));
  61.  
  62.         /// <summary>
  63.         /// コンテンツを取得または設定します。
  64.         /// </summary>
  65.         public new object Content
  66.         {
  67.             get { return GetValue(ContentProperty); }
  68.             set { SetValue(ContentProperty, value); }
  69.         }
  70.  
  71.         #endregion Content 依存関係プロパティ
  72.  
  73.         #region ContentA 依存関係プロパティ
  74.  
  75.         /// <summary>
  76.         /// ContentA 依存関係プロパティのキーを定義します。
  77.         /// </summary>
  78.         private static readonly DependencyPropertyKey ContentAPropertyKey = DependencyProperty.RegisterReadOnly("ContentA", typeof(object), typeof(TransitionPanel), new UIPropertyMetadata(null));
  79.  
  80.         /// <summary>
  81.         /// ContentA 依存関係プロパティを定義します。
  82.         /// </summary>
  83.         public static readonly DependencyProperty ContentAProperty = ContentAPropertyKey.DependencyProperty;
  84.  
  85.         /// <summary>
  86.         /// コンテンツのためのバッファ A を取得します。
  87.         /// </summary>
  88.         public object ContentA
  89.         {
  90.             get { return GetValue(ContentAProperty); }
  91.             private set { SetValue(ContentAPropertyKey, value); }
  92.         }
  93.  
  94.         #endregion ContentA 依存関係プロパティ
  95.  
  96.         #region ContentB 依存関係プロパティ
  97.  
  98.         /// <summary>
  99.         /// ContentB 依存関係プロパティのキーを定義します。
  100.         /// </summary>
  101.         private static readonly DependencyPropertyKey ContentBPropertyKey = DependencyProperty.RegisterReadOnly("ContentB", typeof(object), typeof(TransitionPanel), new UIPropertyMetadata(null));
  102.  
  103.         /// <summary>
  104.         /// ContentB 依存関係プロパティを定義します。
  105.         /// </summary>
  106.         public static readonly DependencyProperty ContentBProperty = ContentBPropertyKey.DependencyProperty;
  107.  
  108.         /// <summary>
  109.         /// コンテンツのためのバッファ B を取得します。
  110.         /// </summary>
  111.         public object ContentB
  112.         {
  113.             get { return GetValue(ContentBProperty); }
  114.             private set { SetValue(ContentBPropertyKey, value); }
  115.         }
  116.  
  117.         #endregion ContentB 依存関係プロパティ
  118.  
  119.         #region State 依存関係プロパティ
  120.  
  121.         /// <summary>
  122.         /// State 依存関係プロパティのキーを定義します。
  123.         /// </summary>
  124.         private static readonly DependencyPropertyKey StatePropertyKey = DependencyProperty.RegisterReadOnly("State", typeof(TransitionStates), typeof(TransitionPanel), new UIPropertyMetadata(TransitionStates.DisplayB));
  125.  
  126.         /// <summary>
  127.         /// State 依存関係プロパティを定義します。
  128.         /// </summary>
  129.         public static readonly DependencyProperty StateProperty = StatePropertyKey.DependencyProperty;
  130.  
  131.         /// <summary>
  132.         /// 遷移状態を取得します。
  133.         /// </summary>
  134.         public TransitionStates State
  135.         {
  136.             get { return (TransitionStates)GetValue(StateProperty); }
  137.             private set { SetValue(StatePropertyKey, value); }
  138.         }
  139.  
  140.         #endregion State 依存関係プロパティ
  141.  
  142.         #region TransitDirection 依存関係プロパティ
  143.  
  144.         /// <summary>
  145.         /// TransitDirection 依存関係プロパティを定義します。
  146.         /// </summary>
  147.         public static readonly DependencyProperty TransitDirectionProperty = DependencyProperty.Register("TransitDirection", typeof(TransitDirections), typeof(TransitionPanel), new UIPropertyMetadata(TransitDirections.ToLeft));
  148.  
  149.         /// <summary>
  150.         /// 画面遷移方向を取得または設定します。
  151.         /// </summary>
  152.         public TransitDirections TransitDirection
  153.         {
  154.             get { return (TransitDirections)GetValue(TransitDirectionProperty); }
  155.             set { SetValue(TransitDirectionProperty, value); }
  156.         }
  157.  
  158.         #endregion TransitDirection 依存関係プロパティ
  159.  
  160.         #region OffsetXA 依存関係プロパティ
  161.  
  162.         /// <summary>
  163.         /// OffsetXA 依存関係プロパティを定義します。
  164.         /// </summary>
  165.         public static readonly DependencyProperty OffsetXAProperty = DependencyProperty.Register("OffsetXA", typeof(double), typeof(TransitionPanel), new UIPropertyMetadata(0.0));
  166.  
  167.         /// <summary>
  168.         /// コンテンツのためのバッファ A の水平方向オフセットを取得または設定します。
  169.         /// </summary>
  170.         public double OffsetXA
  171.         {
  172.             get { return (double)GetValue(OffsetXAProperty); }
  173.             set { SetValue(OffsetXAProperty, value); }
  174.         }
  175.  
  176.         #endregion OffsetXA 依存関係プロパティ
  177.  
  178.         #region OffsetYA 依存関係プロパティ
  179.  
  180.         /// <summary>
  181.         /// OffsetYA 依存関係プロパティを定義します。
  182.         /// </summary>
  183.         public static readonly DependencyProperty OffsetYAProperty = DependencyProperty.Register("OffsetYA", typeof(double), typeof(TransitionPanel), new UIPropertyMetadata(0.0));
  184.  
  185.         /// <summary>
  186.         /// コンテンツのためのバッファ A の垂直方向オフセットを取得または設定します。
  187.         /// </summary>
  188.         public double OffsetYA
  189.         {
  190.             get { return (double)GetValue(OffsetYAProperty); }
  191.             set { SetValue(OffsetYAProperty, value); }
  192.         }
  193.  
  194.         #endregion OffsetYA 依存関係プロパティ
  195.  
  196.         #region OffsetXB 依存関係プロパティ
  197.  
  198.         /// <summary>
  199.         /// OffsetXB 依存関係プロパティを定義します。
  200.         /// </summary>
  201.         public static readonly DependencyProperty OffsetXBProperty = DependencyProperty.Register("OffsetXB", typeof(double), typeof(TransitionPanel), new UIPropertyMetadata(0.0));
  202.  
  203.         /// <summary>
  204.         /// コンテンツのためのバッファ B の水平方向オフセットを取得または設定します。
  205.         /// </summary>
  206.         public double OffsetXB
  207.         {
  208.             get { return (double)GetValue(OffsetXBProperty); }
  209.             set { SetValue(OffsetXBProperty, value); }
  210.         }
  211.  
  212.         #endregion OffsetXB 依存関係プロパティ
  213.  
  214.         #region OffsetYB 依存関係プロパティ
  215.  
  216.         /// <summary>
  217.         /// OffsetYB 依存関係プロパティを定義します。
  218.         /// </summary>
  219.         public static readonly DependencyProperty OffsetYBProperty = DependencyProperty.Register("OffsetYB", typeof(double), typeof(TransitionPanel), new UIPropertyMetadata(0.0));
  220.  
  221.         /// <summary>
  222.         /// コンテンツのためのバッファ B の垂直方向オフセットを取得または設定します。
  223.         /// </summary>
  224.         public double OffsetYB
  225.         {
  226.             get { return (double)GetValue(OffsetYBProperty); }
  227.             set { SetValue(OffsetYBProperty, value); }
  228.         }
  229.  
  230.         #endregion OffsetYB 依存関係プロパティ
  231.  
  232.         #region イベントハンドラ
  233.  
  234.         /// <summary>
  235.         /// Load イベントハンドラ
  236.         /// </summary>
  237.         /// <param name="sender">イベント発行元</param>
  238.         /// <param name="e">イベント引数</param>
  239.         private void OnLoaded(object sender, RoutedEventArgs e)
  240.         {
  241.             var storyboard = new Storyboard();
  242.  
  243.             storyboard.Children = new TimelineCollection()
  244.             {
  245.                 CreateMoveAnimation(TimeZero, TimeZero, this.HorizontalOffset, "OffsetXB"),
  246.             };
  247.  
  248.             storyboard.Begin();
  249.         }
  250.  
  251.         /// <summary>
  252.         /// Content 依存関係プロパティ変更イベントハンドラ
  253.         /// </summary>
  254.         /// <param name="d">イベント発行元</param>
  255.         /// <param name="e">イベント引数</param>
  256.         private static void OnConentPropertyChanged(DependencyObject d, DependencyPropertyChangedEventArgs e)
  257.         {
  258.             var control = d as TransitionPanel;
  259.             if (control.IsInitialized) control.SwapDisplay();
  260.         }
  261.  
  262.         #endregion イベントハンドラ
  263.  
  264.         #region ヘルパ
  265.  
  266.         /// <summary>
  267.         /// コンテンツを入れ替えます。
  268.         /// </summary>
  269.         private void SwapDisplay()
  270.         {
  271.             if (this.State == TransitionStates.DisplayA)
  272.             {
  273.                 this.ContentB = this.Content;
  274.                 this.State = TransitionStates.DisplayB;
  275.             }
  276.             else
  277.             {
  278.                 this.ContentA = this.Content;
  279.                 this.State = TransitionStates.DisplayA;
  280.             }
  281.  
  282.             if ((this.ContentA != null) && (this.ContentB != null))
  283.                 StartAnimation();
  284.         }
  285.  
  286.         /// <summary>
  287.         /// 画面遷移を開始します。
  288.         /// </summary>
  289.         private void StartAnimation()
  290.         {
  291.             var storyboard = this.State == TransitionStates.DisplayA ? CreateAnimationBtoA(this.TransitDirection) : CreateAnimationAtoB(this.TransitDirection);
  292.             storyboard.Begin();
  293.         }
  294.  
  295.         /// <summary>
  296.         /// ContentB から ContentA へ遷移するためのストーリーボードを生成します。
  297.         /// </summary>
  298.         /// <param name="direction">遷移する方向を指定します。</param>
  299.         /// <returns>生成したストーリーボードを返します。</returns>
  300.         private Storyboard CreateAnimationBtoA(TransitDirections direction)
  301.         {
  302.             var storyboard = new Storyboard();
  303.  
  304.             storyboard.Children = direction == TransitDirections.ToLeft ?
  305.             new TimelineCollection()
  306.             {
  307.                 CreateMoveAnimation(TimeZero, TimeZero, this.HorizontalOffset, "OffsetXA"),
  308.                 CreateMoveAnimation(TimeZero, AnimationTime, 0, "OffsetXA"),
  309.                 CreateMoveAnimation(TimeZero, AnimationTime, -this.HorizontalOffset, "OffsetXB"),
  310.             } :
  311.             new TimelineCollection()
  312.             {
  313.                 CreateMoveAnimation(TimeZero, TimeZero, -this.HorizontalOffset, "OffsetXA"),
  314.                 CreateMoveAnimation(TimeZero, AnimationTime, 0, "OffsetXA"),
  315.                 CreateMoveAnimation(TimeZero, AnimationTime, this.HorizontalOffset, "OffsetXB"),
  316.             };
  317.  
  318.             return storyboard;
  319.         }
  320.  
  321.         /// <summary>
  322.         /// ContentA から ContentB へ遷移するためのストーリーボードを生成します。
  323.         /// </summary>
  324.         /// <param name="direction">遷移する方向を指定します。</param>
  325.         /// <returns>生成したストーリーボードを返します。</returns>
  326.         private Storyboard CreateAnimationAtoB(TransitDirections direction)
  327.         {
  328.             var storyboard = new Storyboard();
  329.  
  330.             storyboard.Children = direction == TransitDirections.ToLeft ?
  331.             new TimelineCollection()
  332.             {
  333.                 CreateMoveAnimation(TimeZero, TimeZero, this.HorizontalOffset, "OffsetXB"),
  334.                 CreateMoveAnimation(TimeZero, AnimationTime, 0, "OffsetXB"),
  335.                 CreateMoveAnimation(TimeZero, AnimationTime, -this.HorizontalOffset, "OffsetXA"),
  336.             } :
  337.             new TimelineCollection()
  338.             {
  339.                 CreateMoveAnimation(TimeZero, TimeZero, -this.HorizontalOffset, "OffsetXB"),
  340.                 CreateMoveAnimation(TimeZero, AnimationTime, 0, "OffsetXB"),
  341.                 CreateMoveAnimation(TimeZero, AnimationTime, this.HorizontalOffset, "OffsetXA"),
  342.             };
  343.  
  344.             return storyboard;
  345.         }
  346.  
  347.         /// <summary>
  348.         /// Double 型のプロパティに対するアニメーションを生成します。
  349.         /// </summary>
  350.         /// <param name="beginTime">アニメーションの開始時間を指定します。</param>
  351.         /// <param name="duration">アニメーションの実行時間を指定します。</param>
  352.         /// <param name="to">プロパティ値の最終値を指定します。</param>
  353.         /// <param name="targetPropertyName">対象とするプロパティ名を指定します。</param>
  354.         /// <returns>Storyboard の添付プロパティを設定したアニメーションを返します。</returns>
  355.         private DoubleAnimation CreateMoveAnimation(TimeSpan beginTime, TimeSpan duration, double to, string targetPropertyName)
  356.         {
  357.             var animation = new DoubleAnimation()
  358.             {
  359.                 To = to,
  360.                 BeginTime = beginTime,
  361.                 Duration = new Duration(duration),
  362.                 AccelerationRatio = 0.3,
  363.                 DecelerationRatio = 0.3,
  364.             };
  365.             Storyboard.SetTarget(animation, this);
  366.             Storyboard.SetTargetProperty(animation, new PropertyPath(targetPropertyName));
  367.  
  368.             return animation;
  369.         }
  370.  
  371.         #endregion ヘルパ
  372.  
  373.         #region private フィールド
  374.  
  375.         /// <summary>
  376.         /// 時刻ゼロ
  377.         /// </summary>
  378.         private static readonly TimeSpan TimeZero = TimeSpan.FromMilliseconds(0);
  379.  
  380.         /// <summary>
  381.         /// アニメーション時間
  382.         /// </summary>
  383.         private static readonly TimeSpan AnimationTime = TimeSpan.FromMilliseconds(500);
  384.  
  385.         /// <summary>
  386.         /// 水平方向の遷移量
  387.         /// </summary>
  388.         private double HorizontalOffset { get { return this.ActualWidth + 10; } }
  389.  
  390.         #endregion private フィールド
  391.     }
  392. }

Content プロパティの変化を捕捉して TranslateTransform によって 2 つのコンテンツを水平移動するコントロールでしたね。これを TabControl で使います。

MainView.xaml
  1. <YK:Window x:Class="TabSample.Views.MainView"
  2.            xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
  3.            xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
  4.            xmlns:YK="clr-namespace:YKToolkit.Controls;assembly=YKToolkit.Controls"
  5.            xmlns:vw="clr-namespace:TabSample.Views"
  6.            Title="MainView"
  7.            Width="300" Height="200">
  8.     <DockPanel>
  9.         <ComboBox x:Name="combobox" DockPanel.Dock="Bottom" SelectedIndex="0">
  10.             <ComboBoxItem>Content01</ComboBoxItem>
  11.             <ComboBoxItem>Content02</ComboBoxItem>
  12.             <ComboBoxItem>Content03</ComboBoxItem>
  13.         </ComboBox>
  14.         <TabControl SelectedIndex="{Binding SelectedIndex, ElementName=combobox}">
  15.             <TabControl.Template>
  16.                 <ControlTemplate TargetType="{x:Type TabControl}">
  17.                     <vw:TransitionPanel Content="{Binding SelectedContent, RelativeSource={RelativeSource TemplatedParent}}" />
  18.                 </ControlTemplate>
  19.             </TabControl.Template>
  20.  
  21.             <TabItem>
  22.                 <Grid DataContext="{Binding Content01ViewModel}">
  23.                     <CheckBox Content="{Binding Caption}" />
  24.                 </Grid>
  25.             </TabItem>
  26.  
  27.             <TabItem>
  28.                 <Grid DataContext="{Binding Content02ViewModel}">
  29.                     <TextBlock Text="{Binding Caption}" />
  30.                 </Grid>
  31.             </TabItem>
  32.  
  33.             <TabItem>
  34.                 <Grid DataContext="{Binding Content03ViewModel}">
  35.                     <TextBlock Text="{Binding Caption}" />
  36.                 </Grid>
  37.             </TabItem>
  38.         </TabControl>
  39.     </DockPanel>
  40. </YK:Window>

そう、TabControl でコンテンツを表示するときに ContentPresenter を指定していましたね。これを TransitionPanel に差し替えるだけです。ただし、SelectedContent で渡ってくる要素は TabItem ではなく、その直下の要素になるため、DataContext を切り替える場合はこの例のように TabItem 直下に Grid など親要素となるパネルを置き、その DataContext を明確に指定するようにします。

こうしてできあがった外観がこちら。

一番最初に紹介した外観とまったく同じものができあがりました。違いは DataTemplate による View と ViewModel の紐付けをしていないところです。また、だからといって App クラスにややこしい GetView() などというメソッドも作っていません。単に MainView.xaml に各コンテンツを配置しているだけでわかりやすくなりました。




WPF で画面遷移する方法 3

(2017/05/19 8:31:45 created.)

(2017/05/24 15:09:21 modified.)

コンテンツを切り替えるコントロールといえば真っ先に TabControl を想像しますよね。というわけで今回は TabControl を少しカスタマイズしてみます。

まずはプロジェクトのファイル構成から。

構成は単純で、MainView ウィンドウに対する MainViewModel と、各コンテンツに対する ViewModel として Content01ViewModel、Content02ViewModel、Content03ViewModel があります。 Content01ViewModel などに対する View は MainView.xaml の中に記述するため、ファイルとしては分かれていません。

それではまず MainViewModel のソースから説明します。

MainViewModel.cs
  1. namespace TabSample.ViewModels
  2. {
  3.     using YKToolkit.Bindings;
  4.  
  5.     internal class MainViewModel : NotificationObject
  6.     {
  7.         private ViewModelBase _content01ViewModel = new Content01ViewModel();
  8.         public ViewModelBase Content01ViewModel { get { return this._content01ViewModel; } }
  9.  
  10.         private ViewModelBase _content02ViewModel = new Content02ViewModel();
  11.         public ViewModelBase Content02ViewModel { get { return this._content02ViewModel; } }
  12.  
  13.         private ViewModelBase _content03ViewModel = new Content03ViewModel();
  14.         public ViewModelBase Content03ViewModel { get { return this._content03ViewModel; } }
  15.     }
  16. }

愚鈍に各コンテンツの ViewModel のインスタンスを保持、公開しているだけです。各コンテンツの ViewModel は Caption プロパティを持っています。例えば Content01ViewModel クラスは次のようになっています。

Content01ViewModel.cs
  1. namespace TabSample.ViewModels
  2. {
  3.     internal class Content01ViewModel : ViewModelBase
  4.     {
  5.         public string Caption { get { return "Content01"; } }
  6.     }
  7. }

さて、MainView ウィンドウに TabControl を配置しましょう。

MainView.xaml
  1. <YK:Window x:Class="TabSample.Views.MainView"
  2.            xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
  3.            xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
  4.            xmlns:YK="clr-namespace:YKToolkit.Controls;assembly=YKToolkit.Controls"
  5.            Title="MainView"
  6.            Width="300" Height="200">
  7.     <DockPanel>
  8.         <TabControl>
  9.             <TabItem DataContext="{Binding Content01ViewModel}" Header="{Binding Caption}">
  10.                 <CheckBox Content="{Binding Caption}" />
  11.             </TabItem>
  12.  
  13.             <TabItem DataContext="{Binding Content02ViewModel}" Header="{Binding Caption}">
  14.                 <TextBlock Text="{Binding Caption}" />
  15.             </TabItem>
  16.  
  17.             <TabItem DataContext="{Binding Content03ViewModel}" Header="{Binding Caption}">
  18.                 <TextBlock Text="{Binding Caption}" />
  19.             </TabItem>
  20.         </TabControl>
  21.     </DockPanel>
  22. </YK:Window>

各コンテンツのレイアウトを MainView.xaml 内に書いてしまいます。あまり長くなるのが嫌だったり、明確にファイルを別にしたい場合は独自のユーザコントロールを置くなどして対処すればいいかと思います。ここでは簡略化のため同一 xaml 内で、しかもコントロールを 1 つだけ置いています。
また、ここではあえてすべてのコンテンツの DataContext に別物を指定していますが、指定しなくてもいいし、同じものを指定してもいいと思います。

とりあえず実行してみるとこんな感じ。

あ、うん。TabControl ってこんな感じだよね。

これでいい場合はこれでいいんですが、そうじゃないですよね。つまり、TabControl のタブの部分が邪魔です。というわけで Template プロパティをいじって TabPanel の部分を表示しないようにしてしまいます。

MainView.xaml
  1. <YK:Window x:Class="TabSample.Views.MainView"
  2.            xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
  3.            xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
  4.            xmlns:YK="clr-namespace:YKToolkit.Controls;assembly=YKToolkit.Controls"
  5.            Title="MainView"
  6.            Width="300" Height="200">
  7.     <DockPanel>
  8.         <TabControl SelectedIndex="0">
  9.             <TabControl.Template>
  10.                 <ControlTemplate TargetType="{x:Type TabControl}">
  11.                     <ContentPresenter x:Name="PART_SelectedContentHost" ContentSource="SelectedContent" />
  12.                 </ControlTemplate>
  13.             </TabControl.Template>
  14.  
  15.             <TabItem DataContext="{Binding Content01ViewModel}">
  16.                 <CheckBox Content="{Binding Caption}" />
  17.             </TabItem>
  18.  
  19.             <TabItem DataContext="{Binding Content02ViewModel}">
  20.                 <TextBlock Text="{Binding Caption}" />
  21.             </TabItem>
  22.  
  23.             <TabItem DataContext="{Binding Content03ViewModel}">
  24.                 <TextBlock Text="{Binding Caption}" />
  25.             </TabItem>
  26.         </TabControl>
  27.     </DockPanel>
  28. </YK:Window>

TabControl のカスタマイズについては MSDN のサイトが参考になります。

本来は TabControl の Template に TabPanel コントロールを配置することでタブ部分を表示させますが、これを配置せずに ContentPresenter だけを配置します。タブ部分が表示されなくなるので、各 TabItem コントロールの Header プロパティは不要になります。また、デフォルトで 0 番目のコンテンツが選択されるように TabControl の SelectedIndex プロパティを指定しています。

実行するとこんな感じ。

狙い通りタブ部分が表示されなくなりました。

さらにコンテンツを選択できるようにすれば見た目で TabControl を使っているとは思えない外観になります。

MainView.xaml
  1. <YK:Window x:Class="TabSample.Views.MainView"
  2.            xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
  3.            xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
  4.            xmlns:YK="clr-namespace:YKToolkit.Controls;assembly=YKToolkit.Controls"
  5.            Title="MainView"
  6.            Width="300" Height="200">
  7.     <DockPanel>
  8.         <ComboBox x:Name="combobox" DockPanel.Dock="Bottom" SelectedIndex="0">
  9.             <ComboBoxItem>Content01</ComboBoxItem>
  10.             <ComboBoxItem>Content02</ComboBoxItem>
  11.             <ComboBoxItem>Content03</ComboBoxItem>
  12.         </ComboBox>
  13.         <TabControl SelectedIndex="{Binding SelectedIndex, ElementName=combobox}">
  14.             <TabControl.Template>
  15.                 <ControlTemplate TargetType="{x:Type TabControl}">
  16.                     <ContentPresenter x:Name="PART_SelectedContentHost" ContentSource="SelectedContent" />
  17.                 </ControlTemplate>
  18.             </TabControl.Template>
  19.  
  20.             <TabItem DataContext="{Binding Content01ViewModel}">
  21.                 <CheckBox Content="{Binding Caption}" />
  22.             </TabItem>
  23.  
  24.             <TabItem DataContext="{Binding Content02ViewModel}">
  25.                 <TextBlock Text="{Binding Caption}" />
  26.             </TabItem>
  27.  
  28.             <TabItem DataContext="{Binding Content03ViewModel}">
  29.                 <TextBlock Text="{Binding Caption}" />
  30.             </TabItem>
  31.         </TabControl>
  32.     </DockPanel>
  33. </YK:Window>


Content01View のチェックボックスを入れた状態で画面遷移し、戻ってきてもちゃんとチェックが入った状態になっています。MainView.xaml に各コンテンツのインスタンスを配置しているため、View のインスタンスが保持されるからですね。

ところが、これでは前回までのように画面遷移時のアニメーションが実現できません。次回は TabControl による画面遷移でアニメーションをおこなってみます。




WPF で画面遷移する方法 2

(2017/05/18 22:08:43 created.)

(2017/05/24 15:10:13 modified.)

前回までで画面遷移することはできましたが、View のインスタンスを誰も保持していなかったため、同じ画面に戻ってきたつもりでも、再びコンストラクタから再構築された別のインスタンスになってしまっていたため、チェックボックスの状態やスクロールバーの状態はすべて初期化されてしまうといった現象が起こってしまいました。今回は View のインスタンスを保持することでこのような現象を回避してみたいと思います。

というわけでさっそく View のインスタンスを App クラスで保持します。

App.xaml.cs
  1. namespace WpfApplication1
  2. {
  3.     using System.Collections.Generic;
  4.     using System.Windows;
  5.     using System.Windows.Controls;
  6.     using WpfApplication1.ViewModels;
  7.     using WpfApplication1.Views;
  8.  
  9.     /// <summary>
  10.     /// App.xaml の相互作用ロジック
  11.     /// </summary>
  12.     public partial class App : Application
  13.     {
  14.         protected override void OnStartup(StartupEventArgs e)
  15.         {
  16.             base.OnStartup(e);
  17.  
  18.             Instance = this;
  19.  
  20.             var w = new MainView() { DataContext = new MainViewModel() };
  21.             w.Show();
  22.         }
  23.  
  24.         private Dictionary<string, Control> _viewDictionary = new Dictionary<string, Control>()
  25.         {
  26.             { "Content01", new Content01View() { DataContext = new Content01ViewModel() } },
  27.             { "Content02", new Content02View() { DataContext = new Content02ViewModel() } },
  28.             { "Content03", new Content03View() { DataContext = new Content03ViewModel() } },
  29.         };
  30.  
  31.         public static App Instance { get; private set; }
  32.  
  33.         public Control GetView(string key)
  34.         {
  35.             Control control;
  36.             return this._viewDictionary.TryGetValue(key, out control) ? control : null;
  37.         }
  38.     }
  39. }

View のインスタンスを扱うので同じく View で保持したくなりますが、これらに対する DataContext である ViewModel のインスタンスも登場してしまうため、必然的に View と ViewModel の両方を知り得る App クラスが保持することになります。

View は ViewModel に依存するが、そのインスタンスを知る必要はない、ということです。

保持した情報を外部から取得できるように GetView() メソッドを定義しています。このメソッドを利用してコンテンツを切り替えられるように TransitionPanel の内部実装を少し変更します。

TransitionPanel.xaml.cs
  1. public static readonly DependencyProperty ContentSelectorProperty = DependencyProperty.Register("ContentSelector", typeof(string), typeof(TransitionPanel), new PropertyMetadata(null, OnContentSelectorPropertyChanged));
  2.  
  3. public string ContentSelector
  4. {
  5.     get { return (string)GetValue(ContentSelectorProperty); }
  6.     set { SetValue(ContentSelectorProperty, value); }
  7. }
  8.  
  9. private static void OnContentSelectorPropertyChanged(DependencyObject d, DependencyPropertyChangedEventArgs e)
  10. {
  11.     var control = d as TransitionPanel;
  12.     control.Content = App.Instance.GetView(control.ContentSelector);
  13. }

変更箇所はただ一つ、ContentSelector 依存関係プロパティを追加定義します。ContentSelector プロパティ変更イベントハンドラで先ほど App クラスで定義した GetView() メソッドを使い、自身のコンテンツを自分で変更するようにします。

このように変更したため、コンテンツを指定するにはコンテンツの名前を渡すようにする必要があるため、MainViewModel と MainView を次のように変更します。

MainViewModel.cs
  1. namespace WpfApplication1.ViewModels
  2. {
  3.     //using System.Collections.Generic;
  4.     using YKToolkit.Bindings;
  5.  
  6.     internal class MainViewModel : NotificationObject
  7.     {
  8.         //private List _viewModels = new List()
  9.         //{
  10.         //    new Content01ViewModel(),
  11.         //    new Content02ViewModel(),
  12.         //    new Content03ViewModel(),
  13.         //};
  14.         //public List ViewModels
  15.         //{
  16.         //    get { return this._viewModels; }
  17.         //}
  18.  
  19.         private DelegateCommand _changeContentCommand;
  20.         public DelegateCommand ChangeContentCommand
  21.         {
  22.             get
  23.             {
  24.                 return this._changeContentCommand ?? (this._changeContentCommand = new DelegateCommand(
  25.                 p =>
  26.                 {
  27.                     this.ContentName = p as string;
  28.                 }));
  29.             }
  30.         }
  31.  
  32.         private string _contentName;
  33.         public string ContentName
  34.         {
  35.             get { return this._contentName; }
  36.             private set { SetProperty(ref this._contentName, value); }
  37.         }
  38.     }
  39. }
MainView.xaml
  1. <YK:Window x:Class="WpfApplication1.Views.MainView"
  2.            xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
  3.            xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
  4.            xmlns:YK="clr-namespace:YKToolkit.Controls;assembly=YKToolkit.Controls"
  5.            xmlns:vw="clr-namespace:WpfApplication1.Views"
  6.            Title="MainView"
  7.            Width="300" Height="200">
  8.     <DockPanel>
  9.         <UniformGrid DockPanel.Dock="Bottom" Columns="3">
  10.             <Button Grid.Column="0" Content="Content01" Command="{Binding ChangeContentCommand}" CommandParameter="Content01" />
  11.             <Button Grid.Column="1" Content="Content02" Command="{Binding ChangeContentCommand}" CommandParameter="Content02" />
  12.             <Button Grid.Column="2" Content="Content03" Command="{Binding ChangeContentCommand}" CommandParameter="Content03" />
  13.         </UniformGrid>
  14.         <vw:TransitionPanel ContentSelector="{Binding ContentName}" />
  15.     </DockPanel>
  16. </YK:Window>

前回は MainViewModel がコンテンツを切り替える元となる ViewModel を持っていたので MainViewModel が主導権を握っているような印象でしたが、今回は MainViewModel はあくまでも View からの情報を橋渡しするだけで、ContentName に指定されるコンテンツの名前は View から渡されるパラメータを横流しするだけとなっています。ViewModel が View の名前を知り得るはずもないため、あえてこのような作りになります。ただし、ContentName プロパティを変更するかどうかは相変わらず MainViewModel が判定できるので、画面遷移できるかどうかは ViewModel で判断できるようになっています。

このように実装すると、Content01View、Content02View、Content03View のインスタンスは App クラスが保持しているため、コンストラクタは 1 回だけしか処理されなくなります。このことから、画面遷移後も View の表示状態が保持されるようになります。

画面遷移するために UserControl 派生の独自のコントロールを定義して仰々しく実装していましたが、次回は TabControl を触ってみます。