@peter.naydenov/morph
v3.3.1
Published
Template engine
Downloads
472
Maintainers
Readme
Morph (@peter.naydenov/morph)
General Information
Morph has a logic-less template syntax. Placeholders are places surrounded by double curly braces {{ }} and they represents the pleces where the data will be inserted.
Engine is text based, so it can be used for HTML, CSS, config files, source code, etc. Some features of Morph:
- Simple logic-less template syntax;
- Builtin storage;
- Powerfull action system for data decoration;
- Demo request can render the template with the builtin data;
- Nesting templates as part of the action system;
- Partial rendering (render only available data);
- Option to connect templates to external data sources;
- Post process plugin mechanism;
Installation
npm install @peter.naydenov/morphMorph can be used in browser and node.js.
import morph from "@peter.naydenov/morph"
// Morph supports also require:
// const morph = require("@peter.naydenov/morph")Basic Usage
import morph from "@peter.naydenov/morph"
const myTemplateDescription = {
template: `Hello, {{name}}!` // simple template - a string with a placeholder
, helers : {
// helper functions
}
, handshake : {
// ... demo data here
name : 'Ivan'
}
}
const myTemplate = morph.build ( myTemplateDescription ); // myTemplate is a render function
const htmlBlock = myTemplate ( 'render', { name: 'Peter' } ) // Provide data to the render function and get the result
// htmlBlock === 'Hello, Peter!'
const demo = myTemplate ( 'render', 'demo' )
// demo === 'Hello, Ivan!'Morph contains also a builtin template storages. Instead of creating variable for each template, we can use the storages.
// add template to the storage. Automatically builds the render function
// Array of two elements. 0 - template name, 1 - optional. Storage name. Defaults to 'default'
morph.add ( ['myTemplate'], myTemplateDescription )
// get template from the storage and render it
const htmlBlock = morph.get ( ['myTemplate'] )({ name: 'Peter' })
// it's same as text above
morph.add ( ['myTemplate', 'default'], myTemplateDescription )
const htmlBlock = morph.get ( ['myTemplate', 'default'] )( 'render', { name: 'Peter' })
// if we use custom storage:
morph.add ( ['myTemplate', 'hidden'], myTemplateDescription ) // write template in storage 'hidden'
const htmlBlock = morph.get ( ['myTemplate', 'hidden'] )( 'render', { name: 'Peter' }) // render template from 'hidden' storage
morph.get ( ['myTemplate'] )('render', { name: 'Peter' }) // call template 'myTemplate' from default storage
// will return error, because default storage does not have template "myTemplate"Let's see a more complex example before we go into details:
const myTemplateDescription = {
template: `Hello, {{ person : a, >getReady }}! Your age is {{ person : >getAge}}.`
, helpers: {
getReady: (person) => {
return {
text: person.name
, href: person.web
}
}
, a: `<a href="{{href}}">{{text}}</a>`
, getAge: (person) => person.age
}
, handshake: {
// ... demo data here
}
}
const myTemplate = morph.build ( myTemplateDescription );
const htmlBlock = myTemplate ( 'render', { person: {
name: 'Peter'
, age : 40
, web : 'example.com'
}
})
// htmlBlock === Hello, <a href="example.com">Peter</a>! Your age is 40.Methods
build : 'Build a component from template description'
, get : 'Get a component from component storage'
, add : 'Add a component to component storage'
, list : 'List the names of all components in the component storage'
, clear : 'Clear up all the components in the storage'
, remove : 'Remove a template from component storage'Template Description Structure
Templates are objects with tree properties: template, helpers, and handshake:
const myTemplateDescription = {
template: `` // (required) Template string
, helpers: {
// (optional) Functions and templates used by actions to decorate the data
}
, handshake: {
// (optional) Example data used to render the template.
}
}Template is a string with placeholders where we render our external data. It's a skeleton of the template. Placeholders are the dynamic parts of the template.
Helpers are a extra templates or functions needed for rendering the template. Example:
const myTemplateDescription = {
template: `
<h1>{{title}}</h1>
<ul>
{{list:li,a}}
</ul>
`
, helpers: {
a: `<a href="{{href}}">{{text}}</a>`,
li: `<li>{{text}}</li>`
}
, handshake: {
title: 'My title'
, list: [
{ text: 'Item 1', href: 'item1.com' }
, { text: 'Item 2', href: 'item2.com' }
, { text: 'Item 3', href: 'item3.com' }
]
}
}Helpers will be discussed in details in next documentation section - 'Helper Functions'.
Placeholders
Template placeholders can contain data-source and actions separated by ':'. Data-source is a field of the data object used for the placeholder. Actions describe how the data should be decorated. Action is a list of operations separated by comma. Result from the first action is going as a argument to the second and so on. Executetion of actions is from right to left. Actions are optional.
`{{ name : act2, act1 }}`
// placeholder should take data from field 'name', execute 'act1' and 'act2' over it
// actions are separated by ',' and are executed from right to left
// placeholder could have a name. It's optional and is in the end of the placeholder definition separated by ':'
`{{ name : act2, act1 : placeholderName }}`
// Placeholder names are useful when we want to render only few of them and we preffer to call them by name
`{{ list : li, a }}`
// take data from 'list' and render each element first with 'a' then with 'li' actions
`{{ name }}` // render data from 'name'. Only data is provided to this placeholder
`{{ :someAction}}` // no data, but the result of the action will fill the placeholder
`{{ @all : someAction }}` // provide all the data to the action 'someAction'
`{{:someAction : placeName }}` // action 'someAction' will fullfill content of placeholder and placeholder name will be 'placeName'Actions
Actions are concise representations of a sequence of function calls. Some functions pertain to data manipulation, others to rendering, and some to mixing. We use a prefix system for enhanced readability and maintainability.
Renderfunctions are most used so they don't have any prefix;Datafunctions start with '>';Mixingfunctions start with '[]';Conditional renderactions start with '?';Extended renderstart with '+';Memoryactions start with '^'. Memory action will take a data snapshot and will be available in helper functions as a named argument 'memory'. The name after the prefix is the name of the snapshot. Request saved data from helper functions by calling 'memory[name]';Overwriteaction is marked with '^^'. Means that the current data will be available for all placeholders, not only for the current placeholder;
Here are some examples:
`
{{ : li }} // example for render actions
{{ : >setup}} // example for data actions
{{ friends : []coma }} // example for mixing action
{{ list : ul, [], li, a}} // example with render and mixing actions
`
// NOTE: See that mixing function has no name after the prefix.
// Anonymous mixing is a build in function that will do -> resultList.join ( '' )
// The data will be rendered with 'a', then with 'li'
// then all 'li' elements will be merged and will be provided to 'ul'When input data is array, the result will be an array. Result for each element will stay separated until come the mixing function.
Learn more about how actions work in the section 'helper functions' below.
Helper Functions
Helpers are templates and functions that are used by actions to decorate the data. Helper functions can be used in templates as actions. Action type explains what to expect from the helper function.
Render functionsshould return a string - the data that will replace the placeholder.Data functionsare created to manipulate the data. Expectation is to return data, that will continue to be used by other actions.Mixing functionsshould merge data in a single data result that will be used by other actions.Extended render functionswill return a string like regular render functions, but will receive a deep branch of requested data;Conditional render functionscould return null, that means: ignore this action. The result could be also a string: the name of other helper function that will render the data.
Calling Helpers within Helpers
Starting from version 3.3.0, helper functions receive a useHelper function in their arguments object. This allows helpers to call other helpers programmatically.
const helpers = {
// Basic helper
format: ({ data }) => `[${data}]`,
// Helper using another helper
process: ({ data, useHelper }) => {
return useHelper('format') // Uses current data
},
// Helper overriding data
customProcess: ({ data, useHelper }) => {
return useHelper('format', 'Override') // Uses provided data
},
// Helper calling a template string helper
linkToCheck: ({ data, useHelper }) => {
// 'link' is a string template helper defined elsewhere
if (data.url) return useHelper('link', { text: data.name, href: data.url })
return data.name
}
}useHelper signature: useHelper(helperName, [dataOverride])
helperName: String name of the helper to call.dataOverride: Optional. Data to pass to the helper. If omitted, the current data context of the caller is used.
Commands
The first argument of the render function is the command. Available commands are: render, debug, snippets, curry, and set. Default command is render so if template doesn't need external information we can call the function without arguments.
Debug
The debug command provides information about the template. The second argument is an instruction. Available instructions: raw, demo, handshake, placeholders, count.
raw: Returns the original template string.demo: Renders the template with handshake data.handshake: Returns the handshake object.placeholders: Returns a string of placeholder names separated by commas.count: Returns the number of unresolved placeholders in the current template state.
const fn = morph.build(template);
let raw = fn('debug', 'raw'); // Original template
let count = fn('debug', 'count'); // Number of unresolved placeholdersSnippets
Snippets are a way to render only specific placeholders instead of always rerendering the entire template. Render function arguments were changed in version 3.x.x to serve this purpose.
How to access snippets:
const template = {
template:`
<h1>{{title}}</h1>
<p>{{description}}</p>
<div class="contact">
{{ name : setupName : theName }}
</div>
<p>{{ tags : +comma : tagList }}</p>
`,
helpers: {
setupName : ( {data} ) => `${data.name} ${data.surname}`,
comma : ({data}) => data.map ( tag => `<span>${tag}</span>` ).join ( ',' )
},
handshake: {
title : 'Contacts',
description : 'Contact description text',
name : { name: 'Ivan', surname: 'Petrov' },
tags : ['tag1', 'tag2', 'tag3'],
}
} // template
const fn = morph.build ( template );
let res1 = fn ( 'snippets', 'demo' )
// will return a string with the render results of all placeholders separated by '<~>' string
// `Contacts<~>Contact description text<~>Ivan Petrov<~><span>tag1</span>,<span>tag2</span>,<span>tag3</span><~>`
let res2 = fn ( 'snippets:theName', 'demo' )
// will return a string with the render result of 'name' placeholder. No delimiter because is only one placeholder
// `Ivan Petrov`
let res3 = fn ( 'snippets:theName,tagList', 'demo' )
// will return a string with the render results of 'name' and 'tags' placeholders separated by '<~>' string
// `Ivan Petrov<~><span>tag1</span>,<span>tag2</span>,<span>tag3</span>`
// snippets can be accessed also with index - starting from 0. Index mean the order of appearance of placeholders in the template.
let res4 = fn ( 'snippets:2,3', 'demo' )
// it's the same as res3. Use names or indexes according to your preferences. With indexes placeholder will not need to have a name.Curry
The curry command performs partial rendering with the provided data and returns a new render function. The new function uses the rendered output as the new template, while preserving the original helpers and handshake.
const template = morph.build({
template: 'Hello {{name}}! Welcome to {{place}}.',
helpers: { format: ({data}) => data.toUpperCase() },
handshake: { name: 'World', place: 'Earth' }
});
const curried = template('curry', { name: 'Alice' });
// curried is a new function with template 'Hello Alice! Welcome to {{place}}.'
const result = curried('render', { place: 'Mars' });
// result: 'Hello Alice! Welcome to Mars.'This allows chaining partial renders or completing with defaults using ('render', 'demo').
Set
The set command modifies the template by merging new helpers, handshake, or replacing placeholders, then returns a new render function with the changes applied.
const template = morph.build({
template: 'Hello {{name}}!',
helpers: { format: ({data}) => data.toLowerCase() },
handshake: { name: 'World' }
});
const modified = template('set', {
helpers: { format: ({data}) => data.toUpperCase() },
placeholders: { 0: '{{greeting}}' } // Replace first placeholder
});
// modified has updated helpers and template 'Hello {{greeting}}!'
const result = modified('render', { greeting: 'Hi' });
// result: 'HELLO HI!' (note: format applied to 'Hi')Experimentals
.morph File Extension
Describe Morph templates within .morph file extensions. Available after version 3.5.x. This allows you to create the template files with HTML-like syntax, CSS modules, and JavaScript helpers. During the build process, vite plugin will extract the template, helpers, and handshake data from the file, will compile it to function and will save as ES module, ready to import from other files. CSS support comes as extension of what Morph can do. Writing a Morph file that contains only CSS will be converted to CSS file. In morph files that contain mix of HTML, CSS, and JavaScript, the CSS will be converted to CSS modules.
A .morph file contains four separate sections.
The four sections are:
- Template (HTML) - The main template with Morph syntax
- Script (JavaScript) - Helper functions and logic
- Style (CSS) - CSS with automatic module scoping
- Handshake (JSON) - Demo data for testing
Example .morph file structure:
<!-- Template (HTML) -->
<div class="card">
<h2>{{ title : formatTitle }}</h2>
<p>{{ description : truncate }}</p>
<h3>Items</h3>
{{ items : ul, [], renderItem }}
<button data-click="save">Save</button>
</div>
<script>
// Place for helpers
// Function definition
function formatTitle ({ data }) {
return data.toUpperCase();
}
function truncate ({data}) {
const length = 100;
return data.length > length ? data.substring(0, length) + '...' : data;
}
// Template definition
let renderItem = `<li>{{name}}</li>`;
let ul = `<ul>{{text}}</ul>`
</script>
<style>
.card {
background: var(--card-bg, #fff);
padding: 1rem;
border-radius: 8px;
}
</style>
<script type="application/json">
// Script with type: application/json
// Handshake - Place for demo data
{
"title": "Card Title",
"description": "Card description",
"items": [
{ "name": "Item 1" },
{ "name": "Item 2" },
{ "name": "Item 3" }
]
}
</script>Get started with the official Vite plugin: GitHub Repository: vite-plugin-morph
Once configured, you can directly import .morph files in your code:
import myTemplate from './templates/my-template.morph'
// The imported template is ready to use
const result = myTemplate ( 'render', { name: 'Peter' })VSCode Extension
For better development experience with .morph files, you can install the official VSCode extension that provides syntax highlighting:
Extension Name: Morph Template Syntax Highlighting
Install directly from the VSCode Marketplace or search for "Morph Template Syntax Highlighting" in your VSCode extensions panel.
Links
Credits
'@peter.naydenov/morph' was created and supported by Peter Naydenov.
License
'@peter.naydenov/morph' is released under the MIT License.
