 
In simple terms, JSOI is designed specifically to template JavaScript objects. It is designed to aid in building dynamic and conditional configuration objects while preserving types in output if possible. To get a quick feel for what this library offers, you may want to jump directly to the feature matrix or go through the first example listed in the The Basics section.
- JS Objects Interpolation - JSOI - Introduction
- The Basics
- Dependencies
- Building and running unit tests
- Deploying in your project
- How to use
- Interface class
- Feature matrix
- Simple string interpolation
- Type Conversions
- Replacement with simple function calls
- Replacement with async function calls
- Nested function calls
- Dynamic variable construction
- Local variable override
- Conditional loading
- Expression parsing
- Conditional Loading Objects with Expressions
- Interpolation on function content
- Value not found
- Template key as a query string
 
- Prior Art
 
To interpolate over an object you need to provide at minimum:
- The object to interpolate over.
- Embedded tagged replacement keys in the object as strings (denoted by wrapping key with curly braces {{KEY}})
- A JS object defining your replacement keys
Using the ObjectInterpolator class you can invoke a simple interpolation over the object as in the example
below:
In the example below you can see how you can replace variables anywhere in an object.
1️⃣
const obj = {
  OuterObject: {
    InnerObject: {
      One: "{{One}}",
    },
    AnotherObject: "{{Obj}}"
  }
}
const oi = new ObjectInterpolator(obj, {
  One: 1,
  Obj: {Test: "A", B: "B"}
}, {})
const rResult = await oi.interpolate();
console.log(obj);2️⃣ Output
{
    OuterObject: {
        InnerObject: {
            One: 1,
        },
        AnotherObject: {Test:"A", B: "B"}
    }
}
There are no dependencies within this library on other third party libraries.
You can build the library which includes unit tests, linting, and code coverage. The resulting files will be outputted to the dist folder.
— Command:
npm run buildThe last build version and instructions on deployment, minimized and non-minimized versions can be found here: JSOI distribution.
JSOI is automatically deployed to npm. Installation details are available either on npm or GIT pages:
In this section we will describe how to use JSOI, as well as the features available, with examples and common use cases.
const oi = new ObjectInterpolator({ /* obj: object */}, { /* keyValueContext: object */}, { /* functionContext: object */}, { /* options: object */});To interpolate over an object you simply need to instantiate the ObjectInterpolator, passing in 4 possible
values:
- The object to interpolate over.
- The key value context to use for replacement values.
- The function context to use for embedded functions.
- The options to use.
When constructing the interpolation object you can provide options. Below is a summary of the available options:
| Option Name | Description | Default Value | possible values | Example | 
|---|---|---|---|---|
| CopyObj | When set to true, interpolation will be performed over a copy of the provided object. | false | true|false | const oi = new ObjectInterpolator(obj, { /* ... / }, { / ... */}, { CopyObj: true }); | 
| KeyValueContextI | Defines the internal interface to use when getting a value from the key value context. | undefined (internally defaults to KeyValueContextI) | Besides the default value, you may also make use of QueryObjKeyValueContextI.  This interface allows you to reference into your object with dot notation. | Refer to the section below for more information. | 
After you have an instance of ObjectInterpolator, you will simply invoke the interpolate method on the object.
const { obj, nReplacedKeys} = await oi.interpolate();The returned value will be an object containing the interpolated object (typically the same object you passed in) and a numeric value indicating how many keys were replaced:
To interpolate over a simple string, you can create an instance of StringInterpolator which takes the form:
 const si = new StringInterpolator( sTemplate, { /* keyValues :object | KeyValueContextI */ }, { /* options: object */});The return valued is a new string.
| Feature | Supported | Reference | 
|---|---|---|
| Simple Strings | ||
| Simple string interpolation | ✔️ | 1 | 
| Type conversions: | 2 | |
| Primitive type conversion | ✔️ | 3 | 
| Object type conversion | ✔️ | 4 | 
| Array type conversion | ✔️ | 5 | 
| Automatic type conversion | 🔻 | 6 | 
| Core | ||
| Nested object interpolation | ✔️ | 7 | 
| Replacement with simple function calls | ✔️ | 8 | 
| Replacement on async function calls | ✔️ | 9 | 
| Nested function calls | ✔️ | 10 | 
| Dynamic variable construction | ✔️ | 11 | 
| Local variable override | ✔️ | 12 | 
| Object keys may be used as replacement values | ✔️ | 13 | 
| Declare keys to process and processing order | ✔️ | 14 | 
| Automatically merge and collapse nested arrays | ✔️ | 15 | 
| Conditional loading: | 16 | |
| Conditional loading object - load if true | ✔️ | 17 | 
| Conditional loading object - do not load if false | ✔️ | 18 | 
| Conditional loading using arrays | ✔️ | 19 | 
| Expressions and Special Handling: | ||
| Expression parsing | ✔️ | 21 | 
| Conditional Loading objects (IF/ELSE) with Expressions | ✔️ | 22 | 
| Interpolation on function content | 🔻 | 22 | 
| Value not found | ✔️ | 23 | 
| Using template key as a query string | ✔️ | 
You can do simple string interpolation with the StringInterpolator class.  The example below covers this case:
In the example below, a simple string is interpolated with the
StringInterpolatorclass:
1️⃣
const si = new StringInterpolator("Hello {{HOW}} {{ARE}} {{YOU}}?", {
    ARE: "are",
    YOU: "you"
},{ ReplaceNotFoundHandler: (templateVar, key) => { return ''; }});
const name = await si.sInterpolate();
console.log(name);2️⃣ Output
"Hello  are you?"
Note: If you need to track curley braces, you will need to pass in the option
{TrackCurlyBrackets: true}
JSOI attempts to maintain types of replacement parameters. This is possible in most cases as long as your parameterized string only contains one replacement variable. For example, a string replacing a single type may be converted as in:
Numbers: "{{Number1}}"
In this case, after interpolation, you might expect the previous string to resolve to:
Numbers: 1
However, in a multivariable replace, type conversion is obviously not possible as in:
Numbers: "{{Number1}} {{Number2}} {{Number3}}"
Potentially resolving down to:
Numbers: "1 2 3"
As already demonstrated in Example 1, replacement parameters may be deeply nested in the object template. In addition to this, arrays may also contain template variables as shown in the example below:
Below is another nested object example, interpolation is done over the whole object.
1️⃣
const obj = {
  OuterObject: {
    InnerObject: {
      One: "{{One}}",
    },
    AnotherObject: "{{A}}",
    Array: ["{{Obj1}}", "{{Obj2}}", "{{Obj3}}"]
  }
}
const oi = new ObjectInterpolator(obj, {
  One: 1,
  A: {Test: "A", B: "B"},
  Obj1: {obj1: "1"},
  Obj2: {obj2: "2"},
  Obj3: {obj3: "3"}
}, {})
const rResult = await oi.interpolate();
console.log(obj);2️⃣ Output
{
    OuterObject: {
        InnerObject: {
            One: 1
        },
        AnotherObject: {Test:"A", B: "B"},
        Array: [{obj1:"1"}, {obj2:"2"}, {obj3:"3"}]
    }
}
JSOI supports type conversion on most JavaScript primitive types (except undefined).  Support,
for basic object and array replacement is also supported.
Notice in this example how types are preserved.
1️⃣
    const obj = {
  One: "{{One}}",
  Two: "{{Two}}",
  Three: "{{Three}}",
  String: "{{String}}",
  Number: "{{Number}}",
  Bool: "{{Bool}}",
  Null: "{{Null}}",
  Array: "{{Array}}",
  Obj: "{{Obj}}"
}
const oi = new ObjectInterpolator(obj, {
  One: 1,
  Two: 2,
  Three: 3,
  String: "this is a simple string",
  Number: 43,
  Bool: true,
  Null: null,
  Array: ['1', '2', '3', '4', 5, 6],
  Obj: {Test: "A", B: "B"}
}, {})
const rResult = await oi.interpolate();
if (rResult.nReplacedKeys === 9)
  console.log(obj)2️⃣ Output:
{
    One: 1,
    Two: 2,
    Three: 3,
    String: "this is a simple string",
    Number: 43,
    Bool: true,
    Null: null,
    Array: ['1', '2', '3', '4', 5, 6],
    Obj: {Test: "A", B: "B"}
}
Since JSOI allows multiple replacements within one key-value pair, it might seem possible that it would also do automatic type conversion. This is currently not supported, consider for example:
Numbers: "{{{{Number1}}{{Number2}}{{Number3}}}}"
In the case, where all replacement values were numbers, the result of the replacement operation on the above string might be:
Numbers: "123" as opposed to  Numbers: 123
This is not to say you cannot define a function to do your type conversion (see the next section for more information on defining your own functions).
In some cases, it is convenient to replace values via a function call. This can be achieved by passing a function
context as a separate parameter into: ObjectInterpolator.  The function call is denoted by the ->
symbol, followed by the function name ->functionName, and any function parameters as in:
->functionName(param1, param2, paramN-1, paramsN).
This whole function call must also be wrapped in curly braces as in:
{{->functionName(param1, param2, paramN-1, paramsN)}}
Of course, parameters to the function may also be replaceable parameters. The example below illustrates these concepts:
User defined functions provide the ability to extend JSOI and parameters can be interpolated.
1️⃣
const parseFContext = {
  concatString: (sender, a, b) => a.concat(b),
};
const obj = {
  Value: "{{->concatString  (  '{{First}}', '{{Second}}'  )}}",
};
const oi = new ObjectInterpolator(obj, {
  First: "ABC,",
  Second: "DEF"
}, parseFContext);
const rResult = await oi.interpolate();
console.log(obj);2️⃣ Output:
{
    Value: "ABC,DEF",
}
NOTE: You may notice that white space is ignored within and around the function call and also string parameters should be quoted to ensure whitespace separation.
Following the same function format as above, replacement functions may also be asynchronous. Multiple replacements on the same key-value pair will be performed in parallel. Replacements over multiple key-value pairs are performed synchronously.
Consider the example below, the first two "simulateFetch" (FirstName and LastName) calls are processed in parallel, when this one completes, the next two are processed in parallel (HouseNo and Street).
In this demonstration, an object is constructed via asynchronous function calls.
1️⃣
const wait = ms => new Promise((r, j) => setTimeout(r, ms));
const data = {
  FirstName: "John",
  LastName: "Doe",
  HouseNo: "4",
  Street: "Wayward Pines",
};
const parseFContext = {
  simulateFetch: async (sender, addr) => {
    await wait(1000);
    return data[addr.Key];
  },
};
const obj = {
  FullName: "{{->simulateFetch({{FirstName}})}} {{->simulateFetch({{LastName}})}}",
  Address: "{{->simulateFetch({{HouseNo}})}} {{->simulateFetch({{Street}})}}",
};
const oi = new ObjectInterpolator(obj, {
  FirstName: {Address: "http://localhost:8000/", Verb: "GET", Key: "FirstName"},
  LastName: {Address: "http://localhost:8000/", Verb: "GET", Key: "LastName"},
  HouseNo: {Address: "http://localhost:8000/", Verb: "GET", Key: "HouseNo"},
  Street: {Address: "http://localhost:8000/", Verb: "GET", Key: "Street"},
}, parseFContext);
const rResult = await oi.interpolate();
console.log(obj);2️⃣ Output:
{
  "FullName": "John Doe",
  "Address": "4 Wayward Pines"
}
JSOI supports nested function calls. Consider the example below:
In the example below, you can see how parameters to user-defined functions may be deeply nested.
1️⃣
const parseFContext = {
  add: (sender, a, b) => a + b,
  mul: (sender, x, y) => x * y,
  sub: (sender, a, b) => a - b,
  div: (sender, a, b) => a / b
};
const obj = {
  Value: "{{->add(mul(sub(1,2),3),div(4,5))}}",
}
const oi = new ObjectInterpolator(obj, {}, parseFContext);
const rResult = await oi.interpolate();
console.log(obj);2️⃣ Output:
{
    Value: -2.2
}
Nesting variables allow for dynamic variable construction. In the example below, two possible variables may be constructed based on the value of TestNumber.
Replace variables dynamically constructed.
1️⃣
const obj = {Test: "{{RunTest-{{TestNumber}}}}"}
const oi = new ObjectInterpolator(obj, {
  "RunTest-1": "Run1stTests",
  "RunTest-2": "Run2ndTests",
  TestNumber: 2
}, {});
const rResult = await oi.interpolate();
console.log(obj);2️⃣ Output:
{
    Test: "Run2ndTests",
}
The variable value may be extracted from either the passed in variable context or from the object itself. For Example, consider the case where your interpolation obj looks like this:
    const obj = { UseLocalVar: 1, Test: "{{UseLocalVar}}" }Regardless of what your variable context looks like, you will arrive at the following output, since UseLocalVar exists in the object and will be used.
    const obj = { UseLocalVar: 1, Test: 1 }NOTE: In some cases of local variable use, key order may be important. If there is a dependency on key-value pairs being fully rendered, before use, consider formally declaring processing order on keys (see next section)
JSOI processes replacement params in order of key iteration. This has the unintended consequence of creating a dependency on key order in the replacement object. There are two approaches to dealing with key order, the first is to interpolate in a loop, the second is to provide the order in which you would like to process the object keys (see Declare keys to process and processing order. The example below highlights how to interpolate in a loop where there is a dependency order on object keys. Keep in mind, that you will only care about this in the next section if your keys, in your replacement object, have a dependency on another replacement key in the object you are interpolating over. Keep in mind also, there are two sources of replacement values:
- The replacement object itself (local variable override).
- The keyValue params object (primary source).
In the example below, notice the dependency order problem on the first two keys:
- Before AllNumbersAndSomethingAndNothingcan be resolvedAllNumbersAndSomethingmust be resolved. We must process,AllNumbersAndSomethingfirst.
- AllNumbersAndSomethingcannot be fully resolved until- AllNumbersis resolved, therefore- AllNumbersshould be processed first.
The example below shows you how to loop until all keys are resolved. Note, as we already mentioned you may specify the key order and avoid looping if you like.
1️⃣
const obj = {
    AllNumbersAndSomethingAndNothing: "{{AllNumbersAndSomething}} and {{Nothing}}",
    AllNumbersAndSomething: "{{AllNumbers}} and {{Something}}",
    AllNumbers: "{{ FirstN }} {{SecondN}} {{ThirdN}}",
    NoMatch: "{{NoMatch}}",
};
const oi = new ObjectInterpolator(obj, {
    FirstN: 1,
    SecondN: 2,
    ThirdN: 3,
    Something: "Something",
    Nothing: "Nothing",
}, {});
let nReplacedKeys = 0;
let nIterations = 0;
do {
    nReplacedKeys = (await oi.interpolate()).nReplacedKeys;
    nIterations++;
} while(nReplacedKeys > 0);2️⃣
expect(nIterations).toBe(4);
expect(obj).toMatchObject({
    AllNumbers: "1 2 3",
    AllNumbersAndSomething: "1 2 3 and Something",
    AllNumbersAndSomethingAndNothing: "1 2 3 and Something and Nothing",
    NoMatch: "{{NoMatch}}",
});To ensure only certain keys are processed, and to enforce a processing order, you can add the __ProcessKeys__
array to indicate which keys should be processed, and the order of processing.
The example below ensures that UseTest1 is fully rendered before processing UseTest2.  In
this case, this is important since processing in normal order would leave UseTest2 un-rendered, due to
the dependency on UseTest1.
An example of choosing the order of key processing.
1️⃣
const obj = {
  UseTest2: "{{UseTest1}}",
  UseTest1: "{{Test1}}",
  __ProcessKeys__: ["UseTest1", "UseTest2"]
}
const oi = new ObjectInterpolator(obj, {
  "Test1": "Run1stTests",
  "UseTest2": "Run2ndTests",
  TestNumber: 2
}, {});
const rResult = await oi.interpolate();
console.log(obj);2️⃣ Output:
{
  "UseTest2": "Run1stTests",
  "UseTest1": "Run1stTests",
  "__ProcessKeys__": [ "UseTest1", "UseTest2"]
}
Conditional loading allows you to load a child object into a parent object, within your template, if a condition is met. Although this functionality may seem arbitrary on the surface, it is extremely useful. Consider a case where you need to assemble a configuration object from multiple sources.
NOTE: Interpolating loaded content is left for the user (see below).
The command to invoke this operation is placed within the object key and is denoted by the symbol:
<--
There are a few forms of conditional loading:
- Unconditional Loading: {'<--': '{{ValueToLoad}}'}
- Positive (load object): {'<--true': '{{ValueToLoad}}'}
- Negative (do not load object): {'<--false': '{{ValueToLoad}}'}
Generally speaking, the goal of conditional loading is to load a child object into its parent and remove the child object if the remaining object is empty. The graphic below should help highlight the point:
From the image above, you can see the object "p" contains another object "A". The object "A" has the load directive set on its key. When the load completes, the content (red box) is replaced with the loaded content.
In the example below, we see the root object containing another object "A". This object contains only one key-value pair, and the key of this object is set to the unconditional loading directive.
NOTE: The process of loading the data into the parent will force the deletion of the child object if the child object becomes empty due to the load operation.
An example of loading data into a parent object.
1️⃣
const obj = {
  A: {
    "<--": '{{->loadObj("C")}}',
  }
};
const oi = new ObjectInterpolator(obj, {}, {
  loadObj: async (sender, key) => {
    return {[key]: `This is a key: ${key}`};
  }
});
await oi.interpolate();
console.log(obj);2️⃣ Output:
{
    C: "This is a key: C",
}
In the simplest case of conditional loading (true case), you have a key that takes the following form:
"<--true": 'value'
In practice, however, the boolean true value would normally be parameterized, for example:
"<--{{TrueValue}}": 'value'
In the simplest case of conditional loading (false case), you have a key that takes the following form:
"<--false": 'value'
Exactly like the previous true case, the false value may be parameterized:
"<--{{FalseValue}}": 'value'
An example of conditionally loading data into a parent object.
1️⃣
const obj = {
  A: {
    "<--{{LA}}": '{{->loadObj("A")}}',
    "<--{{LB}}": '{{->loadObj("B")}}',
    "<--{{LC}}": '{{->loadObj("C")}}',
  }
};
const oi = new ObjectInterpolator(obj, {
          LA: true,
          LB: false,
          LC: true,
        },
        {
          loadObj: async (sender, key) => {
            return {[key]: `This is a key: ${key}`};
          }
        }
);
await oi.interpolate();
console.log(obj);2️⃣ Output:
{
    A: "This is a key: A",
    C: "This is a key: C",
}
In the previous example, we made use of loading child objects into parent objects. Generally, the same rules apply to arrays. However, with arrays, when collapsing a child object into its parent, the child array is merged into the parent array at the index.
An example of loading data into an array element, notice how the added array is merged in place.
1️⃣
const obj = [
  {
    NestedArray: [1, 2, {"<--": '{{->loadObj(3)}}'}, 6, 7, 8],
  },
];
const oi = new ObjectInterpolator(obj, {}, {
  loadObj: async (sender, n) => {
    return [n, n + 1, n + 2];
  }
});
await oi.interpolate();
console.log(obj);2️⃣ Output:
[
    {
        NestedArray: [1, 2, 3, 4, 5, 6, 7, 8]
    }
]
In the example below, multiple array objects are loaded.
1️⃣
const obj = [
  {
    Obj: '{{->loadObj({{FirstN}})}}'
  },
  {
    Obj: '{{->loadObj({{SecondN}})}}'
  }
]
const oi = new ObjectInterpolator(obj, {
  FirstN: 10,
  SecondN: 11
}, {
  loadObj: (sender, n) => {
    return {A: n, B: "2", C: {D: "Yes"}};
  }
});
const rResult = await oi.interpolate();
console.log(obj);2️⃣ Output:
[
    {
        Obj: {A:10, B:"2", C:{D:"Yes"}}
    },
    {
        Obj: {A:11, B:"2", C:{D:"Yes"}}
    }
]
JSOI supports expression parsing allowing for combining basic mathematical and logical expressions together with ternary conditions. To invoke the expression parser, you should use one of the built-in expression functions. There are currently two forms of the function, short and long:
- ->Exp('1+2')
- ->ƒ('1+2')
The table below lists currently supported operators within the expression parsing feature.
| Symbol | Description | Form | Example | Output | 
|---|---|---|---|---|
| ?: | Ternary conditional | (condition) ? (true branch) : (false branch) | ->ƒ( '(1 == 1) ? (2 * 5.1) : (4 / 3)' ) | |
| +, - | Additive, subtractive | a + b | ->ƒ( '10.5 + -2 - 4' ) | |
| *, / | Multiplicative, Divisive | a * b | ->ƒ( '(1 / 4) * 4' ) | |
| ==, != | Relational: = and ≠ | a == b | ->ƒ( '((1 / 4) * 4) == 4' ) | |
| >=, <= | Relational: ≥ and ≤ | a >= b | ->ƒ( '((1 / 4) * 4) >= 4' ) | |
| >,< | Relational: > and < | a > b | ->ƒ( '((1 / 4) * 4) < 4' ) | |
| ! | Logical not | !(a) | ->ƒ( '!(((1 / 4) * 4) == 4)' ) | |
| && | logical AND | a && b | ->ƒ( '(1 == 2) && (1 == 1)' ) | |
| || | Logical Or | a || b | ->ƒ( '(1 == 2) || (1 == 1)' ) | 
NOTE: Ternary conditional takes the form () ? () : () brackets should be provided in complex statements to ensure
proper parsing.
Combining all expression examples above, the example below parameterizes the number 1.
1️⃣
const obj = {
  A: "{{ ->ƒ( '({{One}} == {{One}}) ? (2 * 5.{{One}}) : (4 / 3)' ) }}",
  B: "{{ ->ƒ( '10.5 + -2 - 4' ) }}",
  C: "{{ ->ƒ( '({{One}} / 4) * 4' ) }}",
  D: "{{ ->ƒ( '(({{One}} / 4) * 4) == 4' ) }}",
  E: "{{ ->ƒ( '(({{One}} / 4) * 4) >= 4' ) }}",
  F: "{{ ->ƒ( '(({{One}} / 4) * 4) < 4' ) }}",
  G: "{{ ->ƒ( '!((({{One}} / 4) * 4) == 4)' ) }}",
  H: "{{ ->ƒ( '({{One}} == 2) && ({{One}} == {{One}})' ) }}",
  I: "{{ ->ƒ( '({{One}} == 2) || ({{One}} == {{One}})' ) }}",
};
const oi = new ObjectInterpolator(obj, {
  One: 1
}, {});
await oi.interpolate();
console.log(obj);2️⃣ Output:
{
  "A": 10.2,
  "B": 4.5,
  "C": 1,
  "D": false,
  "E": false,
  "F": true,
  "G": true,
  "H": false,
  "I": true
}
JSOI allows combining conditional loading with expressions.  This functionality is supported by combining conditional loading
and expressions.  The  <-IF(expression) is supported along with <--IF(expression) and support for
<-ELSE.
The examples below highlight this functionality in YAML since it may be easier to read than JSON.
1️⃣ Consider the following template Object:
Sub:
  "<-IF(({{ FirstN }} == 10) && ({{ SecondN }} != 10))":
    A: 10
    B: '2'
    C:
      D: 'Yes'
  "<-ELSE":
    A: 1
2️⃣ With the following keys:
FirstN: 10
SecondN: 113️⃣ When interpolating the following result will be produced:
Sub:
  A: 10
  B: '2'
  C:
    D: 'Yes'The order of
<-IFand<-ELSEwithin the object will not impact the result.
1️⃣ Consider the following template Object:
Sub:
  "<-ELSE":
    A: 1
  "<-IF(({{ FirstN }} == 10) && ({{ SecondN }} != 10))":
    A: 10
    B: '2'
    C:
      D: 'Yes'2️⃣ With the following keys:
FirstN: 10
SecondN: 113️⃣ When interpolating the following result will be produced:
Sub:
  A: 10
  B: '2'
  C:
    D: 'Yes'When using strings, make sure to wrap them in single quotes
1️⃣
Sub:
  "<-IF('{{ DEBUG }}' == 'Yes')":
    A: Debug is on
  "<-ELSE":
    A: Debug is off2️⃣ With the following keys:
Sub:
  DEBUG: 'Yes'3️⃣ When interpolating, the following result will be produced:
A: Debug is onThis is currently not directly supported, at this point, it is left for the user to implement.  However, it is trivial to
implement within the function context.  The example below highlights the solution.  When our custom function, loadObj,
gets called, the function has an object to return, but it first must be evaluated against the existing key-value context
(something not currently directly supported).  The solution is simply to get the current key-value context and invoke
an interpolation with this against our object.
An example of how you might interpolate over data before being returned by your function.
1️⃣
const obj = [
  {
    "<--true": '{{->loadObj()}}'
  }
];
const oi = new ObjectInterpolator(obj, {Name: "ConfigName1"}, {
  loadObj: async (sender) => {
    const loadedObj = {
      ConfigName: "{{Name}}"
    };
    (new ObjectInterpolator(loadedObj, sender.getKeyValueContext())).interpolate();
    return loadedObj
  }
});
await oi.interpolate();
console.log(obj);2️⃣ Output:
[
    { Name: "ConfigName1" }
]
In some cases, your tagged value ({{ValueToReplace}}), which you would like replaced, is NOT in the provided key-value list.
Generally, there are two broad ways to deal with this error condition.
You may provide a callback, set in the options object defined by ReplaceNotFoundHandler.  This callback may return
a value to use as your replacement value.  Alternatively, you may return a subtype of ReplaceObjectAction
(see below for a description of possible return values).
The example below shows how to set up a not found callback.
1️⃣
const oi = new ObjectInterpolator(obj, {/* keyValue context */}, { /* Function context */}, {
  ReplaceNotFoundHandler: (templateVar, key) => {
    return 'NowITExists';
  }
});You can set a predefined behavior, by making use of the options variable ActionOnNotFound.  There are currently three
defined behaviors, you will need to import the variable ReplaceObjectAction to gain access to the value type to
set the option.  The description below will explain the possible values and their meaning:
- ReplaceObjectAction.ACTION_NONE - this is the default behavior, which is do nothing.
- ReplaceObjectAction.ACTION_DELETE - setting the option to this value, will instruct JSOI to delete the key.
- ReplaceObjectAction.ACTION_THROW - throw an exception.  The specific exception is InterpolationValueNotFoundError.
The example below demonstrates how to set this variable to instruct JSOI to remove the key value from the object.
1️⃣
 const oi = new ObjectInterpolator(obj, {/* keyValue context */}, { /* Function context */}, {
  ActionOnNotFound: ReplaceObjectAction.ACTION_DELETE
});It is possible to instruct JSOI to use simple dot notation for indexing into objects.  For example, given the object below,
it may be useful to reference values like this: {{ FindFunObj.UseThisKey }}, which would then use the value:
"This is the value" as your replacement key.
1️⃣
const obj = {
            FindValue: "This is the value",
            FindFunObj: { UseThisKey: "This is the value" }
        }In order to enable query string support, you will need to modify the default key-value context object. The code below demonstrates how to do this:
1️⃣
const oi = new CustomObjectInterpolator(obj,{ Test: { Fun: { UseThisKey: "This is the value" } }},
    {}, { KeyValueContextI: QueryObjKeyValueContextI });
await oi.interpolate();There are several other JavaScript string interpolation libraries which do templating, probably the most well-known is: Mustache.js.
