tags:

views:

1343

answers:

3

Short Version

Calls to CommandManager.InvalidateRequerySuggested() take far longer to take effect than I would like (1-2 second delay before UI controls become disabled).

Long Version

I have a system where I submit tasks to a background-thread based task processor. This submit happens on the WPF UI thread.

When this submit happens, the object that manages my background thread does two things:

  1. It raises a "busy" event (still on the UI thread) that several view models respond to; when they receive this event, they set an IsEnabled flag on themselves to false. Controls in my views, which are databound to this property, are immediately grayed out, which is what I would expect.

  2. It informs my WPF ICommand objects that they should not be allowed to execute (again, still on the UI thread). Because there is nothing like INotifyPropertyChanged for ICommand objects, I am forced to call CommandManager.InvalidateRequerySuggested() to force WPF to reconsider all of my command objects' CanExecute states (yes, I actually do need to do this: otherwise, none of these controls become disabled). Unlike item 1, though, it takes a significantly longer time for my buttons/menu items/etc that are using ICommand objects to visually change to a disabled state than it does for the UI controls that have their IsEnabled property manually set.

The problem is, from a UX point of view, this looks awful; half of my controls are immediately grayed out (because their IsEnabled property is set to false), and then a full 1-2 seconds later, the other half of my controls follow suit (because their CanExecute methods are finally re-evaluated).

So, part 1 of my question:
As silly as it sounds to ask, is there a way I can make CommandManager.InvalidateRequerySuggested() do it's job faster? I suspect that there isn't.

Fair enough, part 2 of my question:
How can I work around this? I'd prefer all of my controls be disabled at the same time. It just looks unprofessional and awkward otherwise. Any ideas? :-)

+6  A: 

Hi, CommandManager.InvalidateRequerySuggested() tries to validate all commands, which is totally ineffective (and in your case slow) - on every change, you are asking every command to recheck its CanExecute()! You'd need the command to know on which objects and properties is its CanExecute dependent, and suggest requery only when they change. That way, if you change a property of an object, only commands that depend on it will change their state.

This is how I solved the problem, but at first, a teaser:

// in ViewModel's constructor - add a code to public ICommand:
this.DoStuffWithParameterCommand = new DelegateCommand<object>(
 parameter =>
  {
   //do work with parameter (remember to check against null)
  },
 parameter => 
  {
   //can this command execute? return true or false
  }
 )
 .ListenOn(whichObject, n => n.ObjectProperty /*type safe!*/, this.Dispatcher /*we need to pass UI dispatcher here*/)
 .ListenOn(anotherObject, n => n.AnotherObjectProperty, this.Dispatcher); // chain calling!

The command is listening on NotifyPropertyChanged events from object that affect whether it can execute, and invokes the check only when a requery is needed.

Now, a lot of code (part of our in-house framework) to do this:

I use DelegateCommand from Prism, that looks like this:

/// <summary>
///     This class allows delegating the commanding logic to methods passed as parameters,
///     and enables a View to bind commands to objects that are not part of the element tree.
/// </summary>
public class DelegateCommand : ICommand
{
 #region Constructors

 /// <summary>
 ///     Constructor
 /// </summary>
 public DelegateCommand(Action executeMethod)
  : this(executeMethod, null, false)
 {
 }

 /// <summary>
 ///     Constructor
 /// </summary>
 public DelegateCommand(Action executeMethod, Func<bool> canExecuteMethod)
  : this(executeMethod, canExecuteMethod, false)
 {
 }

 /// <summary>
 ///     Constructor
 /// </summary>
 public DelegateCommand(Action executeMethod, Func<bool> canExecuteMethod, bool isAutomaticRequeryDisabled)
 {
  if (executeMethod == null)
  {
   throw new ArgumentNullException("executeMethod");
  }

  _executeMethod = executeMethod;
  _canExecuteMethod = canExecuteMethod;
  _isAutomaticRequeryDisabled = isAutomaticRequeryDisabled;

  this.RaiseCanExecuteChanged();
 }

 #endregion

 #region Public Methods

 /// <summary>
 ///     Method to determine if the command can be executed
 /// </summary>
 public bool CanExecute()
 {
  if (_canExecuteMethod != null)
  {
   return _canExecuteMethod();
  }
  return true;
 }

 /// <summary>
 ///     Execution of the command
 /// </summary>
 public void Execute()
 {
  if (_executeMethod != null)
  {
   _executeMethod();
  }
 }

 /// <summary>
 ///     Property to enable or disable CommandManager's automatic requery on this command
 /// </summary>
 public bool IsAutomaticRequeryDisabled
 {
  get
  {
   return _isAutomaticRequeryDisabled;
  }
  set
  {
   if (_isAutomaticRequeryDisabled != value)
   {
    if (value)
    {
     CommandManagerHelper.RemoveHandlersFromRequerySuggested(_canExecuteChangedHandlers);
    }
    else
    {
     CommandManagerHelper.AddHandlersToRequerySuggested(_canExecuteChangedHandlers);
    }
    _isAutomaticRequeryDisabled = value;
   }
  }
 }

 /// <summary>
 ///     Raises the CanExecuteChaged event
 /// </summary>
 public void RaiseCanExecuteChanged()
 {
  OnCanExecuteChanged();
 }

 /// <summary>
 ///     Protected virtual method to raise CanExecuteChanged event
 /// </summary>
 protected virtual void OnCanExecuteChanged()
 {
  CommandManagerHelper.CallWeakReferenceHandlers(_canExecuteChangedHandlers);
 }

 #endregion

 #region ICommand Members

 /// <summary>
 ///     ICommand.CanExecuteChanged implementation
 /// </summary>
 public event EventHandler CanExecuteChanged
 {
  add
  {
   if (!_isAutomaticRequeryDisabled)
   {
    CommandManager.RequerySuggested += value;
   }
   CommandManagerHelper.AddWeakReferenceHandler(ref _canExecuteChangedHandlers, value, 2);
  }
  remove
  {
   if (!_isAutomaticRequeryDisabled)
   {
    CommandManager.RequerySuggested -= value;
   }
   CommandManagerHelper.RemoveWeakReferenceHandler(_canExecuteChangedHandlers, value);
  }
 }

 bool ICommand.CanExecute(object parameter)
 {
  return CanExecute();
 }

 void ICommand.Execute(object parameter)
 {
  Execute();
 }

 #endregion

 #region Data

 private readonly Action _executeMethod = null;
 private readonly Func<bool> _canExecuteMethod = null;
 private bool _isAutomaticRequeryDisabled = false;
 private List<WeakReference> _canExecuteChangedHandlers;

 #endregion
}

/// <summary>
///     This class allows delegating the commanding logic to methods passed as parameters,
///     and enables a View to bind commands to objects that are not part of the element tree.
/// </summary>
/// <typeparam name="T">Type of the parameter passed to the delegates</typeparam>
public class DelegateCommand<T> : ICommand
{
 #region Constructors

 /// <summary>
 ///     Constructor
 /// </summary>
 public DelegateCommand(Action<T> executeMethod)
  : this(executeMethod, null, false)
 {
 }

 /// <summary>
 ///     Constructor
 /// </summary>
 public DelegateCommand(Action<T> executeMethod, Func<T, bool> canExecuteMethod)
  : this(executeMethod, canExecuteMethod, false)
 {
 }

 /// <summary>
 ///     Constructor
 /// </summary>
 public DelegateCommand(Action<T> executeMethod, Func<T, bool> canExecuteMethod, bool isAutomaticRequeryDisabled)
 {
  if (executeMethod == null)
  {
   throw new ArgumentNullException("executeMethod");
  }

  _executeMethod = executeMethod;
  _canExecuteMethod = canExecuteMethod;
  _isAutomaticRequeryDisabled = isAutomaticRequeryDisabled;
 }

 #endregion

 #region Public Methods

 /// <summary>
 ///     Method to determine if the command can be executed
 /// </summary>
 public bool CanExecute(T parameter)
 {
  if (_canExecuteMethod != null)
  {
   return _canExecuteMethod(parameter);
  }
  return true;
 }

 /// <summary>
 ///     Execution of the command
 /// </summary>
 public void Execute(T parameter)
 {
  if (_executeMethod != null)
  {
   _executeMethod(parameter);
  }
 }

 /// <summary>
 ///     Raises the CanExecuteChaged event
 /// </summary>
 public void RaiseCanExecuteChanged()
 {
  OnCanExecuteChanged();
 }

 /// <summary>
 ///     Protected virtual method to raise CanExecuteChanged event
 /// </summary>
 protected virtual void OnCanExecuteChanged()
 {
  CommandManagerHelper.CallWeakReferenceHandlers(_canExecuteChangedHandlers);
 }

 /// <summary>
 ///     Property to enable or disable CommandManager's automatic requery on this command
 /// </summary>
 public bool IsAutomaticRequeryDisabled
 {
  get
  {
   return _isAutomaticRequeryDisabled;
  }
  set
  {
   if (_isAutomaticRequeryDisabled != value)
   {
    if (value)
    {
     CommandManagerHelper.RemoveHandlersFromRequerySuggested(_canExecuteChangedHandlers);
    }
    else
    {
     CommandManagerHelper.AddHandlersToRequerySuggested(_canExecuteChangedHandlers);
    }
    _isAutomaticRequeryDisabled = value;
   }
  }
 }

 #endregion

 #region ICommand Members

 /// <summary>
 ///     ICommand.CanExecuteChanged implementation
 /// </summary>
 public event EventHandler CanExecuteChanged
 {
  add
  {
   if (!_isAutomaticRequeryDisabled)
   {
    CommandManager.RequerySuggested += value;
   }
   CommandManagerHelper.AddWeakReferenceHandler(ref _canExecuteChangedHandlers, value, 2);
  }
  remove
  {
   if (!_isAutomaticRequeryDisabled)
   {
    CommandManager.RequerySuggested -= value;
   }
   CommandManagerHelper.RemoveWeakReferenceHandler(_canExecuteChangedHandlers, value);
  }
 }

 bool ICommand.CanExecute(object parameter)
 {
  // if T is of value type and the parameter is not
  // set yet, then return false if CanExecute delegate
  // exists, else return true
  if (parameter == null &&
   typeof(T).IsValueType)
  {
   return (_canExecuteMethod == null);
  }
  return CanExecute((T)parameter);
 }

 void ICommand.Execute(object parameter)
 {
  Execute((T)parameter);
 }

 #endregion

 #region Data

 private readonly Action<T> _executeMethod = null;
 private readonly Func<T, bool> _canExecuteMethod = null;
 private bool _isAutomaticRequeryDisabled = false;
 private List<WeakReference> _canExecuteChangedHandlers;

 #endregion
}

/// <summary>
///     This class contains methods for the CommandManager that help avoid memory leaks by
///     using weak references.
/// </summary>
internal class CommandManagerHelper
{
 internal static void CallWeakReferenceHandlers(List<WeakReference> handlers)
 {
  if (handlers != null)
  {
   // Take a snapshot of the handlers before we call out to them since the handlers
   // could cause the array to me modified while we are reading it.

   EventHandler[] callees = new EventHandler[handlers.Count];
   int count = 0;

   for (int i = handlers.Count - 1; i >= 0; i--)
   {
    WeakReference reference = handlers[i];
    EventHandler handler = reference.Target as EventHandler;
    if (handler == null)
    {
     // Clean up old handlers that have been collected
     handlers.RemoveAt(i);
    }
    else
    {
     callees[count] = handler;
     count++;
    }
   }

   // Call the handlers that we snapshotted
   for (int i = 0; i < count; i++)
   {
    EventHandler handler = callees[i];
    handler(null, EventArgs.Empty);
   }
  }
 }

 internal static void AddHandlersToRequerySuggested(List<WeakReference> handlers)
 {
  if (handlers != null)
  {
   foreach (WeakReference handlerRef in handlers)
   {
    EventHandler handler = handlerRef.Target as EventHandler;
    if (handler != null)
    {
     CommandManager.RequerySuggested += handler;
    }
   }
  }
 }

 internal static void RemoveHandlersFromRequerySuggested(List<WeakReference> handlers)
 {
  if (handlers != null)
  {
   foreach (WeakReference handlerRef in handlers)
   {
    EventHandler handler = handlerRef.Target as EventHandler;
    if (handler != null)
    {
     CommandManager.RequerySuggested -= handler;
    }
   }
  }
 }

 internal static void AddWeakReferenceHandler(ref List<WeakReference> handlers, EventHandler handler)
 {
  AddWeakReferenceHandler(ref handlers, handler, -1);
 }

 internal static void AddWeakReferenceHandler(ref List<WeakReference> handlers, EventHandler handler, int defaultListSize)
 {
  if (handlers == null)
  {
   handlers = (defaultListSize > 0 ? new List<WeakReference>(defaultListSize) : new List<WeakReference>());
  }

  handlers.Add(new WeakReference(handler));
 }

 internal static void RemoveWeakReferenceHandler(List<WeakReference> handlers, EventHandler handler)
 {
  if (handlers != null)
  {
   for (int i = handlers.Count - 1; i >= 0; i--)
   {
    WeakReference reference = handlers[i];
    EventHandler existingHandler = reference.Target as EventHandler;
    if ((existingHandler == null) || (existingHandler == handler))
    {
     // Clean up old handlers that have been collected
     // in addition to the handler that is to be removed.
     handlers.RemoveAt(i);
    }
   }
  }
 }
}

I have then written a ListenOn extension method, that 'binds' the command to a property, and invokes its RaiseCanExecuteChanged:

public static class DelegateCommandExtensions
{
 /// <summary>
 /// Makes DelegateCommnand listen on PropertyChanged events of some object,
 /// so that DelegateCommnand can update its IsEnabled property.
 /// </summary>
 public static DelegateCommand ListenOn<ObservedType, PropertyType>
  (this DelegateCommand delegateCommand, 
  ObservedType observedObject, 
  Expression<Func<ObservedType, PropertyType>> propertyExpression,
  Dispatcher dispatcher)
  where ObservedType : INotifyPropertyChanged
 {
  //string propertyName = observedObject.GetPropertyName(propertyExpression);
  string propertyName = NotifyPropertyChangedBaseExtensions.GetPropertyName(propertyExpression);

  observedObject.PropertyChanged += (sender, e) =>
        {
         if (e.PropertyName == propertyName)
         {
    if (dispatcher != null)
    {
     ThreadTools.RunInDispatcher(dispatcher, delegateCommand.RaiseCanExecuteChanged);
    }
    else
    {
     delegateCommand.RaiseCanExecuteChanged();
    }
         }
        };

  return delegateCommand; //chain calling
 }

 /// <summary>
 /// Makes DelegateCommnand listen on PropertyChanged events of some object,
 /// so that DelegateCommnand can update its IsEnabled property.
 /// </summary>
 public static DelegateCommand<T> ListenOn<T, ObservedType, PropertyType>
  (this DelegateCommand<T> delegateCommand, 
  ObservedType observedObject, 
  Expression<Func<ObservedType, PropertyType>> propertyExpression,
  Dispatcher dispatcher)
  where ObservedType : INotifyPropertyChanged
 {
  //string propertyName = observedObject.GetPropertyName(propertyExpression);
  string propertyName = NotifyPropertyChangedBaseExtensions.GetPropertyName(propertyExpression);

  observedObject.PropertyChanged += (object sender, PropertyChangedEventArgs e) =>
        {
         if (e.PropertyName == propertyName)
         {
    if (dispatcher != null)
    {
     ThreadTools.RunInDispatcher(dispatcher, delegateCommand.RaiseCanExecuteChanged);
    }
    else
    {
     delegateCommand.RaiseCanExecuteChanged();
    }
         }
        };

  return delegateCommand; //chain calling
 }
}

You then need the following extension to NotifyPropertyChanged

 /// <summary>
/// <see cref="http://dotnet.dzone.com/news/silverlightwpf-implementing"/&gt;
/// </summary>
public static class NotifyPropertyChangedBaseExtensions
{
 /// <summary>
 /// Raises PropertyChanged event.
 /// To use: call the extension method with this: this.OnPropertyChanged(n => n.Title);
 /// </summary>
 /// <typeparam name="T">Property owner</typeparam>
 /// <typeparam name="TProperty">Type of property</typeparam>
 /// <param name="observableBase"></param>
 /// <param name="expression">Property expression like 'n => n.Property'</param>
 public static void OnPropertyChanged<T, TProperty>(this T observableBase, Expression<Func<T, TProperty>> expression) where T : INotifyPropertyChangedWithRaise
 {
  observableBase.OnPropertyChanged(GetPropertyName<T, TProperty>(expression));
 }

 public static string GetPropertyName<T, TProperty>(Expression<Func<T, TProperty>> expression) where T : INotifyPropertyChanged
 {
  if (expression == null)
   throw new ArgumentNullException("expression");

  var lambda = expression as LambdaExpression;
  MemberExpression memberExpression;
  if (lambda.Body is UnaryExpression)
  {
   var unaryExpression = lambda.Body as UnaryExpression;
   memberExpression = unaryExpression.Operand as MemberExpression;
  }
  else
  {
   memberExpression = lambda.Body as MemberExpression;
  }

  if (memberExpression == null)
   throw new ArgumentException("Please provide a lambda expression like 'n => n.PropertyName'");

  MemberInfo memberInfo = memberExpression.Member;

  if (String.IsNullOrEmpty(memberInfo.Name))
   throw new ArgumentException("'expression' did not provide a property name.");

  return memberInfo.Name;
 }
}

where INotifyPropertyChangedWithRaise is this (it estabilishes standard interface for raising NotifyPropertyChanged events):

public interface INotifyPropertyChangedWithRaise : INotifyPropertyChanged
{
 void OnPropertyChanged(string propertyName);
}

Last piece of puzzle is this:

public class ThreadTools
{
 public static void RunInDispatcher(Dispatcher dispatcher, Action action)
 {
  RunInDispatcher(dispatcher, DispatcherPriority.Normal, action);
 }

  public static void RunInDispatcher(Dispatcher dispatcher, DispatcherPriority priority, Action action)
 {
  if (action == null) { return; }

  if (dispatcher.CheckAccess())
  {
   // we are already on thread associated with the dispatcher -> just call action
   try
   {
    action();
   }
   catch (Exception ex)
   {
    //Log error here!
   }
  }
  else
  {
   // we are on different thread, invoke action on dispatcher's thread
   dispatcher.BeginInvoke(
    priority,
    (Action)(
    () =>
    {
     try
     {
      action();
     }
     catch (Exception ex)
     {
      //Log error here!
     }
    })
   );
  }
 }
}
Tomáš Kafka
Wow! Thank you so much for this, this looks incredibly helpful. I can't wait to try it out :-)!
unforgiven3
You're welcome, it's quite a lot of code, but you can then use the OnPropertyChanged extension method to raise NotifyPropertyChanged as well - like: this.OnPropertyChanged(n => n.MyProperty).The one problematic point is that comand listening on event could in some cases cause memory leak - it should use some weak event listener instead of observedObject.PropertyChanged += ..., but I haven't yet found time to understand all .net internals involved in that.
Tomáš Kafka
+1, awesome answer ! I especially love the idea of the `ListenOn`, that's pretty clever and elegant
Thomas Levesque
A: 

Why don't you just use write your own binding that calls your RaiseCanExecuteChanged() within converts? it is easier

Angry Chipmonk
A: 

just to clarify: 1. You want to fire an update of CanExcute when Command property changed 2. Create your own binding class that detect changes in the Command property and then calls RaiseCanExecuteChanged() 3. Use this binding in CommandParameter

Worked for me.

Angry Chipmonk