Skip to content

Commit

Permalink
Merge pull request #244 from getnikola/localkatex
Browse files Browse the repository at this point in the history
Add localkatex plugin for local rendering of KaTeX math
  • Loading branch information
Kwpolska committed Aug 1, 2017
2 parents 67dffe0 + 9f21fea commit 174c6ff
Show file tree
Hide file tree
Showing 8 changed files with 202 additions and 0 deletions.
1 change: 1 addition & 0 deletions v7/localkatex/.gitignore
@@ -0,0 +1 @@
node_modules
27 changes: 27 additions & 0 deletions v7/localkatex/README.md
@@ -0,0 +1,27 @@
A plugin that renders math using a local KaTeX install.

## Requirements

* node.js installed, in $PATH, accessible as the `node` command
* KaTeX accessible by Node (run `npm install` in this plugin’s folder)
* `USE_KATEX = True` in config

You may also edit `math_helper.tmpl` to remove the KaTeX JavaScript includes
(which are now unused).

## Examples:

Inline:

Euler’s formula: {{% lmath %}}e^{ix} = \cos x + i\sin x{{% /lmath %}}

Display:

{{% lmath display=true %}}\int \frac{dx}{1+ax}=\frac{1}{a}\ln(1+ax)+C{{% /lmath %}}
{{% lmathd %}}\int \frac{dx}{1+ax}=\frac{1}{a}\ln(1+ax)+C{{% /lmathd %}}

Alternate name:

{{% localkatex %}}e^{ix} = \cos x + i\sin x{{% /localkatex %}}

The following options are supported: `displayMode`, `display` (alias), `throwOnError`, `errorColor`, `colorIsTextColor` — see [KaTeX docs](https://github.com/Khan/KaTeX#rendering-options) for details.
4 changes: 4 additions & 0 deletions v7/localkatex/conf.py.sample
@@ -0,0 +1,4 @@
# Enable KaTeX styles
USE_KATEX = True

# Make sure you run `npm install` in this plugin’s directory.
52 changes: 52 additions & 0 deletions v7/localkatex/localkatex.js
@@ -0,0 +1,52 @@
/*
* Copyright © 2017, Chris Warrick.
*
* Permission is hereby granted, free of charge, to any
* person obtaining a copy of this software and associated
* documentation files (the "Software"), to deal in the
* Software without restriction, including without limitation
* the rights to use, copy, modify, merge, publish,
* distribute, sublicense, and/or sell copies of the
* Software, and to permit persons to whom the Software is
* furnished to do so, subject to the following conditions:
*
* The above copyright notice and this permission notice
* shall be included in all copies or substantial portions of
* the Software.
*
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY
* KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE
* WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR
* PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS
* OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR
* OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
* OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE
* SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
*/

'use strict';

let readline;
let katex;

try {
readline = require('readline');
katex = require('katex');
} catch (e) {
console.log(JSON.stringify({"input": null, "output": null, "success": false}));
process.exit(1);
}

const rl = readline.createInterface({
input: process.stdin,
});

rl.on('line', (line) => {
let j = JSON.parse(line);
try {
let html = katex.renderToString(j["math"], j["options"]);
console.log(JSON.stringify({"input": j["math"], "output": html, "success": true}));
} catch (e) {
console.log(JSON.stringify({"input": j["math"], "output": e.toString(), "success": false}));
}
});
12 changes: 12 additions & 0 deletions v7/localkatex/localkatex.plugin
@@ -0,0 +1,12 @@
[Core]
Name = localkatex
Module = localkatex

[Nikola]
PluginCategory = ShortcodePlugin

[Documentation]
Author = Chris Warrick
Version = 0.1.0
Website = https://chriswarrick.com/
Description = Render math using KaTeX while building the site
84 changes: 84 additions & 0 deletions v7/localkatex/localkatex.py
@@ -0,0 +1,84 @@
# -*- coding: utf-8 -*-

# Copyright © 2017, Chris Warrick.

# Permission is hereby granted, free of charge, to any
# person obtaining a copy of this software and associated
# documentation files (the "Software"), to deal in the
# Software without restriction, including without limitation
# the rights to use, copy, modify, merge, publish,
# distribute, sublicense, and/or sell copies of the
# Software, and to permit persons to whom the Software is
# furnished to do so, subject to the following conditions:
#
# The above copyright notice and this permission notice
# shall be included in all copies or substantial portions of
# the Software.
#
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY
# KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE
# WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR
# PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS
# OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR
# OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
# OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE
# SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.

from __future__ import unicode_literals
import subprocess
import json
import os.path

from nikola.plugin_categories import ShortcodePlugin
from nikola import utils

jspath = os.path.join(os.path.split(__file__)[0], 'localkatex.js')


class LocalKatex(ShortcodePlugin):
"""Render math using KaTeX while building the site."""

name = 'localkatex'
_options_available = {'displayMode': bool, 'throwOnError': bool, 'errorColor': str, 'colorIsTextColor': bool}
logger = None

def set_site(self, site):
"""Set Nikola site."""
site.register_shortcode('lmath', self.handler)
site.register_shortcode('lmathd', self.handler_display)
self.logger = utils.get_logger('localkatex')
return super(LocalKatex, self).set_site(site)

@staticmethod
def _str_to_bool(v):
return v.lower() not in ('false', 'no', 'f', 'n')

def handler(self, site, lang, post, data, **options):
"""Render math."""
p = subprocess.Popen(['node', jspath], stdin=subprocess.PIPE, stdout=subprocess.PIPE)

if 'display' in options:
options['displayMode'] = options['display']
del options['display']

for k, v in options.items():
if k in self._options_available and self._options_available[k] == bool:
options[k] = self._str_to_bool(v)
elif k not in self._options_available:
raise ValueError("Unknown KaTeX option {0}={1}".format(k, v))

json_input = json.dumps({'math': data, 'options': options}).encode('utf-8')
stdout, stderr = p.communicate(json_input)
output = json.loads(stdout.decode('utf-8').strip())
if output['success']:
return output['output']
else:
if output['input'] is None and output['output'] is None:
raise Exception("Cannot import KaTeX. Did you run npm install?")
else:
self.logger.error("In expression {0}: {1}".format(data, output['output']))
return '<span class="problematic"><strong>In expression <code>{0}</code>:</strong> {1}</span>'.format(data, output['output'])

def handler_display(self, site, lang, post, data, **options):
"""Render math in display mode."""
return self.handler(site, lang, post, data, displayMode='true', **options)
19 changes: 19 additions & 0 deletions v7/localkatex/package-lock.json

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

3 changes: 3 additions & 0 deletions v7/localkatex/package.json
@@ -0,0 +1,3 @@
{
"dependencies": "katex"
}

0 comments on commit 174c6ff

Please sign in to comment.