Cross Platform C#
Create Responsive Xamarin Apps with ReactiveUI
Again, proper namespaces should be provided:
xmlns:rxui="clr-namespace:ReactiveUI.XamForms;assembly=ReactiveUI.XamForms" xmlns:ui="clrnamespace:ReactiveExtensionsWithXamarin.Core.Views;assembly=ReactiveExtensio nsWithXamarin.Core"
xmlns:vms="clr-
namespace:ReactiveExtensionsWithXamarin.Core.ViewModels;assembly=ReactiveExtensionsWithXa marin.Core"
x:TypeArguments="vms:CarsListViewModel"
Replace the existing codebehind for CarsListViewPage.xaml.cs with the code in Listing 4. You have to set up binding in the same way as was done for LoginPage.
Listing 4: CarsListViewPage.xaml.cs Code
[XamlCompilation(XamlCompilationOptions.Compile)]
public partial class CarsListViewPage : ContentPageBase<CarsListViewModel>
{
public CarsListViewPage()
{
InitializeComponent();
}
protected override void OnAppearing()
{
base.OnAppearing();
this.WhenActivated(disposables =>
{
this.OneWayBind(ViewModel, x => x.Cars, x =>
x.CarsListView.ItemsSource).DisposeWith(disposables);
this.Bind(ViewModel, x => x.SearchQuery, c => c.SearchViewEntry.Text)
.DisposeWith(disposables);
});
}
}
The binding context is set to CarsListViewModel:
ContentPageBase<CarsListViewModel>
ViewModels Logic
Once those previous pages are ready, you can add ViewModels and connect each ViewModel with the appropriate page. Naturally, all ViewModels should be placed in the ViewModels folder.
The LoginViewModel code is shown in Listing 5.
Listing 5: LoginViewModel Code
public class LoginViewModel : ReactiveObject, IRoutableViewModel
{
public string UrlPathSegment => "ReactiveUI with Xamarin!";
public IScreen HostScreen { get; protected set; }
string _userName;
public string Username
{
get { return _userName; }
set { this.RaiseAndSetIfChanged(ref _userName, value); }
}
string _password;
public string Password
{
get { return _password; }
set { this.RaiseAndSetIfChanged(ref _password, value); }
}
public ReactiveCommand LoginCommand { get; set; }
ObservableAsPropertyHelper<bool> _isLoading;
public bool IsLoading
{
get { return _isLoading?.Value ?? false; }
}
ObservableAsPropertyHelper<bool> _isValid;
public bool IsValid
{
get { return _isValid?.Value ?? false; }
}
public LoginViewModel()
{
HostScreen = Locator.Current.GetService<IScreen>();
PrepareObservables();
}
private void PrepareObservables()
{
this.WhenAnyValue(e => e.Username, p => p.Password,
(emailAddress, password) => (!string.IsNullOrEmpty(emailAddress)) && !string.IsNullOrEmpty(password) && password.Length > 6)
.ToProperty(this, v => v.IsValid, out _isValid);
var canExecuteLogin =
this.WhenAnyValue(x => x.IsLoading, x => x.IsValid,
(isLoading, IsValid) => !isLoading && IsValid);
LoginCommand = ReactiveCommand.CreateFromTask(
async execute =>
{
var random = new Random();
await Task.Delay(random.Next(400, 2000));
HostScreen.Router.Navigate.Execute(new CarsListViewModel()).Subscribe();
}, canExecuteLogin);
this.WhenAnyObservable(x => x.LoginCommand.IsExecuting)
.StartWith(false)
.ToProperty(this, x => x.IsLoading, out _isLoading);
}
}
Each ViewModel derives from ReactiveObject and implements the IRoutableViewModel interface. ReactiveObject is a base class that includes core functionality like the INotifyPropertyChanged interface implementation.
IRoutableViewModel interface has two properties:
- string UrlPathSegment { get; } -- This is just a string token that represents the current ViewModel. It can be considered as a URL for the ViewModel.
- IScreen HostScreen { get; } -- This property represents the IScreen object in which the ViewModel is currently displayed. I’ll explain more about this later in the "Application Startup Setup" section.
Now I’ll go through the PrepareObservables method:
When any value is provided in the Username or Password fields, check to ensure these values aren’t empty or null, and also check the length of the password:
this.WhenAnyValue(e => e.Username, p => p.Password, (emailAddress, password) => (!string.IsNullOrEmpty(emailAddress)) && !string.IsNullOrEmpty(password) && password.Length > 6)
.ToProperty(this, v => v.IsValid, out _isValid);
When any value is provided to the IsLoading and IsValid properties, check if IsLoading isn’t already started and if the IsValid property is true. If each condition is fulfilled, the canExecuteLogin observable is set to true:
var canExecuteLogin = this.WhenAnyValue(x => x.IsLoading, x => x.IsValid,
(isLoading, IsValid) => !isLoading && IsValid);
Next, create LoginCommand to handle async operations -- in this case a fake Web service call.
When LoginCommand is invoked, create a new Random instance and delay the Task.
Once the Task is finished, use the HostScreen.Router property to navigate to the next ViewModel. LoginCommand can be executed only when the canExecuteLogin property is set to true:
LoginCommand = ReactiveCommand.CreateFromTask( async execute =>
{
var random = new Random();
await Task.Delay(random.Next(400, 2000));
HostScreen.Router.Navigate
.Execute(new CarsListViewModel()).Subscribe();
}, canExecuteLogin);
When LoginCommand is being executed, change the IsLoading propety to true. This will make ActivityIndicator show on LoginPage. The ToProperty method converts Observable to ObservableAsPropertyHelper and automatically raises a property changed event:
this.WhenAnyObservable(x => x.LoginCommand.IsExecuting)
.StartWith(false)
.ToProperty(this, x => x.IsLoading, out _isLoading);
I need to explain that ObservableAsPropertyHelper is a helper class that enables a ViewModel to implement output properties backed by an Observable, so in this case by _isLoading. It enables notifying the UI when loading is finished:
ObservableAsPropertyHelper<bool> _isLoading;
public bool IsLoading
{
get { return _isLoading?.Value ?? false; }
}
Listing 6 shows the code for CarsListViewModel.
Listing 6: CarsListViewModel Code
public class CarsListViewModel : ReactiveObject, IRoutableViewModel
{
public string UrlPathSegment => "Cars list";
public IScreen HostScreen { get; protected set; }
private string _searchQuery;
public string SearchQuery
{
get { return _searchQuery; }
set { this.RaiseAndSetIfChanged(ref _searchQuery, value); }
}
private ObservableCollection<Car> _cars;
public ObservableCollection<Car> Cars
{
get => _cars;
private set
{
this.RaiseAndSetIfChanged(ref _cars, value);
}
}
ObservableCollection<Car> _carsSourceList;
private ObservableCollection<Car> CarsSourceList
{
get { return _carsSourceList; }
set { this.RaiseAndSetIfChanged(ref _carsSourceList, value); }
}
public CarsListViewModel()
{
HostScreen = Locator.Current.GetService<IScreen>();
CreateList();
SetupReactiveObservables();
}
protected void SetupReactiveObservables()
{
this.WhenAnyValue(vm => vm.SearchQuery)
.Throttle(TimeSpan.FromSeconds(2))
.Where(x => !string.IsNullOrEmpty(x))
.Subscribe(vm =>
{
var filteredList = CarsSourceList.Where(brand => brand.Brand
.Contains(SearchQuery, StringComparison.OrdinalIgnoreCase)).ToList();
Device.BeginInvokeOnMainThread(() => { Cars =
new ObservableCollection<Car>(filteredList); });
});
this.WhenAnyValue(vm => vm.SearchQuery).Where(x => string.IsNullOrEmpty(x)).Subscribe(vm =>
{
Cars = CarsSourceList;
});
}
#region Mock List Items
private void CreateList()
{
CarsSourceList = new ObservableCollection<Car>
{
new Car
{
Brand = "BMW",
Model = "650",
ThumbnailUrl = "https://image.ibb.co/chZJbv/BMW.png"
},
new Car
{
Brand = "Audi",
Model = "A3",
ThumbnailUrl ="https://image.ibb.co/nvAMUF/AUDI.png"
},
new Car
{
Brand = "Fiat",
Model = "500",
ThumbnailUrl ="https://image.ibb.co/gjzbwv/FIAT.png"
},
new Car
{
Brand = "Toyota",
Model = "Yaris",
ThumbnailUrl ="https://image.ibb.co/mt1jia/TOYOTA.png"
},
new Car
{
Brand = "Pagani",
Model = "Zonda",
ThumbnailUrl ="https://image.ibb.co/nvS1UF/PAGANI.png"
}
};
Cars = CarsSourceList;
#endregion
}
}
The CarsListViewModel class has a structure similar to LoginViewModel. It also derives from ReactiveObject and implements IRoutableViewModel.
I’ll now discuss the PrepareObservables method.
When any value is provided in the SearchViewEntry field and this value isn’t empty or null, a throttle method is responsible for delaying the display of search results. Once the user finishes typing, the search query will be executed after two seconds. The subscribe method is responsible for filtering CarsSourceList and returning the result to the Cars property.
The Cars property is bound to CarsListViewControl in CarsListViewPage:
this.WhenAnyValue(vm => vm.SearchQuery)
.Throttle(TimeSpan.FromSeconds(2))
.Where(x => !string.IsNullOrEmpty(x))
.Subscribe(vm =>
{
var filteredList = CarsSourceList.Where(brand => brand.Brand
.Contains(SearchQuery, StringComparison.OrdinalIgnoreCase)).ToList();
Device.BeginInvokeOnMainThread(() => { Cars =
new ObservableCollection<Car>(filteredList); });
});
When an empty value is provided in the SearchViewEntry field (meaning the user cleared it), the original list is displayed without filters:
this.WhenAnyValue(vm => vm.SearchQuery)
.Where(x => string.IsNullOrEmpty(x)).Subscribe(vm =>
{
Cars = CarsSourceList;
});
There are, of course, two lists: one for the initial data and one for the search results. Here’s the code for handling the search results once the user starts typing:
private ObservableCollection<Car> _cars;
public ObservableCollection<Car> Cars
{
get => _cars;
private set
{
this.RaiseAndSetIfChanged(ref _cars, value);
}
}
The list with initial items retrieved from a Web service is mocked by the CreateList method:
ObservableCollection<Car> _carsSourceList;
private ObservableCollection<Car> CarsSourceList
{
get { return _carsSourceList; }
set { this.RaiseAndSetIfChanged(ref _carsSourceList, value); }
}
The Car Model Class
One model class is used in the application, called Car. Create a Car class inside the Model folder:
public class Car
{
public string Brand { get; set; }
public string Model { get; set; }
public string ThumbnailUrl { get; set; }
}
Extensions
For the search functionality, also add a static class called StringExtensions inside the Extensions folder located in the PCL project:
static class StringExtensions
{
public static bool Contains(this string source, string toCheck, StringComparison comp)
{
return source != null && toCheck != null && source.IndexOf(toCheck, comp) >= 0;
}
}
Application Startup Setup
Before application launch, a couple more things need to be done. Refactor the App class and register dependencies in an IoC container, as shown in Listing 7
Listing 7: Refactoring the App Class
public partial class App : Application, IScreen
{
public RoutingState Router { get; set; }
public App()
{
InitializeComponent();
Router = new RoutingState();
Locator.CurrentMutable.RegisterConstant(this, typeof(IScreen));
Locator.CurrentMutable.Register(() => new LoginPage(), typeof(IViewFor<LoginViewModel>));
Locator.CurrentMutable.Register(() => new CarsListViewPage(),
typeof(IViewFor<CarsListViewModel>));
Router.NavigateAndReset.Execute(new LoginViewModel());
MainPage = new RoutedViewHost();
}
protected override void OnStart()
{
// Handle when your app starts
}
protected override void OnSleep()
{
// Handle when your app sleeps
}
protected override void OnResume()
{
// Handle when your app resumes
}
}
The App class has to implement the IScreen interface. This interface has one property: Router. This object is responsible for providing proper navigation between ViewModels. ReactiveUI enables this functionality so you can invoke navigation code from the ViewModel:
public RoutingState Router { get; set; }
Locator.CurrentMutable.RegisterConstant(this, typeof(IScreen));
You have to also register ViewModels and map them with proper pages:
Locator.CurrentMutable.Register(() => new LoginPage(), typeof(IViewFor<LoginViewModel>));
Locator.CurrentMutable.Register(() => new CarsListViewPage(),
typeof(IViewFor<CarsListViewModel>));
Once ViewModels are registered you can navigate to LoginViewModel:
Router.NavigateAndReset.Execute(new LoginViewModel());
The last step is to register the App class as the main screen provider:
Locator.CurrentMutable.RegisterConstant(this, typeof(IScreen));
Launch the App and See the Result
Once you finish the listed steps, build the project and launch the app to verify it works correctly. Type in a username and password. Click the Login button. On the CarsListViewPage, type the name of the brand and wait for the result. You should see the screen shown in Figure 8.