Templating


This is an advanced feature of Open Peer Power. You’ll need a basic understanding of:

Templating is a powerful feature that allows you to control information going into and out of the system. It is used for:

Building templates

Templating in Open Peer Power is powered by the Jinja2 templating engine. This means that we are using their syntax and make some custom Open Peer Power variables available to templates during rendering. Jinja2 supports a wide variety of operations:

We will not go over the basics of the syntax, as Jinja2 does a great job of this in their templates documentation.

The frontend has a template editor tool to help develop and debug templates. Click on the template developer tool icon icon, create your template in the Template editor and check the results on the right.

Templates can get big pretty fast. To keep a clear overview, consider using YAML multiline strings to define your templates:

Open Peer Power template extensions

Extensions allow templates to access all of the Open Peer Power specific states and adds other convenience functions and filters.

States

Avoid using `states.sensor.temperature.state`, instead use `states('sensor.temperature')`. It is strongly advised to use the `states()`, `is_state()`, `state_attr()` and `is_state_attr()` as much as possible, to avoid errors and error message when the entity isn't ready yet (e.g., during Open Peer Power startup).

Besides the normal state object methods and properties, states.sensor.temperature.state_with_unit will print the state of the entity and, if available, the unit.

States examples

The next two statements result in the same value if the state exists. The second one will result in an error if the state does not exist.

Print out a list of all the sensor states:

{% for state in states.sensor %}
  {{ state.entity_id }}={{ state.state }},
{% endfor %}

Other state examples:

{{ states('sensor.temperature') | float + 1 }}

{{ (states('sensor.temperature') | float * 10) | round(2) }}

{% if states('sensor.temperature') | float > 20 %}
  It is warm!
{% endif %}

{{ as_timestamp(states.binary_sensor.garage_door.last_changed) }}

{{ as_timestamp(now()) - as_timestamp(states.binary_sensor.garage_door.last_changed) }}

Attributes

You can print an attribute with state_attr if state is defined.

Working with Groups

The expand function and filter can be used to sort entities and expand groups. It outputs a sorted array of entities with no duplicates.

Expand examples

The same thing can also be expressed as a filter:

Time

  • now() returns a datetime object that represents the current time in your time zone.
    • You can also use: now().second, now().minute, now().hour, now().day, now().month, now().year, now().weekday() and now().isoweekday() and other datetime attributes and functions.
  • utcnow() returns a datetime object of the current time in the UTC timezone.
    • For specific values: utcnow().second, utcnow().minute, utcnow().hour, utcnow().day, utcnow().month, utcnow().year, utcnow().weekday() and utcnow().isoweekday().
  • as_timestamp() converts datetime object or string to UNIX timestamp. This function also be used as a filter.
  • strptime(string, format) parses a string based on a format and returns a datetime object.
  • relative_time converts datetime object to its human-friendly “age” string. The age can be in second, minute, hour, day, month or year (but only the biggest unit is considered, e.g., if it’s 2 days and 3 hours, “2 days” will be returned). Note that it only works for dates in the past.
  • Filter timestamp_local converts an UNIX timestamp to its string representation as date/time in your local timezone.
  • Filter timestamp_utc converts a UNIX timestamp to its string representation representation as date/time in UTC timezone.
  • Filter timestamp_custom(format_string, local_time=True) converts an UNIX timestamp to its string representation based on a custom format, the use of a local timezone is default. Supports the standard Python time formatting options.

Note: UNIX timestamp is the number of seconds that have elapsed since 00:00:00 UTC on 1 January 1970. Therefore, if used as a function’s argument, it can be substituted with a numeric value (int or float):

{{ 120 | timestamp_local }}

To/From JSON

The to_json filter serializes an object to a JSON string. In some cases, it may be necessary to format a JSON string for use with a webhook, as a parameter for command-line utilities or any number of other applications. This can be complicated in a template, especially when dealing with escaping special characters. Using the to_json filter, this is handled automatically.

The from_json filter operates similarly, but in the other direction, de-serializing a JSON string back into an object.

To/From JSON examples

In this example, the special character ‘°’ will be automatically escaped in order to produce valid JSON. The difference between the stringified object and the actual JSON is evident.

Template

{% set temp = {'temperature': 25, 'unit': '°C'} %}
stringified object: {{ temp }}
object|to_json: {{ temp|to_json }}

Output

stringified object: {'temperature': 25, 'unit': '°C'}
object|to_json: {"temperature": 25, "unit": "\u00b0C"}

Conversely, from_json can be used to de-serialize a JSON string back into an object to make it possible to easily extract usable data.

Template

{% set temp = '{"temperature": 25, "unit": "\u00b0C"}'|from_json %}
The temperature is {{ temp.temperature }}{{ temp.unit }}

Output

The temperature is 25°C

Distance

  • distance() will measure the distance in kilometers between home, entity, coordinates.
  • closest() will find the closest entity.

Distance examples

If only one location is passed in, Open Peer Power will measure the distance from home.

Closest examples

The closest function and filter will find the closest entity to the Home Assisant location:

Query all entities: {{ closest(states) }}
Query all entities of a specific domain: {{ closest(states.device_tracker) }}
Query all entities in group.children: {{ closest('group.children') }}
Query all entities in group.children: {{ closest(states.group.children) }}

Find entities closest to a coordinate or another entity. All previous arguments still apply for second argument.

Closest to a coordinate: {{ closest(23.456, 23.456, 'group.children') }}
Closest to an entity: {{ closest('zone.school', 'group.children') }}
Closest to an entity: {{ closest(states.zone.school, 'group.children') }}

Since closest returns a state, we can combine it with distance too.

{{ closest(states).name }} is {{ distance(closest(states)) }} kilometers away.

The last argument of the closest function has an implicit expand, and can take any iterable sequence of states or entity IDs, and will expand groups:

Closest out of given entities: 
    {{ closest(['group.children', states.device_tracker]) }}
Closest to a coordinate:  
    {{ closest(23.456, 23.456, ['group.children', states.device_tracker]) }}
Closest to some entity: 
    {{ closest(states.zone.school, ['group.children', states.device_tracker]) }}

It will also work as a filter over an iterable group of entities or groups:

Closest out of given entities: 
    {{ ['group.children', states.device_tracker] | closest }}
Closest to a coordinate:  
    {{ ['group.children', states.device_tracker] | closest(23.456, 23.456) }}
Closest to some entity: 
    {{ ['group.children', states.device_tracker] | closest(states.zone.school) }}

Formatting

  • float will format the output as float.

Numeric functions and filters

Some of these functions can also be used in a filter. This means they can act as a normal function like this sqrt(2), or as part of a filter like this 2|sqrt.

  • log(value, base) will take the logarithm of the input. When the base is omitted, it defaults to e - the natural logarithm. Can also be used as a filter.
  • sin(value) will return the sine of the input. Can be used as a filter.
  • cos(value) will return the cosine of the input. Can be used as a filter.
  • tan(value) will return the tangent of the input. Can be used as a filter.
  • asin(value) will return the arcus sine of the input. Can be used as a filter.
  • acos(value) will return the arcus cosine of the input. Can be used as a filter.
  • atan(value) will return the arcus tangent of the input. Can be used as a filter.
  • atan2(y, x) will return the four quadrant arcus tangent of y / x. Can be used as a filter.
  • sqrt(value) will return the square root of the input. Can be used as a filter.
  • e mathematical constant, approximately 2.71828.
  • pi mathematical constant, approximately 3.14159.
  • tau mathematical constant, approximately 6.28318.
  • Filter round(x) will convert the input to a number and round it to x decimals. Round has four modes and the default mode (with no mode specified) will round-to-even.
    • round(x, "floor") will always round down to x decimals
    • round(x, "ceil") will always round up to x decimals
    • round(1, "half") will always round to the nearest .5 value. x should be 1 for this mode
  • Filter max will obtain the largest item in a sequence.
  • Filter min will obtain the smallest item in a sequence.
  • Filter value_one|bitwise_and(value_two) perform a bitwise and(&) operation with two values.
  • Filter value_one|bitwise_or(value_two) perform a bitwise or(|) operation with two values.
  • Filter ord will return for a string of length one an integer representing the Unicode code point of the character when the argument is a Unicode object, or the value of the byte when the argument is an 8-bit string.

Regular expressions

  • Filter string|regex_match(find, ignorecase=False) will match the find expression at the beginning of the string using regex.
  • Filter string|regex_search(find, ignorecase=True) will match the find expression anywhere in the string using regex.
  • Filter string|regex_replace(find='', replace='', ignorecase=False) will replace the find expression with the replace string using regex.
  • Filter string|regex_findall_index(find='', index=0, ignorecase=False) will find all regex matches of find in string and return the match at index (findall returns an array of matches).

Processing incoming data

The other part of templating is processing incoming data. It allows you to modify incoming data and extract only the data you care about. This will only work for platforms and integrations that mention support for this in their documentation.

It depends per integration or platform, but it is common to be able to define a template using the value_template configuration key. When a new value arrives, your template will be rendered while having access to the following values on top of the usual Open Peer Power extensions:

Variable Description
value The incoming value.
value_json The incoming value parsed as JSON.

This means that if the incoming values looks like the sample below:

{
  "on": "true",
  "temp": 21
}

The template for on would be:

'{{value_json.on}}'

Nested JSON in a response is supported as well:

{
  "sensor": {
    "type": "air",
    "id": "12345"
  },
  "values": {
    "temp": 26.09,
    "hum": 56.73
  }
}

Just use the “Square bracket notation” to get the value.

'{{ value_json['values']['temp'] }}'

The following overview contains a couple of options to get the needed values:

# Incoming value:
{"primes": [2, 3, 5, 7, 11, 13]}

# Extract third prime number
{{ value_json.primes[2] }}

# Format output
{{ "%+.1f" | value_json }}

# Math
{{ value_json | float * 1024 }}
{{ float(value_json) * (2**10) }}
{{ value_json | log }}
{{ log(1000, 10) }}
{{ sin(pi / 2) }}
{{ cos(tau) }}
{{ tan(pi) }}
{{ sqrt(e) }}

# Timestamps
{{ value_json.tst | timestamp_local }}
{{ value_json.tst | timestamp_utc }}
{{ value_json.tst | timestamp_custom('%Y' True) }}

To evaluate a response, go to the template developer tool icon template developer tools, create your output in “Template”, and check the result.

{% set value_json=
    {"name":"Outside",
	 "device":"weather-ha",
     "data":
	    {"temp":"24C",
		 "hum":"35%"
		 }	}%}

{{value_json.data.hum[:-1]}}

Some more things to keep in mind

entity_id that begins with a number

If your template uses an entity_id that begins with a number (example: states.device_tracker.2008_gmc) you must use a bracket syntax to avoid errors caused by rendering the entity_id improperly. In the example given, the correct syntax for the device tracker would be: states.device_tracker['2008_gmc']

Templates without entities using now()

Note that templates that depend on time (now()) and do not use any entities will not be updated as it only happens on entity state changes. For more information and examples refer to template sensor documentation

Priority of operators

The default priority of operators is that the filter (|) has priority over everything except brackets. This means that:

{{ states('sensor.temperature') | float / 10 | round(2) }}

Would round 10 to 2 decimal places, then divide states('sensor.temperature') by that.