A traceable LaTeX flattener
Project description
flachtex
Tools (e.g. cktex, YaLafi, TeXtidote) for analyzing LaTeX-documents often only work on single files, making them tedious to use for complex documents. The purpose of flachtex is to preprocess even complicated LaTeX-documents such that they can be easily analyzed as a single document. The important part is that it also provides a data structure to reverse that process and get the origin of a specific part (allowing to trace issues back to their source). While there are other tools to flatten LaTeX, they all are neither capable of dealing with complex imports nor do they allow you to trace back to the origins.
Notable features of flachtex are:
- Flattening of LaTeX-documents with various rules (
\include,\input,\subimport,%%FLACHTEX-EXPLICIT-IMPORT[path/to/file]...). - Any character in the output can be traced back to its origin.
- Diff-friendly formatter for version control (one sentence per line, environment indentation).
- Remove comments.
- Remove
\todo{...}. - Remove highlights of
\usepackage{changes}. (This substitution is actually more robust than the one supplied with the package.) - Substitute commands defined by
\newcommand. - A modular design that allows to add additional rules.
Installation
flachtex is available via pip: pip install flachtex.
Example
Let us look on a quick example that shows the power of the tool. We have a LaTeX-document consisting of three files.
main.tex
\documentclass{article}
\usepackage[utf8]{inputenc}
\usepackage{amsmath,amssymb,amsfonts,amsthm}
\usepackage{todonotes}
\usepackage{xspace}
\newcommand{\importantterm}{\emph{ImportantTerm}\xspace}
%%FLACHTEX-EXCLUDE-START
Technicalities (e.g., configuration of Journal-template) that we want to exclude.
%%FLACHTEX-EXCLUDE-STOP
\begin{document}
\section{Introduction}
\todo[inline]{This TODO will not be shown because we don't want to analyze it.}
Let us use \importantterm here.
% including part_a with 'input' and without extension
\input{./part_a}
% including part_b with 'include' and with extension
\include{./part_b.tex}
\end{document}
part_a.tex
\subsection{Part A}
This is Part A. We can also use \importantterm here.
part_b.tex
\subsection{Part B}
And Part B.
flachtex can create the following output for us that is much easier to analyze.
\documentclass{article}
\usepackage[utf8]{inputenc}
\usepackage{amsmath,amssymb,amsfonts,amsthm}
\usepackage{todonotes}
\usepackage{xspace}
\newcommand{\importantterm}{\emph{ImportantTerm}\xspace}
\begin{document}
\section{Introduction}
Let us use \emph{ImportantTerm}\xspace here.
\subsection{Part A}
This is Part A. We can also use \emph{ImportantTerm}\xspace here.
\subsection{Part B}
And Part B.
\end{document}
(currently, flachtex will actually add some redundant empty lines, but those usually do no harm and could be easily eliminated by some simple postprocessing.)
Usage
CLI
flachtex provides a comprehensive command-line interface for flattening, formatting, and preprocessing LaTeX documents.
Quick Start:
# Basic flattening (multi-file → single file)
flachtex main.tex > output.tex
# Format for version control (recommended)
flachtex --format --indent 2 main.tex > output.tex
# Clean for submission (remove comments, TODOs)
flachtex --comments --todos main.tex > submission.tex
Common Workflows:
# arXiv submission (flatten only)
flachtex main.tex > arxiv_submission.tex
# Journal submission (flatten + clean)
flachtex --comments --todos main.tex > journal_submission.tex
# Version control (format without flattening)
flachtex --no-expand --format --indent 2 main.tex
# Full pipeline (flatten, format, clean)
flachtex --format --indent 2 --comments --todos main.tex > clean.tex
Available Options:
Run flachtex --help for full documentation. Key option groups:
- Processing:
--no-expand,--newcommand,--changes - Filtering:
--comments,--todos - Formatting:
--format,--indent N - Output:
--to_json,--attach
See docs/formatter.md for complete formatter documentation.
Python
from flachtex import Preprocessor, remove_comments
from flachtex.rules import TodonotesRule
# basic usage
preprocessor = Preprocessor("/path/to/latex_document/")
preprocessor.skip_rules.append(TodonotesRule()) # remove todos
doc = preprocessor.expand_file("main.tex")
# remove the comments (optional)
doc = remove_comments(doc)
# The document can be read as a string (but contains also further information)
print(f"The process LaTeX-document is {doc}")
# Get the used files
for f, data in preprocessor.structure.items():
print(
f"Used file {f} which contains the content '{data['content']}' and includes"
f" the files {data['includes']}."
)
# query origin
origin_file, pos = doc.get_origin_of_line(line=3, col=6)
print(
f"The seventh character of the fourth line origins from file {origin_file}:{pos}."
)
origin_file, pos = doc.get_origin(5)
print(f"The sixth character origins from file {origin_file}:{pos}.")
Features
Diff-Friendly Formatter
flachtex includes an optional formatter that makes LaTeX documents more suitable for version control:
One sentence per line:
- Splits text at sentence boundaries (periods, question marks, exclamation marks)
- Intelligently handles abbreviations (Dr., et al., i.e., etc.)
- Preserves decimal numbers (3.14)
- Keeps comments with their sentences
Environment indentation:
- Configurable indentation (default: 2 spaces)
- Progressive indentation for nested environments
- Excludes verbatim-like environments (verbatim, lstlisting, minted)
- Document-level environments (document, abstract) don't cause indentation
Blank line normalization:
- Reduces excessive blank lines (3+) to one blank line
- Removes leading/trailing blank lines
- Preserves paragraph structure
Two main use cases:
-
Format only (without flattening):
flachtex --no-expand --format --indent 2 main.tex
Keeps
\inputcommands intact, formats a single file. -
Full pipeline (flattening + formatting):
flachtex --format --indent 2 main.tex
Expands all includes, then formats the result.
See docs/formatter.md for detailed documentation.
Protection Markers
flachtex provides four types of comment-based markers to control processing:
| Marker | Purpose | Use Case |
|---|---|---|
%%FLACHTEX-EXCLUDE-START/STOP |
Remove content from output | Draft notes, WIP sections, supplementary material |
%%FLACHTEX-UNCOMMENT-START/STOP |
Activate commented content | Path fixes, version swapping, conditional content |
%%FLACHTEX-RAW-START/STOP |
Bypass ALL preprocessing | Complex \newcommand definitions |
%%FLACHTEX-NO-FORMAT-START/STOP |
Skip formatting only | Manually formatted tables, equations |
Examples:
% Exclude work-in-progress sections
%%FLACHTEX-EXCLUDE-START
\section{Future Work}
This section is incomplete.
%%FLACHTEX-EXCLUDE-STOP
% Activate alternative content (e.g., fix paths after flattening)
%%FLACHTEX-EXCLUDE-START
\graphicspath{{chapters/figures/}} % Multi-file version
%%FLACHTEX-EXCLUDE-STOP
%%FLACHTEX-UNCOMMENT-START
% \graphicspath{{figures/}} % Flattened version
%%FLACHTEX-UNCOMMENT-STOP
% Protect complex macros
%%FLACHTEX-RAW-START
\newcommand{\mycite}[2]{\cite{#1}\footnote{#2}}
%%FLACHTEX-RAW-STOP
% Preserve table formatting
%%FLACHTEX-NO-FORMAT-START
\begin{tabular}{lrr}
Method & Acc & Time \\
Baseline & 87\% & 10s \\
\end{tabular}
%%FLACHTEX-NO-FORMAT-STOP
% Combine UNCOMMENT with RAW for version-specific complex macros
%%FLACHTEX-UNCOMMENT-START
% %%FLACHTEX-RAW-START
% \newcommand{\complexmacro}[2]{#1 and #2} % Protected from preprocessing
% %%FLACHTEX-RAW-STOP
%%FLACHTEX-UNCOMMENT-STOP
Iterative Processing: RAW extraction and UNCOMMENT processing happen in a loop, allowing UNCOMMENT to reveal RAW blocks. This enables version swapping where alternative versions include RAW-protected complex macros.
📘 Complete tested examples:
tests/test_examples.py- 10 real-world examples (multi-file flattening, arXiv/journal workflows)tests/test_uncomment.py- 17 comprehensive UNCOMMENT tests (path fixing, version swapping, grammar checker support)tests/test_raw_recursive.py- 9 iterative processing tests (UNCOMMENT revealing RAW blocks, nested processing)
Run pytest tests/test_examples.py tests/test_uncomment.py tests/test_raw_recursive.py -v to verify all examples work.
Flatten LaTeX-documents
Currently, flachtex supports file inclusions of the following form:
% native includes/inputs
\include{path/file.tex}
\input{path/file.tex}
% subimport
\subimport{path}{file}
\subimport*{path}{file}
% manual import
%%FLACHTEX-EXPLICIT-IMPORT[path/to/file]
%%FLACHTEX-EXCLUDE-START
Complex import logic that cannot be parsed by flachtex.
%%FLACHTEX-EXCLUDE-STOP
Path Resolution
flachtex will first try to resolve the inclusion relative to the calling file. If no file is found (also trying with additional ".tex"), it tries the document folder (cwd) and the folder of the root tex-file. Afterwards, it tries the parent directories.
If this is not sufficient, try to use the
%%FLACHTEX-EXPLICIT-IMPORT[path/file.tex] option.
Extending the tool
flachtex has a modular structure that allows it to receive additional rules or replace existing ones. You can find the current rules in ./flachtex/rules.
It is important that the matches do not overlap for SkipRules and ImportRules. For efficiency, flachtex will first find the matches and only then includes the files. Overlapping matches would need a complex resolution and my result in unexpected output. (It would not be too difficult to add some simple resolution rules instead of simply throwing an exception).
Usage for cleaning 'changes' of '\usepackage{changes}'
The changes-package is helpful for highlighting the changes, which is a good practice, e.g., when writing journal papers (which usually have to go through one or two reviewing iterations). These can of course disturb automatic language checkers and they have to be removed in the end. The script that is attached to the original package unfortunately is not compatible with some usages (e.g., comments can lead it astray). flachtex is capable of removing the highlights done with changes in a robust way. There are some nasty ways to trick it, but if you use brackets, it should work fine and independent of escaped symbols, comments, or line breaks.
Substitution of \newcommand
It is reasonably common to create your own commands with `\newcommand', e.g., for some terms which you may want to change later. If you want to analyze the tex-document, this can become cumbersome. Thus, flachtex gives you the option to automatically substitute such commands.
The primary reason I added this functionality to this tool (and not some higher level tool) is that I also saw that some people define their own \input/\include commands, which could not be imported easily without this feature.
Changelog
- 1.0.0 Major release with UNCOMMENT markers and iterative processing
- Added
%%FLACHTEX-UNCOMMENT-START/STOPmarkers to activate commented content - Implemented iterative RAW/UNCOMMENT processing (UNCOMMENT can reveal RAW blocks)
- Improved CLI interface with organized argument groups and comprehensive examples
- Fixed blank line normalization after comment removal
- Added 29 new tests (17 UNCOMMENT tests + 12 recursive tests)
- Enhanced documentation with complete tested examples
- Added
- 0.7.0 Adding formatter
- 0.6.0 Significant refactoring.
- 0.5.0 Now will only replace
\inputand\includecommands for which the file exists. Otherwise, it will leave the command as is. This allows you to use\inputand\includecommands for files that are not part of the document, e.g., for some automatically generated files. - 0.4.0 Support for the
commentspackage. - 0.3.15 Fixes Issue #8
- 0.3.14 Bugfix by Nutron2112
- 0.3.13 improves robustness of command parsing (of potentially faulty LaTeX code)
- 0.3.12 Made parsing of non utf-8 encodings more robust. Some templates you get have very strange file encodings. You don't always convert them manually to utf-8.
- 0.3.11
newcommandshould work reliably with multiple arguments now (hopefully). - 0.3.10 Support for
newcommand*substitution - 0.3.9: PEP compliance which may have created problems in environments without setuptools
- 0.3.8: Substituting newcommands is no longer enabled by default.
- 0.3.7: Versions got slightly mixed up. Should be fixed now.
- 0.3.6 bugfix: Using findall instead of finditer.
- 0.3.4 Dealing with
\xspacein command substitution. - 0.3.3
FileFindernow has a default and allows to set a new root.- Command substitution for commands without parameters made more accurate.
from_jsonforTraceableString
This tool is still work in progress.
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
Filter files by name, interpreter, ABI, and platform.
If you're not sure about the file name format, learn more about wheel file names.
Copy a direct link to the current filters
File details
Details for the file flachtex-1.0.0.tar.gz.
File metadata
- Download URL: flachtex-1.0.0.tar.gz
- Upload date:
- Size: 93.0 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
5f8f190148e7011f0aea1d2a45c9dd48094b90d1fabe3165eb03b96b59deb709
|
|
| MD5 |
f6268c9fc15a008b63c617c7ab235665
|
|
| BLAKE2b-256 |
b50a51225f0809910ae14d8bcf581a48ae13a5a7cd2032d7127971254ce4c937
|
File details
Details for the file flachtex-1.0.0-py3-none-any.whl.
File metadata
- Download URL: flachtex-1.0.0-py3-none-any.whl
- Upload date:
- Size: 43.4 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.1.0 CPython/3.13.7
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
0a3b7c53d8159eccb9714f52f44fb67cbce1d161585499321573a96ac699f496
|
|
| MD5 |
75b00813b75030455219fb6b74003012
|
|
| BLAKE2b-256 |
d09767a9dfe3f685ee73987d9f9dfdc77632570a3daad7b74e15ffc460e5bb84
|