npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

@rudderstack/json-template-engine

v0.19.1

Published

A library for evaluating JSON template expressions.

Downloads

5,642

Readme


JSON Template Engine

Overview

Welcome to our JSON Template Engine! This powerful tool simplifies transforming JSON data from one format to another, making managing and maintaining complex integrations easier.

Why JSON Template Engine?

As an integration platform supporting over 200 integrations, we understand the challenges of maintaining and optimizing these connections. Traditionally, we used native JavaScript code for data transformation, which required significant effort and maintenance. While JSONata offered a more efficient way to manipulate JSON data, we still encountered performance bottlenecks due to its parsing and interpretation overhead.

Our Solution

To address these challenges, we've developed our own JSON Transformation Engine. This engine generates optimized JavaScript code from transformation templates, reducing runtime overhead and significantly improving performance.

Key Features

  • Efficiency: Our engine generates JavaScript code that minimizes parsing and interpretation overhead, ensuring faster execution.

  • Extensibility: Easily add new transformation templates to meet your specific integration needs.

  • Simplicity: Write concise transformation templates that are easy to understand and maintain.

Implementation

This library generates a javascript function code from the template and then uses the function to evaluate the JSON data. It outputs the javascript code in the following stages:

  1. Lexing (Tokenization)
  2. Parsing (AST Creation)
  3. Translation (Code generation)
  flowchart TD;
      A[Code] --> B[Convert code to tokens];
      B --> C[Parse tokens to create Expressions];
      C --> D[Combine expressions to create statements];
      D --> E[Combine statements to create AST];
      E --> F[Translate AST to JS code]

Engine class abstracts the above steps and provides a convenient way to use the json templates to evaluate the inputs.

Getting started

Use npm package

npm install @rudderstack/json-template-engine

const { JsonTemplateEngine } = require('@rudderstack/json-template-engine');
const engine = JsonTemplateEngine.create(`'Hello ' + .name`);
engine.evaluate({ name: 'World' }); // => 'Hello World'

Use CDN URL directly in the browser

Latest URL: https://cdn.jsdelivr.net/npm/@rudderstack/json-template-engine/build/json-template.min.js

Versioned URL: https://cdn.jsdelivr.net/npm/@rudderstack/[email protected]/build/json-template.min.js

<script type="module">
      import { JsonTemplateEngine } from 'https://cdn.jsdelivr.net/npm/@rudderstack/[email protected]/build/json-template.min.js';
      const engine = JsonTemplateEngine.createAsSync(`'Hello ' + .name`);
      engine.evaluate({ name: 'World' });
</script>

Refer this example for more details.

Demo

Playground

Give the JSON template engine a try in our playground without needing to install anything.

Features

The template consists of multiple statements, with the output being the result of the final statement.

Variables

const a = 1;
let b = a + 2;
a + b;

Refer this example for more details.

Template Strings

let a = `Input a=${.a}`; 
let b = `Input b=${.b}`;
`${a}, ${b}`;

Refer this example for more details.

Basic Expressions

Conditions

a > b ? a : c;

Refer this example for more details.

Comparisons

a === b || c > d;

Refer this example for more details.

Math Operations

10 - 2 + 2 * 10;

Refer this example for more details.

Logical operations

false || true;

Refer this example for more details.

Input and Bindings

Input refers to the JSON document we would like to process using a template. Bindings refer to additional data or functions we would provide to process the data efficiently.

Example:

  • Template: "Hello " + (.name ?? $.defaultName)
  • Evaluation: engine.evaluate({name: 'World'}, {defaultName: 'World'});
  • {name: 'World'} is input.
    • ^.name refers to "name" property of the input. We can also use .name to refer the same. ^ always refers to the root of the input and . refers to current context. Refer this example for more details.
  • {defaultName: 'World'} is bindings.
    • $.defaultName refers to "defaultName" property of the bindings. Refer this example for more details.

Arrays

let arr = [1, 2, 3, 4]
let a = arr[1, 2] // [2, 3]
let b = arr[0:2] // [1, 2]
let c = arr[-2:] // [3, 4]

Refer this example for more details.

Objects

let key = "some key"
// { "a": 1, "b": 2, "c": 3, "some key": 4 }
let obj = {a: 1, b: 2, c: 3, [key]: 4 }
let a = obj["a"] // 1
let b = obj.a // 1
let c = obj{["a", "b"]} // { "a": 1, "b": 2}
let d = obj{~["a", "b"]} // { "c": 3, "some key": 4}

Refer this example for more details.

Object Context Props

let obj = {a: 1, b: 2, c: 3 };
obj.({
  @e [e.key]: e.value * e.value, // @e refers to each key, value pairs,
  d: 16 // we can have other props also
})  // { a: 1, b: 4, c: 9, d: 16}

Refer this example for more details.

Functions

Normal functions

let fn = function (arg1, arg2) {
  arg1 + arg2;
};

The result of the last statement of function will be returned as result of the function. We can also use rest params (...args).

Lambda/Short functions

let fn = array.map(lambda 2 * ?0);

This function gets converted to:

let fn = array.map(function (args) {
  2 * args[0];
});

Lambda functions are short to express the intention and it is convenient sometimes.

Async functions

let fn = async function (arg1, arg2) {
  const result = await doSomethingAsync(arg1, arg2);
  doSomethingSync(result);
};

Note: When we want to use async functions then we need to create template engine using JsonTemplateEngine.create. If you create a template this way then it will be created as an async function so we can await anywhere in the template.

let result = await doSomething(.a, .b)

Refer this example for more details.

Paths

Paths are used to access properties in input, bindings and variables.

Simple Paths

Simple paths support limited path features and get translated as direct property access statements in the generate javascript code. a.b.c gets translated to a?.b?.c so they are very fast compared to Rich paths. Simple paths are ideal when we know the object structure.

Supported features:

Rich Paths

Rich paths gets converted complex code to support different variations in the data.

If we use this rich path~r a.b.c then it automatically handles following variations.

  • [{"a": { "b": [{"c": 2}]}}]
  • {"a": { "b": [{"c": 2}]}}
  • {"a": [{ "b": [{"c": 2}]}]} Refer this example for more details.

Json Paths

We support some features of JSON Path syntax using path option (~j). Note: This is an experimental feature and may not support all the features of JSON Paths.

Refer this example for more details.

Simple selectors

let x = a.b.c;
let y = a."some key".c

Refer this example for more details.

Wildcard selectors

a.*.c // selects c from any direct property of a

Refer this example for more details.

Descendent selectors

// selects c from any child property of a
// a.b.c, a.b1.b2.c or a.b1.b2.b3.c
let x = a..c;
let y = a.."some key";

Refer this example for more details.

Single Index or Property Filters

let x = a[0].c;
let y = a[-1].c; // selects last element from array
let z = a['some key'].c;

Refer this example for more details.

Multi Indexes or Properties Filters

let x = a[(0, 2, 5)].c;
let y = a[('some key1', 'some key2')].c;

Refer this example for more details.

Range filters

let x = a[2:5].c;
let y = a[:-2].c;
let z = a[2:].c;

Object Property Filters

let x = obj{["a", "b"]};  // selects a and b
let y = obj{~["a", "b"]}; // selects all properties except a and b

Refer this example for more details.

Conditional or Object Filters

let x = obj{.a > 1};

Refer this example for more details.

Block expressions

let x = obj.({
  a: .a + 1,
  b: .b + 2
});
let x = obj.([.a+1, .b+2]);

Refer this example for more details.

Context Variables

.orders@order#idx.products.({
    name: .name,
    price: .price,
    orderNum: idx,
    orderId: order.id
})

Use context variables: @order and #idx, we can combine properties of orders and products together. Refer this example for more details.

Path Options

We can mention defaultPathType while creating engine instance.

// For using simple path as default path type
// a.b.c will be treated as simple path
JsonTemplateEngine.create(`a.b.c`, { defaultPathType: PathType.SIMPLE });
// For using rich path as default path type
// a.b.c will be treated as rich path
JsonTemplateEngine.create(`a.b.c`, { defaultPathType: PathType.RICH });

We can override the default path option using tags.

// Use ~s to treat a.b.c as simple path
~s a.b.c
// Use ~r to treat a.b.c as rich path
~r a.b.c
// Use ~j for using json paths
~j items[?(@.a>1)]

Note: Rich paths are slower compare to the simple paths. Refer this example for more details.

Compile time expressions

Compile time expressions are evaluated during compilation phase using compileTimeBindings option.

// {{$.a.b.c}} gets translated to 1 and
// final translated code will be "let a = 1;"
JsonTemplateEngine.create(`let a = {{$.a.b.c}};`, {
  compileTimeBindings: {
    a: {
      b: {
        c: 1,
      },
    },
  },
});

We can use compile time expressions to generate a template and then recompile it as expression. Refer these examples simple compilation and complex compilation for more details.

Mappings

If you are familiar with JSON Paths, you can easily begin working with JSON templates by leveraging your existing knowledge through the mappings feature.

Example:

  • Let's say we want to transform the following data.
  • Input:
{
  "a": {
    "foo": 1,
    "bar": 2
  },
  "b": [
    {
      "firstName": "foo",
      "lastName": "bar"
    },
    {
      "firstName": "fizz",
      "lastName": "buzz"
    }
  ]
}
  • Output:
{
  "foo": 1,
  "bar": 2,
  "items":[
    {
      "name": "foo bar"
    },
    {
      "name": "fizz buzz" 
    }
  ] 
}
  • Mappings:
[
  {
    "description": "Copies properties of a to root level in the output",
    "input": "$.a",
    "output": "$"
  },
  {
    "description": "Combines first and last name in the output",
    "input": "$.b[*].(@.firstName + ' ' + @.lastName)",
    "output": "$.items[*].name"
  }
]

For more examples, refer Mappings

Comments

Supports both c style single line (//) and block comments (/* .. */). Refer this example for more details.

For more examples, refer Scenarios

Testing

npm test

Contribute

We would love to see you contribute to RudderStack. Get more information on how to contribute here.

License

The RudderStack rudder-json-template-engine is released under the MIT License.