82

我是 Handlebars.js 的新手,刚开始使用它。大多数示例都基于对对象的迭代。我想知道如何在基本的 for 循环中使用车把。

例子。

for(i=0 ; i<100 ; i++) {
   create li's with i as the value
}

如何做到这一点?

4

5 回答 5

183

Handlebars 中没有任何内容,但您可以轻松添加自己的助手。

如果你只是想做一些事情n,那么:

Handlebars.registerHelper('times', function(n, block) {
    var accum = '';
    for(var i = 0; i < n; ++i)
        accum += block.fn(i);
    return accum;
});

{{#times 10}}
    <span>{{this}}</span>
{{/times}}

如果你想要一个完整的for(;;)循环,那么像这样:

Handlebars.registerHelper('for', function(from, to, incr, block) {
    var accum = '';
    for(var i = from; i < to; i += incr)
        accum += block.fn(i);
    return accum;
});

{{#for 0 10 2}}
    <span>{{this}}</span>
{{/for}}

演示:http: //jsfiddle.net/ambiguous/WNbrL/

于 2012-08-12T19:06:12.213 回答
25

这里的最佳答案很好,如果你想使用 last / first / index 虽然你可以使用以下

Handlebars.registerHelper('times', function(n, block) {
    var accum = '';
    for(var i = 0; i < n; ++i) {
        block.data.index = i;
        block.data.first = i === 0;
        block.data.last = i === (n - 1);
        accum += block.fn(this);
    }
    return accum;
});

{{#times 10}}
    <span> {{@first}} {{@index}} {{@last}}</span>
{{/times}}
于 2017-01-04T12:00:22.077 回答
9

如果你喜欢 CoffeeScript

Handlebars.registerHelper "times", (n, block) ->
  (block.fn(i) for i in [0...n]).join("")

{{#times 10}}
  <span>{{this}}</span>
{{/times}}
于 2014-01-25T08:14:13.750 回答
9

此代码段将处理 else 块以防万一n作为动态值出现,并提供@index可选的上下文变量,它还将保留执行的外部上下文。

/*
* Repeat given markup with given times
* provides @index for the repeated iteraction
*/
Handlebars.registerHelper("repeat", function (times, opts) {
    var out = "";
    var i;
    var data = {};

    if ( times ) {
        for ( i = 0; i < times; i += 1 ) {
            data.index = i;
            out += opts.fn(this, {
                data: data
            });
        }
    } else {

        out = opts.inverse(this);
    }

    return out;
});
于 2015-09-03T21:45:30.657 回答
3

晚了几年,但现在each在 Handlebars 中可用,它允许您非常轻松地迭代一系列项目。

https://handlebarsjs.com/guide/builtin-helpers.html#each

于 2020-11-24T14:19:30.803 回答