Skip to main content

ServiceNow Scripting Use Cases and Tasks

This document outlines various use cases and associated tasks for learning and practicing ServiceNow scripting. The tasks are categorized by topic and include suggested resources and practical examples.

1. ServiceNow Scripting Basics

Task Description Resources Example
Introduction to ServiceNow Scripting Understand the fundamentals of scripting in ServiceNow. - ServiceNow Scripting Overview Guide
Create a basic business rule Automate a repetitive task. Whenever work notes are updated on an incident, update the short description with the user ID details.
Glide Record and Glide System API Learn how to interact with the database and utilize system functions. - ServiceNow Glide Record API Documentation
Implement a client Script Validate and enhance form input. Validate a form to check if a user ID exists or if a user has a valid email domain.
Business Rules and Client Scripts Understand the differences and uses of Business Rules and Client Scripts. - ServiceNow Business Rules and Client Scripts Documentation
Use Glide System functions in a client Script Implement dynamic behavior using Glide System functions. Create a catalog item where the "Requested For" field is auto-populated with the logged-in user's ID.

2. Advanced Glide Record Queries

Task Description Resources Example
Complex queries using Glide Record Learn to construct more complex queries to retrieve data. - Advanced Glide Record Techniques in ServiceNow
Create a script to fetch and display related records using Glide Record. Retrieve and present data from related tables. Display a list of incidents for the logged-in user where the incident location matches the user's location.
Querying across multiple tables Understand how to join and query data from multiple tables. - Glide Aggregate API in ServiceNow
Implement a Glide Aggregate script to calculate aggregate values. Use Glide Aggregate to perform calculations like sum, average, count, etc. Write a script to get a list of active incident records assigned to the currently logged-in user and display them in priority list view.
Best practices for efficient querying Learn techniques to optimize query performance.
Optimize a complex Glide Record query for better performance. Apply best practices to improve the speed and efficiency of data retrieval. Use error handling (try/catch blocks) and scripting best practices to optimize query performance.

3. UI Policies and Client Scripts

Task Description Resources Example
Implementing UI Policies Learn how to control the user interface based on conditions. - ServiceNow UI Policies Documentation
Use UI Policies to enforce mandatory fields based on conditions. Make fields required based on specific criteria. Whenever the caller ID is "Newton Sacs", make the assignment group field mandatory. This should only apply to this specific caller.
Creating dynamic UI using Client Scripts Use Client Scripts to create a more interactive and responsive user interface. - ServiceNow Client Scripting Guide
Implement a dynamic form that updates based on user input. Modify form elements and behavior in real-time based on user actions. Take input from the user and update a custom field named "name".
Field Dependencies and Dynamic UI Create relationships between fields and dynamically update them.
Create a Client Script to dynamically populate field options. Automatically fill in field values based on other field selections. Auto-populate the email, assignment group, and company fields on an incident table based on the selected caller ID.

4. Script Includes and Server-Side Scripting

Task Description Resources Example
Introduction to Script Includes Learn how to create reusable server-side code modules. - ServiceNow Script Includes Documentation
Implement a Script Include for common utility functions. Create a Script Include to store functions that can be used across multiple scripts. Create a Script Include with functions for sum, difference, multiplication, and division. Call these functions from other scripts and display the results.
Server-side scripting best practices Understand how to write efficient and maintainable server-side code. - Writing Efficient Server-Side Scripts in ServiceNow
Use server-side scripting to automate a backend process. Automate tasks that run on the server, such as data updates or integrations.
Utilizing Script Includes for reusable code Promote code reusability by creating Script Includes for common tasks.
Implement a Script Include for database-related functions. Create a Script Include to handle database operations in a centralized and reusable way. Create a utility Script Include with functions to create, update, read, and delete records on any table. The table name and query conditions should be passed as parameters dynamically from the calling script.

5. Scheduled Jobs and Background Scripts

Task Description Resources Example
Creating and scheduling background jobs Learn how to schedule tasks to run automatically at specific times or intervals. - ServiceNow Scheduled Jobs Documentation
Schedule a job to update records on a regular basis. Create a scheduled job to perform regular maintenance or updates. Create a scheduled job that calls functions to create, update, read, and delete records on any table. The table name and query conditions should be passed as parameters dynamically.
Background scripts for batch processing Understand how to use background scripts for one-time or ad-hoc tasks. - Best Practices for Background Scripts in ServiceNow
Implement a background script for data cleanup. Use a background script to perform tasks like deleting old records. Delete a records according to a specific query.
Error handling in scheduled jobs Learn how to handle errors and ensure the reliability of scheduled jobs.
Add error handling to a scheduled job for better reliability. Implement error handling mechanisms to prevent job failures and provide useful logging.

6. REST APIs and Scripted REST APIs

Task Description Resources Example
Overview of REST in ServiceNow Understand the basics of REST and how it's used in ServiceNow. - ServiceNow REST API Documentation
Create a REST API to expose ServiceNow data to external systems. Make ServiceNow data accessible to other applications through a REST API.
Creating and consuming REST APIs Learn how to both create and consume (use) REST APIs. - Building Scripted REST APIs in ServiceNow
Consume a third-party API and update ServiceNow records. Integrate with external services by using their APIs to update ServiceNow data.
Securing and authenticating REST requests Implement security measures to protect your REST APIs.
Implement authentication mechanisms for REST APIs. Add authentication to ensure that only authorized users and systems can access your APIs.

7. REST Integrations

Answers: 1)

(function executeRule(current, previous /*null when async*/) {

    // Check if work notes are updated
    if (current.work_notes.changes()) {
        // Format text with new lines
        current.short_description = "Updated by: " + current.sys_updated_by + "\n" +
                                    "Work Notes: " + current.work_notes;
    }

})(current, previous);
function onSubmit() {
    // Get User ID and Email from the form
    var userID = g_form.getValue('u_user_id'); // Adjust field name if different
    var email = g_form.getValue('u_email_id'); // Adjust field name if different

    // Allowed Email Domains
    var validDomains = ["company.com", "organization.org", "example.net"];

    // Validate User ID
    if (!userID) {
        g_form.addErrorMessage("User ID is required.");
        return false; // Stop form submission
    }

    // Validate Email
    if (email) {
        var emailParts = email.split('@');
        if (emailParts.length !== 2 || validDomains.indexOf(emailParts[1]) === -1) {
            g_form.addErrorMessage("Invalid email domain. Please use a company-approved email.");
            return false; // Stop form submission
        }
    } else {
        g_form.addErrorMessage("Email is required.");
        return false;
    }

    return true; // Allow form submission if everything is valid
}
function onLoad() {
    // Get the logged-in user's ID
    var userID = g_user.userID;

    // Set the "Requested For" field value
    g_form.setValue('u_requested_for', userID);
}
(function() {
    var userID = gs.getUserID(); // Get logged-in user's Sys ID
    var userRecord = new GlideRecord('sys_user'); 
    if (userRecord.get(userID)) {
        var userLocation = userRecord.location; // Get user's location
        var incidentList = [];

        var incidentGR = new GlideRecord('incident');
        incidentGR.addQuery('caller_id', userID); // Incident opened by the logged-in user
        incidentGR.addQuery('location', userLocation); // Incident location matches user location
        incidentGR.query();

        while (incidentGR.next()) {
            incidentList.push({
                number: incidentGR.number.toString(),
                short_description: incidentGR.short_description.toString(),
                state: incidentGR.state.toString(),
                location: incidentGR.location.getDisplayValue(),
                opened_at: incidentGR.opened_at.toString()
            });
        }
		gs.info("No of Incidents" + incidentList.length);
        gs.info(JSON.stringify(incidentList)); // Logs output (for debugging)
        return incidentList; // Returns list of matching incidents
    }
})();
(function() {
    var userID = gs.getUserID(); // Get logged-in user's Sys ID
    gs.info("Current User ID: " + userID); // Debugging

    var incidentGR = new GlideRecord('incident');
    incidentGR.addQuery('assigned_to', userID); // Assigned to logged-in user
    incidentGR.addQuery('active', true); // Only active incidents
    incidentGR.orderBy('priority'); // Sort by priority (1 = Highest)
    incidentGR.query();

    var incidentList = [];
    gs.info("Query Executed, Checking Results..."); // Debugging

    while (incidentGR.next()) {
        gs.info("Found Incident: " + incidentGR.number + " | " + incidentGR.assigned_to.getDisplayValue());
        
        incidentList.push({
            number: incidentGR.number.toString(),
            short_description: incidentGR.short_description.toString(),
            priority: incidentGR.priority.toString(),
            state: incidentGR.state.getDisplayValue()
        });
    }
	gs.info("Logged-in User ID: " + gs.getUserID());
    gs.info("Total Incidents Found: " + incidentList.length); // Debugging
    gs.info(JSON.stringify(incidentList)); // Debugging

    return incidentList; // Return the list
})();
function onChange(control, oldValue, newValue, isLoading) {
    if (isLoading || newValue === '') {
        return;
    }

    // Get the display value of the selected caller
    var callerName = g_form.getDisplayBox('caller_id').value;

    if (callerName === "Abel Tuter") {
        // Make Assignment Group mandatory
        g_form.setMandatory('assignment_group', true);
        
    } else {
        // Reset the mandatory condition
        g_form.setMandatory('assignment_group', false);
        g_form.clearMessages();
    }
}