web-dev-qa-db-ja.com

WPF / MVVM Light Toolkitを使用してウィンドウを閉じるイベントを処理する

最終的に確認メッセージを表示するため、および/または終了をキャンセルするために、ウィンドウの「Closing」イベント(ユーザーが右上の「X」ボタンをクリックしたとき)を処理したいと思います。

コードビハインドでこれを行う方法を知っています。ウィンドウの「Closing」イベントをサブスクライブし、「CancelEventArgs.Cancel」プロパティを使用します。

しかし、私はMVVMを使用しているので、それが良いアプローチであるかどうかはわかりません。

良いアプローチは、ClosingイベントをViewModelのCommandにバインドすることだと思います。

私はそれを試しました:

    <i:Interaction.Triggers>
        <i:EventTrigger EventName="Closing">
            <cmd:EventToCommand Command="{Binding CloseCommand}" />
        </i:EventTrigger>
    </i:Interaction.Triggers>

ViewModelにRelayCommandが関連付けられていますが、機能しません(コマンドのコードは実行されません)。

133
Olivier Payen

Viewコンストラクターでハンドラーを関連付けるだけです。

MyWindow() 
{
    // Set up ViewModel, assign to DataContext etc.
    Closing += viewModel.OnWindowClosing;
}

次に、ハンドラーをViewModelに追加します。

using System.ComponentModel;

public void OnWindowClosing(object sender, CancelEventArgs e) 
{
   // Handle closing logic, set e.Cancel as needed
}

この場合、より複雑なパターンを使用し、間接性を増す(XMLの5行の追加とコマンドパターン)ことで、複雑さ以外はまったく得られません。

「ゼロコードビハインド」マントラ自体は目標ではありません。ポイントは、ViewModelからViewModelを切り離すです。イベントがビューのコードビハインドでバインドされている場合でも、ViewModelはビューと終了ロジックユニットテスト可能に依存しません。

114
dbkk

このコードはうまく機能します:

ViewModel.cs:

public ICommand WindowClosing
{
    get
    {
        return new RelayCommand<CancelEventArgs>(
            (args) =>{
                     });
    }
}

xAMLの場合:

<i:Interaction.Triggers>
    <i:EventTrigger EventName="Closing">
        <command:EventToCommand Command="{Binding WindowClosing}" PassEventArgsToCommand="True" />
    </i:EventTrigger>
</i:Interaction.Triggers>

仮定して

  • ViewModelは、メインコンテナーのDataContextに割り当てられます。
  • xmlns:command="clr-namespace:GalaSoft.MvvmLight.Command;Assembly=GalaSoft.MvvmLight.Extras.SL5"
  • xmlns:i="clr-namespace:System.Windows.Interactivity;Assembly=System.Windows.Interactivity"
74
Stas

このオプションはさらに簡単で、おそらくあなたに適しています。 View Modelコンストラクターでは、メインウィンドウを閉じるイベントを次のようにサブスクライブできます。

Application.Current.MainWindow.Closing += new CancelEventHandler(MainWindow_Closing);

void MainWindow_Closing(object sender, CancelEventArgs e)
{
            //Your code to handle the event
}

ではごきげんよう。

33
PILuaces

ViewModelのWindow(またはそのイベント)について知りたくない場合のMVVMパターンによる回答を次に示します。

public interface IClosing
{
    /// <summary>
    /// Executes when window is closing
    /// </summary>
    /// <returns>Whether the windows should be closed by the caller</returns>
    bool OnClosing();
}

ViewModelで、インターフェイスと実装を追加します

public bool OnClosing()
{
    bool close = true;

    //Ask whether to save changes och cancel etc
    //close = false; //If you want to cancel close

    return close;
}

ウィンドウにClosingイベントを追加します。このコードビハインドは、MVVMパターンを壊しません。ビューはビューモデルについて知ることができます!

void Window_Closing(object sender, System.ComponentModel.CancelEventArgs e)
{
    IClosing context = DataContext as IClosing;
    if (context != null)
    {
        e.Cancel = !context.OnClosing();
    }
}
11
AxdorphCoder

Geez、このためにここで多くのコードが進行しているようです。上記のStasには、最小限の労力で適切なアプローチがありました。ここに私の適応があります(MVVMLightを使用しますが、認識できるはずです)...ああ、PassEventArgsToCommand = "True"明確に上記のように必要です。

(Laurent Bugnionのクレジット http://blog.galasoft.ch/archive/2009/10/18/clean-shutdown-in-silverlight-and-wpf-applications.aspx

   ... MainWindow Xaml
   ...
   WindowStyle="ThreeDBorderWindow" 
    WindowStartupLocation="Manual">



<i:Interaction.Triggers>
    <i:EventTrigger EventName="Closing">
        <cmd:EventToCommand Command="{Binding WindowClosingCommand}" PassEventArgsToCommand="True" />
    </i:EventTrigger>
</i:Interaction.Triggers> 

ビューモデルで:

///<summary>
///  public RelayCommand<CancelEventArgs> WindowClosingCommand
///</summary>
public RelayCommand<CancelEventArgs> WindowClosingCommand { get; private set; }
 ...
 ...
 ...
        // Window Closing
        WindowClosingCommand = new RelayCommand<CancelEventArgs>((args) =>
                                                                      {
                                                                          ShutdownService.MainWindowClosing(args);
                                                                      },
                                                                      (args) => CanShutdown);

shutdownServiceで

    /// <summary>
    ///   ask the application to shutdown
    /// </summary>
    public static void MainWindowClosing(CancelEventArgs e)
    {
        e.Cancel = true;  /// CANCEL THE CLOSE - let the shutdown service decide what to do with the shutdown request
        RequestShutdown();
    }

RequestShutdownは次のようになりますが、基本的にRequestShutdownまたはその名前は、アプリケーションをシャットダウンするかどうかを決定します(とにかくウィンドウを閉じます)。

...
...
...
    /// <summary>
    ///   ask the application to shutdown
    /// </summary>
    public static void RequestShutdown()
    {

        // Unless one of the listeners aborted the shutdown, we proceed.  If they abort the shutdown, they are responsible for restarting it too.

        var shouldAbortShutdown = false;
        Logger.InfoFormat("Application starting shutdown at {0}...", DateTime.Now);
        var msg = new NotificationMessageAction<bool>(
            Notifications.ConfirmShutdown,
            shouldAbort => shouldAbortShutdown |= shouldAbort);

        // recipients should answer either true or false with msg.execute(true) etc.

        Messenger.Default.Send(msg, Notifications.ConfirmShutdown);

        if (!shouldAbortShutdown)
        {
            // This time it is for real
            Messenger.Default.Send(new NotificationMessage(Notifications.NotifyShutdown),
                                   Notifications.NotifyShutdown);
            Logger.InfoFormat("Application has shutdown at {0}", DateTime.Now);
            Application.Current.Shutdown();
        }
        else
            Logger.InfoFormat("Application shutdown aborted at {0}", DateTime.Now);
    }
    }
10
AllenM

質問者はSTASの回答を使用する必要がありますが、プリズムを使用し、galasoft/mvvmlightを使用しない読者のために、私が使用したものを試してみてください。

ウィンドウまたはユーザーコントロールなどの上部の定義で、名前空間を定義します。

xmlns:i="clr-namespace:System.Windows.Interactivity;Assembly=System.Windows.Interactivity"

そしてその定義のすぐ下:

<i:Interaction.Triggers>
        <i:EventTrigger EventName="Closing">
            <i:InvokeCommandAction Command="{Binding WindowClosing}" CommandParameter="{Binding}" />
        </i:EventTrigger>
</i:Interaction.Triggers>

ビューモデルのプロパティ:

public ICommand WindowClosing { get; private set; }

Viewmodelコンストラクターでdelegatecommandを添付します。

this.WindowClosing = new DelegateCommand<object>(this.OnWindowClosing);

最後に、コントロール/ウィンドウ/その他の近くで到達したいコード:

private void OnWindowClosing(object obj)
        {
            //put code here
        }
8
Chris

App.xaml.csファイル内でアプリケーションを閉じるかどうかを決定できるイベントハンドラーを使用したいと思います。

たとえば、App.xaml.csファイルに次のようなコードを含めることができます。

protected override void OnStartup(StartupEventArgs e)
{
    base.OnStartup(e);
    // Create the ViewModel to attach the window to
    MainWindow window = new MainWindow();
    var viewModel = new MainWindowViewModel();

    // Create the handler that will allow the window to close when the viewModel asks.
    EventHandler handler = null;
    handler = delegate
    {
        //***Code here to decide on closing the application****
        //***returns resultClose which is true if we want to close***
        if(resultClose == true)
        {
            viewModel.RequestClose -= handler;
            window.Close();
        }
    }
    viewModel.RequestClose += handler;

    window.DataContaxt = viewModel;

    window.Show();

}

次に、MainWindowViewModelコード内に次のものがあります。

#region Fields
RelayCommand closeCommand;
#endregion

#region CloseCommand
/// <summary>
/// Returns the command that, when invoked, attempts
/// to remove this workspace from the user interface.
/// </summary>
public ICommand CloseCommand
{
    get
    {
        if (closeCommand == null)
            closeCommand = new RelayCommand(param => this.OnRequestClose());

        return closeCommand;
    }
}
#endregion // CloseCommand

#region RequestClose [event]

/// <summary>
/// Raised when this workspace should be removed from the UI.
/// </summary>
public event EventHandler RequestClose;

/// <summary>
/// If requested to close and a RequestClose delegate has been set then call it.
/// </summary>
void OnRequestClose()
{
    EventHandler handler = this.RequestClose;
    if (handler != null)
    {
        handler(this, EventArgs.Empty);
    }
}

#endregion // RequestClose [event]
4
ChrisBD

私はこれであまりテストしていませんが、うまくいくようです。ここに私が思いついたものがあります:

namespace OrtzIRC.WPF
{
    using System;
    using System.Windows;
    using OrtzIRC.WPF.ViewModels;

    /// <summary>
    /// Interaction logic for App.xaml
    /// </summary>
    public partial class App : Application
    {
        private MainViewModel viewModel = new MainViewModel();
        private MainWindow window = new MainWindow();

        protected override void OnStartup(StartupEventArgs e)
        {
            base.OnStartup(e);

            viewModel.RequestClose += ViewModelRequestClose;

            window.DataContext = viewModel;
            window.Closing += Window_Closing;
            window.Show();
        }

        private void ViewModelRequestClose(object sender, EventArgs e)
        {
            viewModel.RequestClose -= ViewModelRequestClose;
            window.Close();
        }

        private void Window_Closing(object sender, System.ComponentModel.CancelEventArgs e)
        {
            window.Closing -= Window_Closing;
            viewModel.RequestClose -= ViewModelRequestClose; //Otherwise Close gets called again
            viewModel.CloseCommand.Execute(null);
        }
    }
}
1
Brian Ortiz

MVVM Light Toolkitの使用:

ビューモデルにExitコマンドがあると仮定します。

ICommand _exitCommand;
public ICommand ExitCommand
{
    get
    {
        if (_exitCommand == null)
            _exitCommand = new RelayCommand<object>(call => OnExit());
        return _exitCommand;
    }
}

void OnExit()
{
     var msg = new NotificationMessageAction<object>(this, "ExitApplication", (o) =>{});
     Messenger.Default.Send(msg);
}

これはビューで受信されます:

Messenger.Default.Register<NotificationMessageAction<object>>(this, (m) => if (m.Notification == "ExitApplication")
{
     Application.Current.Shutdown();
});

一方、ViewModelのインスタンスを使用して、ClosingMainWindowイベントを処理します。

private void Window_Closing(object sender, System.ComponentModel.CancelEventArgs e)
{ 
    if (((ViewModel.MainViewModel)DataContext).CancelBeforeClose())
        e.Cancel = true;
}

CancelBeforeCloseは、ビューモデルの現在の状態を確認し、終了を停止する必要がある場合はtrueを返します。

それが誰かを助けることを願っています。

1
Ron

これにはAttachedCommandBehaviorを使用します。任意のイベントをビューモデルのコマンドに添付して、コードビハインドを回避できます。

ソリューション全体で使用しており、背後にあるコードはほとんどありません

http://marlongrech.wordpress.com/2008/12/13/attachedcommandbehavior-v2-aka-acb/

1
Chris Adams

基本的に、ウィンドウイベントはMVVMに割り当てられない場合があります。一般に、[閉じる]ボタンは、ダイアログボックスを表示してユーザーに「保存:はい/いいえ/キャンセル」を要求しますが、これはMVVMで実行できない場合があります。

OnClosingイベントハンドラーを保持し、Model.Close.CanExecute()を呼び出して、イベントプロパティにブール値の結果を設定できます。したがって、CanExecute()がtrueの場合、OnClosedイベントでORを呼び出した後、Model.Close.Execute()を呼び出します。

1
Echtelion