dojo.replace¶
| Status: | Final | 
|---|---|
| Version: | 1.4 | 
| Available: | since 1.4 | 
| Author: | Eugene Lazutkin | 
Contents
This function provides a light-weight foundation for substitution-based templating. It is a sane alternative to string concatenation technique, which is brittle and doesn’t play nice with localization.
Basic Usage¶
dojo.replace accepts 3 arguments:
- String template to be interpolated.
- Object or function to be used for substitutions.
- Optional regular expression pattern to look for. By default all patterns looking like {abc}are going to be found and replaced.
With dictionary¶
If the second argument is an object, all names within braces are interpreted as property names within this object. All names separated by . (dot) will be interpreted as subobjects. This default behavior provides a great flexibility:
| 1 2 3 4 5 6 7 8 9 10 11 | var output = dojo.replace(
  "Hello, {name.first} {name.last} AKA {nick}!",
  {
    name: {
      first:  "Robert",
      middle: "X",
      last:   "Cringely"
    },
    nick: "Bob"
  }
);
 | 
You can see this code in action:
A complex object can be used with dojo.replace.
Minimalistic HTML for our example.
You don't need to use all properties of an object, you can list them in any order, and you can reuse them as many times as you like.
With array¶
In most cases you may prefer an array notation effectively simulating the venerable printf:
| 1 2 3 4 | var output = dojo.replace(
  "Hello, {0} {2} AKA {3}!",
  ["Robert", "X", "Cringely", "Bob"]
);
 | 
This code in action:
An array can be used with dojo.replace.
Minimalistic HTML for our example.
Advanced Usage¶
With function¶
For ultimate flexibility you can use dojo.replace with a function as the second argument. The function is going to be called with 4 arguments:
- Whole match.
- Name between found braces.
- Offset of the match.
- Whole string.
Essentially these arguments are the same as in String.replace() when a function is used. Usually the second argument is the most useful one.
Let's take a look at example:
| 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 | // helper function
function sum(a){
  var t = 0;
  dojo.forEach(a, function(x){ t += x; });
  return t;
}
var output = dojo.replace(
  "{count} payments averaging {avg} USD per payment.",
  dojo.hitch(
    { payments: [11, 16, 12] },
    function(_, key){
      switch(key){
        case "count": return this.payments.length;
        case "min":   return Math.min.apply(Math, this.payments);
        case "max":   return Math.max.apply(Math, this.payments);
        case "sum":   return sum(this.payments);
        case "avg":   return sum(this.payments) / this.payments.length;
      }
    }
  )
);
 | 
As you can see in this example we are calculating values lazily on demand from a potentially dynamic source.
This code in action:
A function can be used with dojo.replace.
Minimalistic HTML for our example.
With custom pattern¶
In some cases you may want to use different braces, e.g., because your interpolated strings contain patterns similar to {abc}, but they should not be evaluated and replaced, or your server-side framework already uses these patterns for something else. In this case you should replace the pattern:
| 1 2 3 4 5 | var output = dojo.replace(
  "Hello, %[0] %[2] AKA %[3]!",
  ["Robert", "X", "Cringely", "Bob"],
  /\%\[([^\]]+)\]/g
);
 | 
This code in action:
A pattern can be replaced.
Minimalistic HTML for our example.
It is advised for the new pattern to be:
- Global
- It should capture one substring, usually some text inside "braces".
Examples¶
Below are real-world examples of using dojo.replace.
Highlighting substitutions¶
Let's add highlighting to all substituted fields:
| 1 2 3 4 5 6 7 8 9 10 11 12 | function hiliteReplace(tmpl, dict){
  // add highlights first
  var hilited = dojo.replace(tmpl, function(_, name){
    return "<span class='hilite'>{" + name + "}</span>";
  });
  // now perform real substitutions
  return dojo.replace(hilited, dict);
}
// that is how we use it:
var output = hiliteReplace("Hello, {0} {2} AKA {3}!",
  ["Robert", "X", "Cringely", "Bob"]
);
 | 
Take a look at this code in action:
Highlighting replaced fields.
Minimalistic CSS for our example.
Minimalistic HTML for our example.
Escaping substitutions¶
Let's escape substituted text for HTML to prevent possible exploits. Dijit templates implement similar technique. We will borrow Dijit syntax: all names starting with ! are going to be placed as is (example: {!abc}), while everything else is going to be filtered.
| 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 | function safeReplace(tmpl, dict){
  // convert dict to a function, if needed
  var fn = dojo.isFunction(dict) ? dict : function(_, name){
    return dojo.getObject(name, false, dict);
  };
  // perform the substitution
  return dojo.replace(tmpl, function(_, name){
    if(name.charAt(0) == '!'){
      // no escaping
      return fn(_, name.slice(1));
    }
    // escape
    return fn(_, name).
      replace(/&/g, "&").
      replace(/</g, "<").
      replace(/>/g, ">").
      replace(/"/g, """);
  });
}
// that is how we use it:
var output = safeReplace("<div>{0}</div",
  ["<script>alert('Let\' break stuff!');</script>"]
);
 | 
You can check the result here:
Escaping replaced fields.
Minimalistic HTML for our example.
Formatting substitutions¶
Let's add a simple formatting to substituted fields. We will use the following notation in this example:
- {name}- use the result of substitution directly.
- {name:fmt}- use formatter- fmtto format the result.
- {name:fmt:a:b:c}- use formatter- fmtwith optional parameters- a,- b, and- c. Any number of parameters can be used. Their interpretation depends on a formatter.
In this example we are going to format numbers as fixed or exponential with optional precision.
| 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 | function format(tmpl, dict, formatters){
  // convert dict to a function, if needed
  var fn = dojo.isFunction(dict) ? dict : function(_, name){
    return dojo.getObject(name, false, dict);
  };
  // perform the substitution
  return dojo.replace(tmpl, function(_, name){
    var parts = name.split(":"),
        value = fn(_, parts[0]);
    if(parts.length > 1){
      value = formatters[parts[1]](value, parts.slice(2));
    }
    return value;
  });
}
// simple numeric formatters
var customFormatters = {
  f: function(value, opts){
    // return formatted as a fixed number
    var precision = opts && opts.length && opts[0];
    return Number(value).toFixed(precision);
  },
  e: function(value, opts){
    // return formatted as an exponential number
    var precision = opts && opts.length && opts[0];
    return Number(value).toExponential(precision);
  }
};
// that is how we use it:
var output1 = format(
  "pi = {pi}<br>pi:f = {pi:f}<br>pi:f:5 = {pi:f:5}",
  {pi: Math.PI, big: 1234567890},
  customFormatters
);
var output2 = format(
  "big = {big}<br>big:e = {big:e}<br>big:e:5 = {big:e:5}",
  {pi: Math.PI, big: 1234567890},
  customFormatters
);
 | 
You can check the result here:
Formatting replaced fields.
Minimalistic HTML for our example.