Reputation: 10028
I am using Mustache for HTML templates and HoganJS as renderer. My problem is following: I have table template (table, header, body), but also I have template for each TR element of TBODY. All I want is to reuse TR-template in the TABLE-template.
Whether it possible or not?
Sample code:
<!-- Row Template -->
<script type="text/html" id="table_row_template">
<tr>
<td><input type="text" name="Name" class="item-name autocomplete-groups" value="{{name}}" /></td>
<td><input type="text" name="count" class="item-count count" name="count" value="{{count}}" /></td>
</tr>
</script>
<!-- Table Template -->
<script type="text/html" id="section_table_template">
<table>
<thead>
<tr><th>Name</th><th>Count</th></tr>
</thead>
<tbody>
<!--
Here I want ot iterate over the collection
and render template from '#table_row_template'
-->
</tbody>
</table>
</script>
<script type="text/javascript">
var context = {
collection: {
{
"item1": { "name": "item1", "count": "1" },
"item2": { "name": "item2", "count": "12" },
"item3": { "name": "item3", "count": "5" },
"item4": { "name": "item4", "count": "32" },
"item5": { "name": "item5", "count": "6" },
},
..........
}
}
var t = hogan.compile(document.getElementById('section_table_template').innerHTML);
var rendered = t.render(context);
</script>
Upvotes: 0
Views: 2360
Reputation: 5117
You're looking for Mustache's "partial" tag:
<script type="text/html" id="section_table_template">
<table>
<thead>
<tr><th>Name</th><th>Count</th></tr>
</thead>
<tbody>
{{# collection }}
{{> table_row }}
{{/ collection }}
</tbody>
</table>
</script>
To get this to work with Hogan, you simply have to tell it where your partials are:
<script>
var t = hogan.compile(document.getElementById('section_table_template').innerHTML);
var partials = {
table_row: document.getElementById('table_row_template').innerHTML
};
var rendered = t.render(context, partials);
</script>
Upvotes: 2