Prefer ObservableAsPropertyHelpers over setting properties explicitly
When a property's value depends on another property, a set of properties, or an
observable stream, rather than set the value explicitly, use
ObservableAsPropertyHelper with WhenAny wherever possible.
Do
public class RepositoryViewModel : ReactiveObject
{
public RepositoryViewModel()
{
canDoIt = this.WhenAny(x => x.StuffFetched, y => y.OtherStuffNotBusy, (x, y) => x && y)
.ToProperty(this, x => x.CanDoIt);
}
readonly ObservableAsPropertyHelper<bool> canDoIt;
public bool CanDoIt
{
get { return canDoIt.Value; }
}
}
Don't
this.WhenAny(x => x.StuffFetched, y => y.OtherStuffNotBusy, (x, y) => x && y)
.ObserveOn(RxSchedulers.MainThreadScheduler)
.Subscribe(x => CanDoIt = x);
Why?
ObservableAsPropertyHelperis as a kind of "proof" that a given property has one source of change (the pipeline against which you callToProperty). If it's just a plain old property, it can be set from multiple places leading to spaghetti code. 🍝ObservableAsPropertyHelperwill take care of raisingINotifyPropertyChangedevents - if you're creating read-only properties, this can save so much boilerplate code.WhenAnylets you combine multiple properties, treat their changes as observable streams, and craft ViewModel-specific outputs.- Scheduling. Simply pass in a value for the
schedulerparameter, which avoids you needing to callObserveOnyourself. - Laziness. Simply set
deferSubscriptiontotrueand now your property is lazily-evaluated and will defer the subscription to the observable source until the first call.