Concatenating String Fields in ServiceNow

Concatenate fields in ServiceNow with a line between the fields

Concatenating String Fields in ServiceNow
Photo by Christopher Gower on Unsplash

Here we walk through using the JavaScript method join() and delimiter ’\n’ to concatenate fields.

Let’s suppose that we have a requirement where we need to concatenate the fields sub_category, category, sub_category and short_description into the description field with a line between the fields.

For this example, we will use a Before Business Rule that runs on the Incident table when one of the three fields, Category, Subcategory or Short Description, changes. The first thing to do is to declare the variables to store the field label and the value into a single string. For retrieving the field label, we use getLabel().var cat = current.category.getLabel()+”: “+current.category;
var subCat = current.subcategory.getLabel()+”: “+current.subcategory;
var shortDesc = current.short_description.getLabel()+”: “+current.short_description;

Then, we use the method join() and delimiter ‘\n’. The method join() joins the fields and returns a multi-line string.

var myString = [cat, subCat,shortDesc].join('\n'); 
current.description = myString;

Here is a sample Before Business Rule

(function executeRule(current, previous /*null when async*/ ) { 
//The method.getLabel() returns the field's label and current.fieldName returns the value in the field. 
 var cat = current.category.getLabel()+": "+current.category; 
 var subCat = current.subcategory.getLabel()+": "+current.subcategory; 
 var shortDesc = current.short_description.getLabel()+": "+current.short_description;
//The method join and delimiter '\n' join the set of fields and return multi-line string  
 var myString = [cat, subCat,shortDesc].join('\n'); 
 current.description = myString; 
})(current, previous);

Hopefully, this is helpful to you too.