2.7 KiB
Elmish.XamarinForms Guide
{% include_relative contents-views.md %}
Views
The view
function is a function returning your view elements based on the current model. For example:
let view model dispatch =
View.ContentPage(
title = "Pocket Piggy Bank",
content= View.Label(text = sprintf "Hello world!")
)
The view function is normal F# code that returns elements created using the View.*
method calls.
View functions are particuarly useful when the the existence, characteristics and layout of the view depends on information in the model. Differential update is used to efficiently update the Xamarin.Forms display based on the previous and current view descriptions.
Here is a larger example:
type Model =
{ Balance : decimal
CurrencySymbol : string
User: string option }
type Msg =
| Spend of decimal
| Add of decimal
| Login of string option
let update msg model =
match msg with
| Spend x -> {model with Balance = model.Balance - x}, Cmd.none
| Add x -> {model with Balance = model.Balance + x}, Cmd.none
| Login user -> { model with User = user }, Cmd.none
let view model dispatch =
View.ContentPage(
title="Pocket Piggy Bank",
content=View.StackLayout(padding=20.0,
horizontalOptions=LayoutOptions.Center,
verticalOptions=LayoutOptions.CenterAndExpand,
children = [
match model.User with
| Some user ->
yield View.Label(text=sprintf "Logged in as : %s" user)
yield View.Label(text=sprintf "Balance: %s%.2f" model.CurrencySymbol model.Balance)
yield View.Button(text="Withdraw", command=(fun () -> dispatch (Spend 10.0m)), canExecute=(model.Balance > 0.0m))
yield View.Button(text="Deposit", command=(fun () -> dispatch (Add 10.0m)))
yield View.Button(text="Logout", command=(fun () -> dispatch (Login None)))
| None ->
yield View.Button(text="Login", command=(fun () -> dispatch (Login (Some "user"))))
]))
See also:
Static Views and "Half Elmish"
In some circumstances there are advantages to using static Xaml, and static bindings from the model to those views. This is called "Half Elmish" and is the primary technique used by Elmish.WPF
at time of writing. (It was also the original technique used by this repo and the prototype Elmish.Forms
).
See half-elmish.md.