ARM templates support the idea both of parameterisation of templates and of the use of variables within a template for e.g. placeholders and re-using values.
Farmer, by design, has only limited support for parameters and no support for variables. We don’t plan on adding rich support for either of these for the following reasons:
You can read more on this issue here
Farmer does support securestring
parameters for e.g. SQL and Virtual Machine passwords - these are automatically generated based on the contents of the template rather than explicitly by yourself.
For example, assume the following Farmer SQL resource:
let db = sql {
server_name "myserver"
db_name "mydatabase"
admin_username "mradmin"
}
This will generate an ARM template which looks as follows (irrelevant content is omitted for clarity):
{
"$schema": "https://schema.management.azure.com/schemas/2015-01-01/deploymentTemplate.json#",
"parameters": {
"password-for-myserver": {
"type": "securestring"
}
},
"resources": [
{
"apiVersion": "2014-04-01-preview",
"name": "myserver",
"properties": {
"administratorLogin": "mradmin",
"administratorLoginPassword": "[parameters('password-for-myserver')]",
},
"type": "Microsoft.Sql/servers"
}
]
}
ARM templates allow you to declare variables inside a template to reuse a value across a template. ARM templates also allow the use of a custom set of commands which are embedded within strings to generate program logic, using expressions which contain template functions. For example, to concatenate a string inside an ARM template made up of two variables and put into a third variable, you might use something like the following:
{
"variables": {
"first": "Hello",
"second": "World",
"serverName": "[concat(variables('first'), ' ', variables('second'), '!')]"
}
}
In F#, you have access to the full power of .NET, rather than a limited set of weakly-typed functions:
let first = "Hello"
let second = "World"
let serverName = first + " " + second + "!"
let dbName = $"{first} {second}!"
let db = sql {
server_name serverName
db_name dbName
admin_username "mradmin"
}
You can also use F# list comprehensions to rapidly create several resources of the same type:
// Create five SQL servers and databases
let myDatabases =
[ for i in 1 .. 5 ->
sql {
server_name $"server{i}"
db_name $"database{i}"
admin_username "mradmin"
}
]
// Add all five databases to the deployment
let deployment = arm {
location Location.NorthEurope
add_resources myDatabases
}