Overview
This article shows methods of handling NULL values and empty values within FreeMarker. FreeMarker is a templating language supported in the MessageGears Templates. More information about FreeMarker can be found in the FreeMarker documentation.
Table of Contents
Encountering Null and Empty Values
Combining Functions and Best Practices
Encountering Null and Empty Values
Null values and Empty values are ever-present problems when working with data. Null values and empty values are commonly encountered within Accelerator due to missing data within the external datasource.
The has_content Function
FreeMarker has built-in functions to detect for variables. The most common method of detecting for empty or null values uses the has_content function and the trim function.
The has_content function, in the case of Accelerator, returns with a boolean value determining whether or not the provided variable exists. Using the function looks like this:
<#if Recipient.account_type?has_content>
… (executes if variable exists)
<#else>
… (executes if variable does not exist)
</#if>
The has_content function is often used with another built-in FreeMarker function to detect for null values.
The trim Function
The has_content function only checks to determine if the proper variable exists.
The trim function, used in a clever way, is often used to detect null values, empty values, or values populated with whitespace:
<#if Recipient.first_name?trim != ''> <!-- there is no space between quotes -->
… (executes if not null)
<#else>
… (executes if null)
</#if>
Using the trim function in this manner removes all whitespace from the variable. If anything is left over, then the value contains data. If the result of the trim is an empty string (identified by the ‘’), then the value is null.
Combining Functions and Best Practices
The best practice for handling null values and empty values is to combine the above functions. By itself, the has_content function does not return check for null or empty values. It only determines if the variable exists.
By itself, the trim function does not check if the variable exists. It only determines if the result, after trimming, is empty or not.
Combining these two functions in an IF statement is the recommended method of handling data.
<#if Recipient.last_purchase_date?has_content && Recipient.last_purchase_date?trim != ''>
… (executes if variable exists and is not null)
<#else>
… (executes if variable does not exist OR variable is null)
</#if>
The following function is a good way of identifying issues with data and setting a default value:
<#if Recipient.first_name?has_content && Recipient.first_name?trim != ''>
<#assign fname = Recipient.first_name>
<#else>
<#assign fname = ‘Valued Customer’>
</#if>
Comments
Please sign in to leave a comment.