deno.land / x / lume@v2.1.4 / plugins / nunjucks.ts
123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368import nunjucks from "../deps/nunjucks.ts";import loader from "../core/loaders/text.ts";import { merge } from "../core/utils/object.ts";import { normalizePath, resolveInclude } from "../core/utils/path.ts";import { basename, join, posix } from "../deps/path.ts";
import type Site from "../core/site.ts";import type { Engine, Helper, HelperOptions } from "../core/renderer.ts";import type { ProxyComponents } from "../core/source.ts";
export interface Options { /** The list of extensions this plugin applies to */ extensions?: string[];
/** Optional sub-extension for page files */ pageSubExtension?: string;
/** * Custom includes path * @default `site.options.includes` */ includes?: string;
/** * Options passed to Nunjucks * @see https://mozilla.github.io/nunjucks/api.html#configure */ options?: nunjucks.ConfigureOptions;
/** Plugins loaded by Nunjucks */ plugins?: { [index: string]: nunjucks.Extension; };}
// Default optionsexport const defaults: Options = { extensions: [".njk"], options: {}, plugins: {},};
/** Template engine to render Nunjucks files */export class NunjucksEngine implements Engine { // deno-lint-ignore no-explicit-any env: any; cache = new Map(); basePath: string; includes: string;
// deno-lint-ignore no-explicit-any constructor(env: any, basePath: string, includes: string) { this.env = env; this.basePath = basePath; this.includes = includes; }
deleteCache(file: string): void { this.cache.delete(file); const filename = basename(file);
// Remove the internal cache of nunjucks // deno-lint-ignore no-explicit-any this.env.loaders.forEach((fsLoader: any) => { Object.keys(fsLoader.cache).forEach((key) => { if (key.endsWith(filename)) { delete fsLoader.cache[key]; } }); }); }
render( content: string, data?: Record<string, unknown>, filename?: string, ): Promise<string> { if (!filename) { return new Promise((resolve, reject) => { this.env.renderString(content, data, (err: Error, result: string) => { if (err) { reject(err); } else { resolve(result); } }); }); }
const template = this.getTemplate(content, filename);
return new Promise((resolve, reject) => { template.render(data, (err: unknown, result: string) => { if (err) { reject(err); } else { resolve(result); } }); }); }
renderComponent( content: string, data?: Record<string, unknown>, filename?: string, ): string { if (!filename) { return this.env.renderString(content, data); }
const template = this.getTemplate(content, filename); return template.render(data); }
getTemplate(content: string, filename: string) { if (!this.cache.has(filename)) { this.cache.set( filename, // @ts-ignore: The type definition of nunjucks is wrong nunjucks.compile(content, this.env, join(this.basePath, filename)), ); }
return this.cache.get(filename)!; }
addHelper(name: string, fn: Helper, options: HelperOptions) { switch (options.type) { case "tag": { const tag = createCustomTag(name, fn, options); this.env.addExtension(name, tag); return; }
case "filter": if (options.async) { const filter = createAsyncFilter(fn); this.env.addFilter(name, filter, true); return; }
// deno-lint-ignore no-explicit-any this.env.addFilter(name, function (this: any, ...args: unknown[]) { return fn.apply({ data: this.ctx }, args); }); } }}
class LumeLoader extends nunjucks.Loader implements nunjucks.ILoaderAsync { includes: string;
constructor(private site: Site, includes: string) { super(); this.includes = includes; }
async: true = true;
getSource( id: string, callback: nunjucks.Callback<Error, nunjucks.LoaderSource>, ) { const rootToRemove = this.site.src(); let path = normalizePath(id, rootToRemove);
if (path === normalizePath(id)) { path = resolveInclude(id, this.includes, undefined, rootToRemove); }
this.site.getContent(path, loader).then((content) => { if (content) { callback(null, { src: content as string, path, noCache: false, }); return; }
callback(new Error(`Could not load ${path}`), null); }); }
resolve(from: string, to: string): string { return posix.join(posix.dirname(from), to); }}
/** Register the plugin to use Nunjucks as a template engine */export default function (userOptions?: Options) { return (site: Site) => { const options = merge( { ...defaults, includes: site.options.includes }, userOptions, );
const env = new nunjucks.Environment( [new LumeLoader(site, options.includes)], options.options, );
for (const [name, fn] of Object.entries(options.plugins)) { env.addExtension(name, fn); }
site.hooks.addNunjucksPlugin = (name, fn) => { env.addExtension(name, fn); };
const engine = new NunjucksEngine(env, site.src(), options.includes);
// Ignore includes folder if (options.includes) { site.ignore(options.includes); }
// Load the pages and register the engine site.loadPages(options.extensions, { loader, engine, pageSubExtension: options.pageSubExtension, });
// Register the njk filter site.filter("njk", filter, true);
// Register the component helper engine.addHelper("comp", (...args) => { const components = site.source.data.get("/") ?.[site.options.components.variable] as | ProxyComponents | undefined; const [content, name, options = {}] = args; delete options.__keywords; const props = { content, ...options };
if (!components) { throw new Error(`Component "${name}" not found`); }
const names = name.split(".") as string[]; let component: ProxyComponents | undefined = components;
while (names.length) { try { // @ts-ignore: `component` is defined or throw an error component = component[names.shift()]; } catch { throw new Error(`Component "${name}" not found`); } }
if (typeof component === "function") { return component(props); }
throw new Error(`Component "${name}" not found`); }, { type: "tag", body: true, });
function filter( string: string, data?: Record<string, unknown>, ): Promise<string> { return engine.render(string, { ...site.scopedData.get("/"), ...data }); } };}
/** * Create an asynchronous filter * by to adapting the Promise-based functions to callbacks used by Nunjucks * https://mozilla.github.io/nunjucks/api.html#custom-filters */function createAsyncFilter(fn: Helper) { // deno-lint-ignore no-explicit-any return async function (this: any, ...args: unknown[]) { const cb = args.pop() as (err: unknown, result?: unknown) => void;
try { const result = await fn.apply({ data: this.ctx }, args); cb(null, result); } catch (err) { cb(err); } };}
/** * Create a tag extension * https://mozilla.github.io/nunjucks/api.html#custom-tags * * @param name The tag name * @param fn The function to render this tag * @param options The options to configure this tag */function createCustomTag(name: string, fn: Helper, options: HelperOptions) { const tagExtension = { tags: [name], // @ts-ignore: There's no types for Nunjucks parse(parser, nodes) { const token = parser.nextToken(); const args = parser.parseSignature(null, true); parser.advanceAfterBlockEnd(token.value);
const extraArgs = [];
if (options.body) { const body = parser.parseUntilBlocks(`end${name}`); extraArgs.push(body); parser.advanceAfterBlockEnd(); }
if (options.async) { return new nodes.CallExtensionAsync( tagExtension, "run", args, extraArgs, ); }
return new nodes.CallExtension(tagExtension, "run", args, extraArgs); },
// deno-lint-ignore no-explicit-any run(context: any, ...args: any[]) { if (options.body) { const [body] = args.splice( options.async ? args.length - 2 : args.length - 1, 1, ); args.unshift(body()); }
if (!options.async) { const string = fn.apply({ data: context.ctx }, args); return new nunjucks.runtime.SafeString(string); }
const callback = args.pop();
(fn.apply({ data: context.ctx }, args) as Promise<string>).then( (string: string) => { const result = new nunjucks.runtime.SafeString(string); callback(null, result); }, ); }, };
return tagExtension;}
/** Extends Helpers interface */declare global { namespace Lume { export interface Helpers { /** @see https://lume.land/plugins/nunjucks/ */ njk: (string: string, data?: Record<string, unknown>) => Promise<string>; } }}
Version Info