Implémentation d'ICommand dans MVVM : éviter les instanciations répétées
Question :
Pour éviter de créer à plusieurs reprises des instances ICommand, j'ai essayé d'implémenter une classe ICommand à l'aide d'un délégué personnalisé. Cette classe contient deux délégués : OnExecute
(délégué vide, accepte les paramètres d'objet) et OnCanExecute
(délégué booléen, accepte les paramètres d'objet).
Le code est le suivant :
<code class="language-csharp">public class TestCommand : ICommand { public delegate void ICommandOnExecute(object parameter); public delegate bool ICommandOnCanExecute(object parameter); private ICommandOnExecute _execute; private ICommandOnCanExecute _canExecute; public TestCommand(ICommandOnExecute onExecuteMethod, ICommandOnCanExecute onCanExecuteMethod) { _execute = onExecuteMethod; _canExecute = onCanExecuteMethod; } //... }</code>
Cette approche fonctionne, mais j'ai des doutes quant à la plausibilité de sa mise en œuvre et s'il existe une meilleure solution.
Solution :
Cette approche est très similaire au modèle RelayCommand
couramment utilisé, RelayCommand
est une solution plus mature et optimisée.
Implémentation de RelayCommand :
<code class="language-csharp">public class RelayCommand : ICommand { private readonly Predicate<object> _canExecute; private readonly Action<object> _execute; public RelayCommand(Predicate<object> canExecute, Action<object> execute) { _canExecute = canExecute; _execute = execute; } //... }</code>
Utilisation :
<code class="language-csharp">public class MyViewModel { private RelayCommand _doSomething; public ICommand DoSomethingCommand { get { return _doSomething ??= new RelayCommand( p => this.CanDoSomething(), p => this.DoSomeImportantMethod()); } } }</code>
Utilisez une affectation de fusion nulle (??=
) pour garantir que les instances RelayCommand
ne sont créées qu'une seule fois.
Référence :
En utilisant RelayCommand
ou une implémentation prédéfinie similaire, vous pouvez éviter la complexité supplémentaire des délégués personnalisés et obtenir un code plus propre et plus fiable.
Ce qui précède est le contenu détaillé de. pour plus d'informations, suivez d'autres articles connexes sur le site Web de PHP en chinois!