在线时间:8:00-16:00
迪恩网络APP
随时随地掌握行业动态
扫描二维码
关注迪恩网络微信公众号
开源软件名称:janl/mustache.js开源软件地址:https://github.com/janl/mustache.js开源编程语言:JavaScript 88.0%开源软件介绍:mustache.js - Logic-less {{mustache}} templates with JavaScript
mustache.js is a zero-dependency implementation of the mustache template system in JavaScript. Mustache is a logic-less template syntax. It can be used for HTML, config files, source code - anything. It works by expanding tags in a template using values provided in a hash or object. We call it "logic-less" because there are no if statements, else clauses, or for loops. Instead there are only tags. Some tags are replaced with a value, some nothing, and others a series of values. For a language-agnostic overview of mustache's template syntax, see the Where to use mustache.js?You can use mustache.js to render mustache templates anywhere you can use JavaScript. This includes web browsers, server-side environments such as Node.js, and CouchDB views. mustache.js ships with support for the CommonJS module API, the Asynchronous Module Definition API (AMD) and ECMAScript modules. In addition to being a package to be used programmatically, you can use it as a command line tool. And this will be your templates after you use Mustache: InstallYou can get Mustache via npm. $ npm install mustache --save UsageBelow is a quick example how to use mustache.js: var Mustache = require('mustache');
var view = {
title: "Joe",
calc: function () {
return 2 + 4;
}
};
var output = Mustache.render("{{title}} spends {{calc}}", view); In this example, the TemplatesA mustache template is a string that contains any number of mustache tags. Tags are indicated by the double mustaches that surround them. There are several techniques that can be used to load templates and hand them to mustache.js, here are two of them: Include TemplatesIf you need a template for a dynamic part in a static website, you can consider including the template in the static HTML file to avoid loading templates separately. Here's a small example: // file: render.js
function renderHello() {
var template = document.getElementById('template').innerHTML;
var rendered = Mustache.render(template, { name: 'Luke' });
document.getElementById('target').innerHTML = rendered;
} <html>
<body onload="renderHello()">
<div id="target">Loading...</div>
<script id="template" type="x-tmpl-mustache">
Hello {{ name }}!
</script>
<script src="https://unpkg.com/mustache@latest"></script>
<script src="render.js"></script>
</body>
</html> Load External TemplatesIf your templates reside in individual files, you can load them asynchronously and render them when they arrive. Another example using fetch: function renderHello() {
fetch('template.mustache')
.then((response) => response.text())
.then((template) => {
var rendered = Mustache.render(template, { name: 'Luke' });
document.getElementById('target').innerHTML = rendered;
});
} VariablesThe most basic tag type is a simple variable. A All variables are HTML-escaped by default. If you want to render unescaped HTML, use the triple mustache: If you'd like to change HTML-escaping behavior globally (for example, to template non-HTML formats), you can override Mustache's escape function. For example, to disable all escaping: If you want View: {
"name": "Chris",
"company": "<b>GitHub</b>"
} Template:
Output: * Chris
*
* <b>GitHub</b>
* <b>GitHub</b>
* <b>GitHub</b>
* {{company}} JavaScript's dot notation may be used to access keys that are properties of objects in a view. View: {
"name": {
"first": "Michael",
"last": "Jackson"
},
"age": "RIP"
} Template: * {{name.first}} {{name.last}}
* {{age}} Output: * Michael Jackson
* RIP SectionsSections render blocks of text zero or more times, depending on the value of the key in the current context. A section begins with a pound and ends with a slash. That is, The behavior of the section is determined by the value of the key. False Values or Empty ListsIf the View: {
"person": false
} Template: Shown.
{{#person}}
Never shown!
{{/person}} Output: Shown. Non-Empty ListsIf the When the value is a list, the block is rendered once for each item in the list. The context of the block is set to the current item in the list for each iteration. In this way we can loop over collections. View: {
"stooges": [
{ "name": "Moe" },
{ "name": "Larry" },
{ "name": "Curly" }
]
} Template: {{#stooges}}
<b>{{name}}</b>
{{/stooges}} Output: <b>Moe</b>
<b>Larry</b>
<b>Curly</b> When looping over an array of strings, a View: {
"musketeers": ["Athos", "Aramis", "Porthos", "D'Artagnan"]
} Template: {{#musketeers}}
* {{.}}
{{/musketeers}} Output: * Athos
* Aramis
* Porthos
* D'Artagnan If the value of a section variable is a function, it will be called in the context of the current item in the list on each iteration. View: {
"beatles": [
{ "firstName": "John", "lastName": "Lennon" },
{ "firstName": "Paul", "lastName": "McCartney" },
{ "firstName": "George", "lastName": "Harrison" },
{ "firstName": "Ringo", "lastName": "Starr" }
],
"name": function () {
return this.firstName + " " + this.lastName;
}
} Template: {{#beatles}}
* {{name}}
{{/beatles}} Output: * John Lennon
* Paul McCartney
* George Harrison
* Ringo Starr FunctionsIf the value of a section key is a function, it is called with the section's literal block of text, un-rendered, as its first argument. The second argument is a special rendering function that uses the current view as its view argument. It is called in the context of the current view object. View: {
"name": "Tater",
"bold": function () {
return function (text, render) {
return "<b>" + render(text) + "</b>";
}
}
} Template: {{#bold}}Hi {{name}}.{{/bold}} Output: <b>Hi Tater.</b> Inverted SectionsAn inverted section opens with View: {
"repos": []
} Template: {{#repos}}<b>{{name}}</b>{{/repos}}
{{^repos}}No repos :({{/repos}} Output: No repos :( CommentsComments begin with a bang and are ignored. The following template: <h1>Today{{! ignore me }}.</h1> Will render as follows: <h1>Today.</h1> Comments may contain newlines. PartialsPartials begin with a greater than sign, like {{> box}}. Partials are rendered at runtime (as opposed to compile time), so recursive partials are possible. Just avoid infinite loops. They also inherit the calling context. Whereas in ERB you may have this: <%= partial :next_more, :start => start, :size => size %> Mustache requires only this: {{> next_more}} Why? Because the For example, this template and partial:
Can be thought of as a single, expanded template: <h2>Names</h2>
{{#names}}
<strong>{{name}}</strong>
{{/names}} In mustache.js an object of partials may be passed as the third argument to Mustache.render(template, view, {
user: userTemplate
}); Custom DelimitersCustom delimiters can be used in place of Setting in JavaScriptThe var customTags = [ '<%', '%>' ]; Pass Value into Render MethodMustache.render(template, view, {}, customTags); Override Tags PropertyMustache.tags = customTags;
// Subsequent parse() and render() calls will use customTags Setting in TemplatesSet Delimiter tags start with an equals sign and change the tag delimiters from Consider the following contrived example: * {{ default_tags }}
{{=<% %>=}}
* <% erb_style_tags %>
<%={{ }}=%>
* {{ default_tags_again }} Here we have a list with three items. The first item uses the default tag style, the second uses ERB style as defined by the Set Delimiter tag, and the third returns to the default style after yet another Set Delimiter declaration. According to ctemplates, this "is useful for languages like TeX, where double-braces may occur in the text and are awkward to use for markup." Custom delimiters may not contain whitespace or the equals sign. Pre-parsing and Caching TemplatesBy default, when mustache.js first parses a template it keeps the full parsed token tree in a cache. The next time it sees that same template it skips the parsing step and renders the template much more quickly. If you'd like, you can do this ahead of time using Mustache.parse(template);
// Then, sometime later.
Mustache.render(template, view); Command line toolmustache.js is shipped with a Node.js based command line tool. It might be installed as a global tool on your computer to render a mustache template of some kind $ npm install -g mustache
$ mustache dataView.json myTemplate.mustache > output.html also supports stdin. $ cat dataView.json | mustache - myTemplate.mustache > output.html or as a package.json $ npm install mustache --save-dev {
"scripts": {
"build": "mustache dataView.json myTemplate.mustache > public/output.html"
}
} $ npm run build The command line tool is basically a wrapper around If your templates use partials you should pass paths to partials using $ mustache -p path/to/partial1.mustache -p path/to/partial2.mustache dataView.json myTemplate.mustache Plugins for JavaScript Librariesmustache.js may be built specifically for several different client libraries, including the following: These may be built using Rake and one of the following commands: $ rake jquery
$ rake mootools
$ rake dojo
$ rake yui3
$ rake qooxdoo TypeScriptSince the source code of this package is written in JavaScript, we follow the TypeScript publishing docs preferred approach by having type definitions available via @types/mustache. TestingIn order to run the tests you'll need to install Node.js. You also need to install the sub module containing Mustache specifications in the project root. $ git submodule init
$ git submodule update Install dependencies. $ npm install Then run the tests. $ npm test The test suite consists of both unit and integration tests. If a template isn't rendering correctly for you, you can make a test for it by doing the following:
Then, you can run the test with: $ TEST=mytest npm run test-render Browser testsBrowser tests are not included in $ npm run test-browser-local then point your browser to Who uses mustache.js?An updated list of mustache.js users is kept on the Github wiki. Add yourself or your company if you use mustache.js! Contributingmustache.js is a mature project, but it continues to actively invite maintainers. You can help out a high-profile project that is used in a lot of places on the web. No big commitment required, if all you do is review a single Pull Request, you are a maintainer. And a hero. Your First Contribution
Thanksmustache.js wouldn't kick ass if it weren't for these fine souls:
|
2023-10-27
2022-08-15
2022-08-17
2022-09-23
2022-08-13
请发表评论