私のアプリケーションには、まだ実行されていない場合にのみユーザーがトリガーできるコマンドがあります。問題のコマンドは WPF ボタンにバインドされています。つまり、CanExecute が false の場合、ボタンは自動的に無効になります。ここまでは順調ですね。
残念ながら、コマンドによって実行される操作は長時間実行されるため、別のスレッドで実行する必要があります。それが問題になるとは思わなかった...しかし、そうらしい。
問題を示す最小限のサンプルを抽出しました。(LocalCommands.Problem 静的参照を介して) ボタンにバインドされている場合、ボタンは必要に応じて無効になります。ワーカー スレッドが CanExecute を更新しようとすると、System.Windows.Controls.Primitives.ButtonBase 内から InvalidOperationException がスローされます。
これを解決する最も適切な方法は何ですか?
以下のサンプルコマンドコード:
using System;
using System.Threading;
using System.Windows.Input;
namespace InvalidOperationDemo
{
static class LocalCommands
{
public static ProblemCommand Problem = new ProblemCommand();
}
class ProblemCommand : ICommand
{
private bool currentlyRunning = false;
private AutoResetEvent synchronize = new AutoResetEvent(false);
public bool CanExecute(object parameter)
{
return !CurrentlyRunning;
}
public void Execute(object parameter)
{
CurrentlyRunning = true;
ThreadPool.QueueUserWorkItem(ShowProblem);
}
private void ShowProblem(object state)
{
// Do some work here. When we're done, set CurrentlyRunning back to false.
// To simulate the problem, wait on the never-set synchronization object.
synchronize.WaitOne(500);
CurrentlyRunning = false;
}
public bool CurrentlyRunning
{
get { return currentlyRunning; }
private set
{
if (currentlyRunning == value) return;
currentlyRunning = value;
var onCanExecuteChanged = CanExecuteChanged;
if (onCanExecuteChanged != null)
{
try
{
onCanExecuteChanged(this, EventArgs.Empty);
}
catch (Exception e)
{
System.Windows.MessageBox.Show(e.Message, "Exception in event handling.");
}
}
}
}
public event EventHandler CanExecuteChanged;
}
}