insomnia/app/common/render.js

146 lines
3.8 KiB
JavaScript
Raw Normal View History

import nunjucks from 'nunjucks';
import traverse from 'traverse';
import uuid from 'node-uuid';
2016-11-10 05:56:23 +00:00
import * as models from '../models';
import {getBasicAuthHeader, hasAuthHeader, setDefaultProtocol} from './misc';
2016-11-10 01:15:27 +00:00
import * as db from './database';
2016-04-15 02:13:49 +00:00
const nunjucksEnvironment = nunjucks.configure({
2016-07-20 21:15:11 +00:00
autoescape: false
});
2016-04-10 02:58:48 +00:00
class NoArgsExtension {
parse (parser, nodes, lexer) {
const args = parser.parseSignature(null, true);
parser.skip(lexer.TOKEN_BLOCK_END);
return new nodes.CallExtension(this, 'run', args);
}
}
2016-11-10 09:00:29 +00:00
// class ArgsExtension {
// parse (parser, nodes, lexer) {
// const tok = parser.nextToken();
// const args = parser.parseSignature(null, true);
// parser.advanceAfterBlockEnd(tok.value);
// return new nodes.CallExtension(this, 'run', args);
// }
// }
class TimestampExtension extends NoArgsExtension {
constructor () {
super();
this.tags = ['timestamp'];
}
run (context) {
return Date.now();
}
}
class UuidExtension extends NoArgsExtension {
constructor () {
super();
this.tags = ['uuid'];
}
run (context) {
return uuid.v4();
}
}
nunjucksEnvironment.addExtension('uuid', new UuidExtension());
nunjucksEnvironment.addExtension('timestamp', new TimestampExtension());
export function render (template, context = {}) {
try {
return nunjucksEnvironment.renderString(template, context);
} catch (e) {
throw new Error(e.message.replace(/\(unknown path\)\s*/, ''));
}
}
export function buildRenderContext (ancestors, rootEnvironment, subEnvironment) {
const renderContext = {};
if (rootEnvironment) {
Object.assign(renderContext, rootEnvironment.data);
}
if (subEnvironment) {
Object.assign(renderContext, subEnvironment.data);
}
if (!Array.isArray(ancestors)) {
ancestors = [];
}
for (let doc of ancestors) {
if (!doc.environment) {
continue;
}
Object.assign(renderContext, doc.environment);
}
2016-09-12 21:16:55 +00:00
// Now we're going to render the renderContext with itself.
// This is to support templating inside environments
const stringifiedEnvironment = JSON.stringify(renderContext);
return JSON.parse(
render(stringifiedEnvironment, renderContext)
)
}
export function recursiveRender (obj, context) {
// Make a copy so no one gets mad :)
2016-09-06 16:14:48 +00:00
const newObj = traverse.clone(obj);
try {
traverse(newObj).forEach(function (x) {
if (typeof x === 'string') {
const str = render(x, context);
this.update(str);
}
});
} catch (e) {
// Failed to render Request
throw new Error(`Render Failed: "${e.message}"`);
}
return newObj;
}
2016-08-15 22:31:30 +00:00
export async function getRenderedRequest (request, environmentId) {
Sync Proof of Concept (#33) * Maybe working POC * Change to use remote url * Other URL too * Some logic * Got the push part working * Made some updates * Fix * Update * Add status code check * Stuff * Implemented new sync api * A bit more robust * Debounce changes * Change timeout * Some fixes * Remove .less * Better error handling * Fix base url * Support for created vs updated docs * Try silent * Silence removal too * Small fix after merge * Fix test * Stuff * Implement key generation algorithm * Tidy * stuff * A bunch of stuff for the new API * Integrated the session stuff * Stuff * Just started on encryption * Lots of updates to encryption * Finished createResourceGroup function * Full encryption/decryption working (I think) * Encrypt localstorage with sessionID * Some more * Some extra checks * Now uses separate DB. Still needs to be simplified a LOT * Fix deletion bug * Fixed unicode bug with encryption * Simplified and working * A bunch of polish * Some stuff * Removed some workspace meta properties * Migrated a few more meta properties * Small changes * Fix body scrolling and url cursor jumping * Removed duplication of webpack port * Remove workspaces reduces * Some small fixes * Added sync modal and opt-in setting * Good start to sync flow * Refactored modal footer css * Update sync status * Sync logger * A bit better logging * Fixed a bunch of sync-related bugs * Fixed signup form button * Gravatar component * Split sync modal into tabs * Tidying * Some more error handling * start sending 'user agent * Login/signup error handling * Use real UUIDs * Fixed tests * Remove unused function * Some extra checks * Moved cloud sync setting to about page * Some small changes * Some things
2016-10-21 17:20:36 +00:00
const ancestors = await db.withAncestors(request);
2016-11-10 01:15:27 +00:00
const workspace = ancestors.find(doc => doc.type === models.workspace.type);
2016-11-10 01:15:27 +00:00
const rootEnvironment = await models.environment.getOrCreateForWorkspace(workspace);
const subEnvironment = await models.environment.getById(environmentId);
const cookieJar = await models.cookieJar.getOrCreateForWorkspace(workspace);
// Generate the context we need to render
const renderContext = buildRenderContext(
ancestors,
rootEnvironment,
subEnvironment
);
// Render all request properties
const renderedRequest = recursiveRender(request, renderContext);
// Default the proto if it doesn't exist
renderedRequest.url = setDefaultProtocol(renderedRequest.url);
// Add the yummy cookies
renderedRequest.cookieJar = cookieJar;
// Add authentication
const missingAuthHeader = !hasAuthHeader(renderedRequest.headers);
if (missingAuthHeader && renderedRequest.authentication.username) {
const {username, password} = renderedRequest.authentication;
const header = getBasicAuthHeader(username, password);
renderedRequest.headers.push(header);
}
return renderedRequest;
}