Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How can I escape LaTeX special characters inside django templates?

I have this django template which I use to generate LaTeX files

\documentclass[11pt]{report}

\begin{document}
\begin{table}
    \centering
    \begin{tabular}{lcr}
    \hline
    {% for col in head %}
        \textbf{ {{col}} }
        {% if not forloop.last %}
           &
        {% endif %}
    {% endfor %} 
    \\
    \hline
    {% for row in table %}
        {% for cell in row %}

            {% if not forloop.last %} 
               &
            {% endif %}
        {% endfor %}
        \\
    {% endfor %}
    \hline
    \end{tabular}
    \caption{Simple Phonebook}
    \label{tab:phonebook}
\end{table}

\end{document}

But my no of columns are very large so they can contain any special characters in them. I am getting error while generating pdf file.

How can I escape all the text in all columns?

like image 655
user196264097 Avatar asked Apr 28 '13 05:04

user196264097


2 Answers

Alex's answer including suggestions in code, if you want to copy-paste:

import re

def tex_escape(text):
    """
        :param text: a plain text message
        :return: the message escaped to appear correctly in LaTeX
    """
    conv = {
        '&': r'\&',
        '%': r'\%',
        '$': r'\$',
        '#': r'\#',
        '_': r'\_',
        '{': r'\{',
        '}': r'\}',
        '~': r'\textasciitilde{}',
        '^': r'\^{}',
        '\\': r'\textbackslash{}',
        '<': r'\textless{}',
        '>': r'\textgreater{}',
    }
    regex = re.compile('|'.join(re.escape(str(key)) for key in sorted(conv.keys(), key = lambda item: - len(item))))
    return regex.sub(lambda match: conv[match.group()], text)

See Easiest way to replace a string using a dictionary of replacements? for replacement approach.

like image 56
Mark Avatar answered Sep 20 '22 02:09

Mark


Something like this should do:

CHARS = {
    '&':  r'\&',
    '%':  r'\%', 
    '$':  r'\$', 
    '#':  r'\#', 
    '_':  r'\letterunderscore{}', 
    '{':  r'\letteropenbrace{}', 
    '}':  r'\letterclosebrace{}',
    '~':  r'\lettertilde{}', 
    '^':  r'\letterhat{}', 
    '\\': r'\letterbackslash{}',
}

print("".join([CHARS.get(char, char) for char in "&%$#_{}~^\\"]))

Create you own template filter to filter your variables

[edit]:

This was the special characters for ConText, for LaTex, adapt with:

\& \% \$ \# \_ \{ \} \textasciitilde{} \^{} \textbackslash{}
like image 5
Alex Avatar answered Sep 21 '22 02:09

Alex