1

每次我渲染 HTML 模板时,我都会尝试用新单词替换多个单词。

而不是必须循环遍历模板(非常大)三次来查找三个不同的单词,我想将这三个单词及其替换组合起来,并且只遍历模板一次。(另外,很明显,下面的代码只替换了最后一个单词,{id}​​,因为它覆盖了上面的其他两个替换尝试)。

       $.get('/templates/list-item.html', function(data) {
          var template = data,
              tmp = '';

          $.getJSON('conf.json', function(data) {
            var items = [],
                list = data.default;

            for (var item in list) {
              var name = item.name,
                  value = list[item].value,
                  id = list[item].id;

              tmp = template.replace('{name}', name);
              tmp = template.replace('{value}', value);
              tmp = template.replace('{id}', id);

              items.push(tmp);
            }

            $('<div/>', {
              html: items.join('')
            }).appendTo('body');
          });
        });

显然渲染模板不应该用JS来做,但由于它仅供内部使用,没有可用的后端,也不需要谷歌索引,暂时还好。

4

1 回答 1

9

您可以使用回调函数来替换模板变量。考虑例如:

template = "{foo} and {bar}"
data = {foo:123, bar:456}

template.replace(/{(\w+)}/g, function($0, $1) {
    return data[$1];
});

我还建议用map()替换循环:

items = $.map(list, function(item) {
   var data = {name: item.name, value:.... etc }
   return template.replace(/{(\w+)}/g, function($0, $1) {
       return data[$1];
   });
}

/{(\w+)}/g基本上意味着以下内容:

/                - start pattern
{                - match { literally
    (            - begin group 1
        \w       - a "word" character (letter+digit+underscore)
        +        - repeat once or more
    )            - end group 1
}                - match } literally
/                - end pattern
g                - match globally, i.e. all occurences

当回调函数被调用时,它获取整个匹配作为它的第一个参数和组 1 的值作为第二个参数。所以当它看到时{foobar},它会调用callback("{foobar}", "foobar")

于 2012-05-30T06:37:36.997 回答