3

我想做的事:

{{>myPartial foo={bar:1} }}

我想定义一个对象,同时将它传递给一个部分。那可能吗?


我知道可以传递一个现有的对象,例如

{{>myPartial foo=foo}}

但我想在我的标记中定义我的对象。

为什么?好吧,基本上是因为它只是定义布局。我想避免在后端确定布局决策。
我的部分是表格布局,我想隐藏特定的列。

但不是使用多个属性,如

{{>myPartial hideFoo=true hideBar=true}}

我想使用单个对象hide

{{>myPartial hide={foo:true,bar:true} }}
4

1 回答 1

2

您可以将新上下文传递给部分:

{{> myPartial context }}

例子:

var data = {
  title: "Foo Bar",
    foo: ["foo1", "foo2"],
    bar: ["bar1", "bar2"],
    hide: {
        foo: true,
        bar: false
    }
};

var content = "{{title}} {{> myPartial hide }}";
var partialContent = "<div class=\"{{#if foo}}hideFoo{{/if}} {{#if bar}}hideBar{{/if}}\">Hide</div>";
var template = Handlebars.compile(content);
Handlebars.registerPartial("foo", partialContent);
template(data);

输出:

<div class="hideFoo hideBar">Hide</div>

另一种方法是传递 JSON 字符串,而不是对象,使用辅助方法:

//helper
Handlebars.registerHelper("parseJSON", function(string, options) {
  return options.fn(JSON.parse(string));
});

//template    
{{#parseJSON '{"foo": true,"bar": true}'}}
     {{> myPartial}}
{{/parseJSON}}

演示:

//Compile main template
var template = Handlebars.compile($("#template").html());

//Register partial
Handlebars.registerPartial("myPartial", $("#myPartial").html());

//Register parseJSON helper
Handlebars.registerHelper("parseJSON", function(string, options) {
  return options.fn(JSON.parse(string));
});

//Your data
var data = {
  title: "Foo Bar"
};


document.body.innerHTML = template(data);
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/handlebars.js/4.0.5/handlebars.min.js"></script>
<!-- template.html -->
<script id="template" type="text/x-handlebars-template">
  <h1>{{title}}</h1>
  
  <h3>First Partial:</h3>
  {{#parseJSON '{"foo": true,"bar": false}'}}
      {{> myPartial}}
  {{/parseJSON}}
  
  <h3>Second Partial:</h3> 
  {{#parseJSON '{"foo": false,"bar": false}'}}
      {{> myPartial}}
  {{/parseJSON}}
</script>

<script id="myPartial" type="text/x-handlebars-template">
  <div>hide.foo: {{foo}}</div>
  <div>hide.bar: {{bar}}</div>
</script>

于 2016-02-08T05:04:24.470 回答