Andrew T. Biehl

Syntax highlight your Jekyll site with Tree-sitter!

2022-11-11 Update: This concept is now a plugin! Now there’s no need to DIY; instead visit github.com/andrewtbiehl/kramdown-syntax_tree_sitter and follow a few steps to integrate the plugin into your Jekyll project.

Dear fellow developer: when was the last time you took a good hard look at your syntax highlighter? If you’re like me, you probably never noticed that your average syntax highlighter likely fails to do its one job all that well. All this changed for me, however, when I discovered Tree-sitter, the open-source parser and syntax highlighter of the future:

class ListNode {
  private value: string;
  private next: ListNode | null;

  constructor(value: string, next?: ListNode) {
    this.value = value;
    this.next = next ?? null;
  }

  getValue() : string {
    return this.value;
  }

  getNext() : ListNode | null {
    return this.next;
  }
}

function commaSeparate(head: ListNode | null) : string {
  let values = [];
  while (head != null) {
    values.push(head.getValue());
    head = head.getNext();
  }
  return values.join(", ");
}
class ListNode {
  private value: string;
  private next: ListNode | null;

  constructor(value: string, next?: ListNode) {
    this.value = value;
    this.next = next ?? null;
  }

  getValue() : string {
    return this.value;
  }

  getNext() : ListNode | null {
    return this.next;
  }
}

function commaSeparate(head: ListNode | null) : string {
  let values = [];
  while (head != null) {
    values.push(head.getValue());
    head = head.getNext();
  }
  return values.join(", ");
}
Click the tabs to toggle between highlighters.

Now, like any good consumer, as soon as I learn of some fancy new product, I won’t be satisfied until I’m clutching one of my own – and Tree-sitter was certainly no exception to this. Soon after learning of this better alternative, I resolved that my own Jekyll site deserved nothing but the best code highlighting available. I decided that I’d spend “a few hours” replacing Jekyll’s default syntax highlighter with the new hotness so that my readers and I could reap the benefits of a modern code browsing experience. After all, I thought to myself, how hard could it be to integrate Tree-sitter into Jekyll?

Multiple weeks, hundreds of compiler errors, and one newly learned programming language later, I am relieved to announce that I got it working! And now I’m here to share my experience with you, so that you may get it working on your site too. What’s more, you probably won’t even have to pull out your hair in the process! I’ve already done enough of that for both of us.

What’s a Jekyll? What’s a Tree-sitter?

Before I get to the how, I’ll pause to briefly reiterate the what.

The inspiration for the project underlying this post was the particularly intriguing claim that Tree-sitter outperforms many established tools at the task of syntax highlighting. Reputedly, most general-purpose syntax highlighters rely on “regex-based systems”1 to parse code, even though no practical programming languages are regular (that is, expressible by classical regular expressions). In other words, most existing syntax highlighters are fundamentally incapable of comprehensively parsing the very languages they highlight, a deficiency that Tree-sitter fortunately avoids.

Hence my goal was to integrate Tree-sitter into Jekyll and thereby enable better syntax highlighting on this site. After much trial and error, I did eventually succeed in doing this. The following walkthrough explains how.

How to use Tree-sitter with Jekyll

After evaluating several potential methods for interoperating with Tree-sitter through Jekyll, I eventually settled on the following approach: create a local Rust package (“crate”) that serves as an adapter for the Tree-sitter highlight library. Next, use a Ruby to Rust binding library (namely, Rutie) to enable a custom Jekyll plugin to invoke the adapter during the site build process. It’s a bit involved, but this approach met many personal requirements that I will explain after the walkthrough.

To follow along, you’ll of course need Jekyll and its prerequisites installed and a Jekyll site to modify. In the unlikely event that you’re still reading this despite lacking a Jekyll site, you can create one by following Jekyll’s quick start guide. Presumably, portions of this method can also be adapted for other static site generators, if you’re so inclined. Some Rust programming is also involved, so a basic Rust installation is also required. Information on installing Rust can be found on the Rust website.

Using Jekyll plugins to customize syntax highlighting

The first step is to create a custom highlighter that will interface with Jekyll. Fortunately for us, Jekyll’s plugin system provides everything we need to do this. Jekyll plugins are essentially arbitrary Ruby scripts that reside in the _plugins directory of a Jekyll project, so create that directory in the root of your project if it doesn’t already exist. Next, add the following plugin to that directory, for example under the filename custom_highlighter.rb:

require 'kramdown'

module Kramdown
  module Converter
    module SyntaxHighlighter
      # A "highlighter" that does not actually highlight code.
      #
      # Escapes the code so that it can be safely inserted into HTML text.
      module NoHighlight
        def self.call(converter, text, _, type, _)
          output = converter.escape_html text
          # Code blocks are additionally wrapped in HTML code tags
          type == :block ? "<pre><code>#{output}</code></pre>" : output
        end
      end
    end
  end
end

Kramdown::Converter.add_syntax_highlighter(
  :no_highlight,
  Kramdown::Converter::SyntaxHighlighter::NoHighlight
)

This script creates a new custom syntax highlighter called ‘NoHighlight’, which, as the name suggests, doesn’t actually highlight anything. It does, however, minimally implement the interface of a Jekyll (or, in particular, Kramdown) highlighter.2 The last four lines in the script register this syntax highlighter under the identifier no_highlight with Kramdown, Jekyll’s default3 Markdown renderer.

Next, we need to configure Jekyll to use our new syntax highlighter in place of Rouge. To do this, append the following lines to the site’s Jekyll configuration (_config.yml) file:

kramdown:
  syntax_highlighter: no_highlight

Finally, one idiosyncratic caveat to this approach is that it requires that we specifically use fenced notation (i.e., ```) to define code blocks, so modify your site’s existing code blocks accordingly if necessary.

Now when we build the site we should see the consequence of these changes: code blocks are no longer highlighted. Not exactly thrilling, but still a small success! Later we’ll swap out this non-highlighter with one that actually uses Tree-sitter under the hood.

Interacting with Tree-sitter’s Rust bindings

Before we interoperate with Tree-sitter via our Jekyll plugin, we will first interoperate with it via a homemade Rust library. In my nascent experience as a user of Tree-sitter, its API (and associated documentation) is currently somewhat rough around the edges. This, of course, is understandable given that, at the time of writing this, Tree-sitter is still in initial development (the latest version is v0.20.7). Regardless, I found it worthwhile to smooth out many of the library’s peculiarities behind an adapter of my own making.

To accomplish this, create a new Rust library in the root of your Jekyll project. For example, you may use the following command, which directs the Rust package manager, Cargo, to create a library by the name of ‘tree_sitter_ruby_adapter’ inside a new _tree_sitter_ruby_adapter4 directory.

cargo new --lib --name tree_sitter_ruby_adapter _tree_sitter_ruby_adapter

Next, change directories into this new library and declare the crate’s three requisite Tree-sitter dependencies, ‘tree-sitter-cli’, ‘tree-sitter-highlight’, and ‘tree-sitter-loader’, for example via the following command:5

cargo add \
  tree-sitter-cli@0.20 \
  tree-sitter-highlight@0.20 \
  tree-sitter-loader@0.20

Now we’re ready to build out our library. The following snippet is a self-contained, minimal working example of interoperating with Tree-sitter’s highlight library:

use tree_sitter_cli::highlight::Theme;
use tree_sitter_highlight::{Highlight, Highlighter, HtmlRenderer};
use tree_sitter_loader::{Config, Loader};

// Adapter function for interoperating with Tree-sitter's highlight library.
//
// * `code` - The code snippet to highlight.
// * `scope` - The TextMate scope identifying the language of the code snippet.
pub fn highlight_adapter(code: &str, scope: &str) -> String {
    // The directory to search for parsers
    let parser_directory = std::env::current_dir()
        .unwrap()
        .join("parsers");

    let theme = Theme::default();

    // The loader is used to load parsers
    let loader = {
        let mut loader = Loader::new().unwrap();
        let config = {
            let parser_directories = vec![parser_directory];
            Config { parser_directories }
        };
        loader.find_all_languages(&config).unwrap();
        loader.configure_highlights(&theme.highlight_names);
        loader
    };

    // Retrieve the highlight config for the given language scope
    let config = loader
        .language_configuration_for_scope(scope)
        .unwrap()
        .and_then(|(language, config)| config.highlight_config(language).ok())
        .unwrap()
        .unwrap();

    let code = code.as_bytes();

    // Highlight the code
    let mut highlighter = Highlighter::new();
    let highlights = highlighter
        .highlight(config, code, None, |_| None)
        .unwrap();

    // Render and return the highlighted code as an HTML snippet
    let get_style_css = |h: Highlight| {
        theme.styles[h.0].css.as_ref().unwrap().as_bytes()
    };
    let mut renderer = HtmlRenderer::new();
    renderer.render(highlights, code, &get_style_css).unwrap();
    renderer.lines().collect()
}

After dropping this snippet into our library’s src/lib.rs file (replacing the default starter code), running cargo check should (after installing dependencies) verify that our library can compile without issue, which, in a language as strict as Rust, is a promising indicator that everything is working.

A bit of exposition regarding this code: the singular function highlight_adapter takes two strings6 as arguments: the code snippet to highlight, and a language identifier called a “TextMate scope” (explained next). If everything goes well, this function then returns an HTML snippet of the code marked up with inline CSS. Later we will seamlessly stitch this HTML output into our site as it’s built by Jekyll.

A TextMate scope is a string that Tree-sitter uses to uniquely identify languages. For example, the scope string for Python is ‘source.python’, whereas for HTML it is ‘text.html.basic’. The highlight_adapter function requires that the relevant scope be provided verbatim to choose the corresponding language. To determine a supported language’s scope string, find the source repository of the language’s parser in Tree-sitter’s list of available parsers, navigate to the package.json file, and locate the value associated with the Tree-sitter ‘scope’ key. For example, the scope string for Python can be seen here.

The previous aside on TextMate scopes raises another relevant point about how Tree-sitter, and in turn the highlight_adapter function, operates. Namely, Tree-sitter implements a parser for each language that it supports. Each such parser is independent of the core library and therefore must be installed separately to parse that language. So, even though our adapter library currently compiles without issue, it can’t parse any languages until we’ve installed some parsers for it to use.

The first line of code in highlight_adapter tells it to look for parser libraries in a sibling parsers directory, so let’s create that directory in the root of our Rust library. Next, let’s install a parser so that we can highlight a language. For example, we can install the Python parser by downloading its source repository into this new parsers directory.7

Now we’re ready to highlight some Python! Let’s test our library by temporarily packaging it into an executable program. To do this, add a new file called main.rs to the src directory with the following content:

use tree_sitter_ruby_adapter as tsra;

fn main() {
    let raw_code = "print('Hello, World!')";
    let scope = "source.python";
    let highlighted_code = tsra::highlight_adapter(raw_code, scope);
    println!("{}", highlighted_code);
}

In this program, we’re highlighting the classic ‘Hello, World’ Python snippet. Also, recall that the Python scope string is ‘source.python’, so that’s the scope we pass to highlight_adapter. Upon running the program via cargo run, you should see the following printed to the console:

<span style='font-weight: bold;color: #005fd7'>print</span>(<span style='color: #008700'>&#39;Hello, World!&#39;</span>)

This is our HTML snippet! If we manually wrap this snippet in a <pre> tag, drop it in a basic HTML file, and render that file in a browser, the highlighted code will look something like this:

print('Hello, World!')

Huzzah! We can now leverage Tree-sitter to highlight code! You may now delete src/main.rs; we won’t be needing it anymore.

Invoking Tree-sitter from Ruby

Now comes the final step. Our goal is to connect our custom Jekyll plugin to our Tree-sitter adapter library. The main obstacle in this endeavor is that our plugin is written in Ruby, while our library is written in Rust. Fortunately, open-source binding libraries like Rutie exist precisely for situations like this, allowing us to integrate these two languages with ease.

To use Rutie, we need to install it as a dependency both in our Rust library and in our Jekyll project. This is accomplished by running, for example, cargo add rutie@0.8 in the root of our Rust library, and bundle add rutie --version '0.0.4' in the root of our Jekyll project, respectively.

Rutie’s documentation on using Rust in Ruby is quite comprehensive, but, for convenience, I will reiterate much of it here. First, append the following TOML table to the Rust library’s manifest (Cargo.toml) file:

[lib]
crate-type = [ "cdylib" ]

Then prepend the following code to the src/lib.rs file:

#[macro_use]
extern crate rutie;

use rutie::{Class, Object, RString};

class!(TreeSitterRubyAdapter);

methods!(
    TreeSitterRubyAdapter,
    _rtself,
    fn highlight(raw_code: RString, raw_scope: RString) -> RString {
        let highlighted_code = {
            let code = raw_code.unwrap().to_string();
            let scope = raw_scope.unwrap().to_string();
            highlight_adapter(&code, &scope)
        };
        RString::new_utf8(&highlighted_code)
    }
);

#[no_mangle]
pub extern "C" fn init() {
    Class::new("TreeSitterRubyAdapter", None).define(|class_| {
        class_.def_self("highlight", highlight);
    });
}

We now need to make one final adjustment to our highlight_adapter function so that it will behave appropriately when invoked from the root of our Jekyll project. Namely, we have to update the parser_directory path to take into account that our parser directory is nested under the _tree_sitter_ruby_adapter directory inside our Jekyll project. Hence we need to update the parser_directory path as follows:

let parser_directory = std::env::current_dir()
    .unwrap()
    .join("_tree_sitter_ruby_adapter") // Add this line
    .join("parsers");

With these edits in place, run cargo build --release from within the Rust library to compile it. The Rust library is now primed for consumption by our Jekyll plugin.

Now it’s time to update our Jekyll plugin accordingly. First, import Rutie by adding the following line to the top of the Jekyll plugin file:

require 'rutie'

Next, place the following code after the imports so that we can invoke our Tree-sitter library via Rutie:

Rutie.new(:tree_sitter_ruby_adapter).init(
  'init',
  '_tree_sitter_ruby_adapter/target/'
)

Let’s also insert a global lookup table into our script, so that we can seamlessly translate between language names and TextMate scopes:

# Add more items to this lookup table as necessary
SCOPES = Hash['python' => 'source.python'].freeze

Finally, update the singular method of the existing highlighter to delegate to the Tree-sitter adapter library for syntax highlighting whenever possible:

def self.call(converter, text, language, type, _)
  scope = SCOPES[language]
  tree_sitter = ->(text_) { TreeSitterRubyAdapter.highlight text_, scope }
  # Only use Tree-sitter for highlighting if it supports the given language
  highlighter = scope ? tree_sitter : converter.method(:escape_html)
  output = highlighter.call text
  type == :block ? "<pre><code>#{output}</code></pre>" : output
end

And that’s all we have to do! Of course, these changes also render the name and description of the updated highlighter module obsolete, so feel free to update those as well. I chose to name this new highlighter ‘TreeSitter’.

Our Tree-sitter Jekyll highlighter is ready for action! Let’s test it out by adding our Python code snippet to any Markdown source file in our Jekyll project:

```python
print('Hello, World!')
```

Upon building and serving our Jekyll site, we should see our example snippet highlighted and rendered automatically. And with that, our Tree-sitter Jekyll highlighter is complete! 🎉

Bonus: improvements and implementation details

Improvements

We now have a minimal, working example of our highlighter, but it could still benefit from many improvements. One notable example is as follows. In the HTML output of the previous ‘Hello, World’ Python example, notice that each highlighted token is surrounded by a <span> element, which in turn contains an inline CSS attribute describing how to style that token. As it turns out, such attributes can be customized. Within our current implementation, these inline CSS attributes are determined by a Rust closure, reproduced here:

let get_style_css = |h: Highlight| {
    theme.styles[h.0].css.as_ref().unwrap().as_bytes()
};

This closure is passed to the HtmlRenderer::render method as the attribute_callback argument. By modifying this closure, we can affect what attributes appear in the resulting HTML. For example, while the above closure returns inline CSS style attributes, the productionalized version used by this site returns class attributes, which can be styled independently. This customization allows for significantly more control over the appearance of highlighted syntax on the site.

My own implementation of this particular enhancement, as well as implementations of several other improvements, can be found in the source repository for this site, on GitHub. Feel free to check them out and adapt them for your own needs!

Implementation

The previous walkthrough describes an abridged version of the actual approach I use to highlight code with Tree-sitter on this site. You might wonder why I chose this particular approach. As it turns out, the journey I took to arrive at this approach was long and fraught with dead ends. I leave the following discussion as advice and caution for anyone interested in attempting something similar.

Fundamentally, the goal of this project was to integrate Tree-sitter highlighting into the site you see before you. To this end, I had several requirements and constraints from the start. First, all code snippets on this site are immutable, so I had no need for (and, frankly, an interest in avoiding) dynamic client-side highlighting. Static, server-side rendering seemed more appropriate for my use case. As a corollary to this, I wanted a method that could interface with Ruby, the language used by Jekyll. Third, I wanted deep control over how the highlighting looked on my site. Fourth and finally, I of course wanted to take advantage of as much existing Tree-sitter functionality as possible to achieve maximal highlighting quality.

While working on this project, I considered multiple alternative approaches before settling on the one described in the walkthrough. Most failed to meet at least one of my criteria.

After spending a lot of time evaluating these options, I decided to try out Tree-sitter’s Rust API directly. After all, the Tree-sitter highlighter and CLI are both natively implemented in Rust. After tinkering with the Tree-sitter highlight API for a while, I concluded that this approach would meet my criteria and decided to run with it. After significant trial and error, I eventually figured out everything described here. Much of this may have also been possible with the other approaches I considered but, for my effort, only this approach was able to fulfill my wishlist entirely.

Assessing Tree-sitter’s highlighting quality

Now that we have everything working, the question is, does it work well? In other words, does Tree-sitter actually live up to its claim of better syntax highlighting? And, if so, how much better is it?

In my case, the clear standard against which to measure the quality of Tree-sitter is that of Rouge. All of the work required to integrate Tree-sitter into Jekyll is only worthwhile if the product of this effort can outperform Jekyll’s built-in default.

A head-to-head comparison of the two highlighters is therefore appropriate. In fact, I’ll let you decide for yourself on whether Tree-sitter outcompetes Rouge. What follows is a collection of code snippets across a variety of languages. Each snippet has been rendered twice, once with Rouge and a second time with Tree-sitter. All output is stylized with the same highlighting theme, one which was custom built to complement both highlighters. You can even use your arrow keys to quickly toggle between each highlighter and examine their differences in high relief.

Naturally, our first snippet is none other than the example from the walkthrough:

print('Hello, World!')
print('Hello, World!')

Not much to see here, the only minor difference being how each highlighter views the ‘print’ token (Rouge recognizes it as a keyword, which is reasonable, while Tree-sitter correctly identifies it as a function).

Now let’s take a look at the actual snippets showcased by Max Brunsfeld in his talk.8 Note that the highlighting theme used here is distinct from any seen in the talk.

typedef struct {
  const char *value;
  uint32_t depth;
  Node *left_child;
  Node *right_child;
} Node;

Node node_new(const char *value, uint32_t depth) {
  return (Node) {.value = value, .depth = depth};
}

const char *node_value(Node *self) {
  return self->value;
}

Node *node_left_child(Node *self) {
  return self->left_child;
}
typedef struct {
  const char *value;
  uint32_t depth;
  Node *left_child;
  Node *right_child;
} Node;

Node node_new(const char *value, uint32_t depth) {
  return (Node) {.value = value, .depth = depth};
}

const char *node_value(Node *self) {
  return self->value;
}

Node *node_left_child(Node *self) {
  return self->left_child;
}
class Node {
  string value;
  uint32_t height;
  Node *left_child;
  Node *right_child;

 public:
  Node(const string &value, uint32_t height)
    : value(value),
      height(height) {}

  string &get_value() const {
    return value;
  }

  Node *get_left_child() {
    return left_child;
  }
}
class Node {
  string value;
  uint32_t height;
  Node *left_child;
  Node *right_child;

 public:
  Node(const string &value, uint32_t height)
    : value(value),
      height(height) {}

  string &get_value() const {
    return value;
  }

  Node *get_left_child() {
    return left_child;
  }
}
type Node struct {
   value string
   height uint32
   leftChild *Node
   rightChild *Node
}

func NewNode(value string, height uint32) Node {
  return Node{value: value, height: height}
}

func (self *Node) GetValue() string {
  return self.value
}

func (self *Node) GetLeftChild() *Node {
  return self.leftChild
}
type Node struct {
   value string
   height uint32
   leftChild *Node
   rightChild *Node
}

func NewNode(value string, height uint32) Node {
  return Node{value: value, height: height}
}

func (self *Node) GetValue() string {
  return self.value
}

func (self *Node) GetLeftChild() *Node {
  return self.leftChild
}
struct Node {
    value: String,
    height: u32,
    left_child: Option<Rc<Node>>,
    right_child: Option<Rc<Node>>,
}

impl Node {
    pub fn new(value: String, height: u32) -> Node {
        Node {value, height, left_child: None, right_child: None}
    }

    pub fn get_value(&self) -> &str {
        self.value.as_str()
    }

    pub fn get_left_child(&self) -> Option<&Node> {
        self.left_child.as_ref().map(|child| child.as_ref())
    }
}
struct Node {
    value: String,
    height: u32,
    left_child: Option<Rc<Node>>,
    right_child: Option<Rc<Node>>,
}

impl Node {
    pub fn new(value: String, height: u32) -> Node {
        Node {value, height, left_child: None, right_child: None}
    }

    pub fn get_value(&self) -> &str {
        self.value.as_str()
    }

    pub fn get_left_child(&self) -> Option<&Node> {
        self.left_child.as_ref().map(|child| child.as_ref())
    }
}
class Node {
  value: string;
  height: number;
  leftChild: Node;
  rightChild: Node;

  constructor(value: string, height: number) {
    this.value = value;
    this.height = height;
  }

  getValue() : string {
    return this.value
  }

  getLeftChild() : Node {
    return this.leftChild;
  }
}
class Node {
  value: string;
  height: number;
  leftChild: Node;
  rightChild: Node;

  constructor(value: string, height: number) {
    this.value = value;
    this.height = height;
  }

  getValue() : string {
    return this.value
  }

  getLeftChild() : Node {
    return this.leftChild;
  }
}

In my opinion, these snippets portray Tree-sitter fantastically in comparison to Rouge. Whereas Rouge struggles to recognize almost anything more than a built-in keyword or type, Tree-sitter deftly distinguishes between fields, functions, user-defined types, and more. I will, however, point out one small but significant discrepancy in how the Rust example was highlighted: in the talk, Tree-sitter recognizes that None, a variant of the Option enum, is a value and not a type, whereas it fails to do so here. On the other hand, Rouge gets this wrong too.

Next are some longer snippets for the languages that I am currently most familiar with:9

import click
from turtle import Turtle
import math

class KochTurtle(Turtle):
    def __init__(self, max_depth: int):
        Turtle.__init__(self)
        self.max_depth = max_depth

    def draw_snowflake(self):
        self._offset_from_home()
        for _ in range(3):
            self._draw_curve(0)
            self.right(120)

    def _offset_from_home(self):
        self.penup()
        self.goto(-300, 100 * math.sqrt(3))
        self.pendown()

    def _draw_curve(self, depth: int):
        if depth == self.max_depth:
            self.forward(600 / 3**depth)
        else:
            for angle in (0, 60, -120, 60):
                self.left(angle)
                self._draw_curve(depth + 1)

@click.command()
@click.option("--max-depth", default=3, help="Fractal recursion depth.")
def main(max_depth: int):
    koch_turtle = KochTurtle(max_depth)
    koch_turtle.draw_snowflake()
    koch_turtle.screen.exitonclick()

if __name__ == "__main__":
    main()
import click
from turtle import Turtle
import math

class KochTurtle(Turtle):
    def __init__(self, max_depth: int):
        Turtle.__init__(self)
        self.max_depth = max_depth

    def draw_snowflake(self):
        self._offset_from_home()
        for _ in range(3):
            self._draw_curve(0)
            self.right(120)

    def _offset_from_home(self):
        self.penup()
        self.goto(-300, 100 * math.sqrt(3))
        self.pendown()

    def _draw_curve(self, depth: int):
        if depth == self.max_depth:
            self.forward(600 / 3**depth)
        else:
            for angle in (0, 60, -120, 60):
                self.left(angle)
                self._draw_curve(depth + 1)

@click.command()
@click.option("--max-depth", default=3, help="Fractal recursion depth.")
def main(max_depth: int):
    koch_turtle = KochTurtle(max_depth)
    koch_turtle.draw_snowflake()
    koch_turtle.screen.exitonclick()

if __name__ == "__main__":
    main()
public class DisjointSet {
    private final int[] representatives, componentSizes;

    public DisjointSet(int n) {
        this.representatives = new int[n];
        for (int i = 0; i < n; i++) this.representatives[i] = i;
        this.componentSizes = new int[n];
        for (int i = 0; i < n; i++) this.componentSizes[i] = 1;
    }

    public void union(int i, int j) {
        int r1 = this.find(i), r2 = this.find(j);
        if (r1 == r2) return;
        if (this.componentSizes[r1] < this.componentSizes[r2]) {
            int temp = r1; r1 = r2; r2 = temp;
        }
        this.componentSizes[r1] += this.componentSizes[r2];
        this.representatives[r2] = r1;
    }

    public boolean areConnected(int i, int j) {
        return this.find(i) == this.find(j);
    }

    private int find(int i) {
        int r = i;
        while (this.representatives[r] != r) r = this.representatives[r];
        this.compressPath(i, r);
        return r;
    }

    private void compressPath(int i, int representative) {
        while (i != representative) {
            int temp = this.representatives[i];
            this.representatives[i] = representative;
            i = temp;
        }
    }
}
public class DisjointSet {
    private final int[] representatives, componentSizes;

    public DisjointSet(int n) {
        this.representatives = new int[n];
        for (int i = 0; i < n; i++) this.representatives[i] = i;
        this.componentSizes = new int[n];
        for (int i = 0; i < n; i++) this.componentSizes[i] = 1;
    }

    public void union(int i, int j) {
        int r1 = this.find(i), r2 = this.find(j);
        if (r1 == r2) return;
        if (this.componentSizes[r1] < this.componentSizes[r2]) {
            int temp = r1; r1 = r2; r2 = temp;
        }
        this.componentSizes[r1] += this.componentSizes[r2];
        this.representatives[r2] = r1;
    }

    public boolean areConnected(int i, int j) {
        return this.find(i) == this.find(j);
    }

    private int find(int i) {
        int r = i;
        while (this.representatives[r] != r) r = this.representatives[r];
        this.compressPath(i, r);
        return r;
    }

    private void compressPath(int i, int representative) {
        while (i != representative) {
            int temp = this.representatives[i];
            this.representatives[i] = representative;
            i = temp;
        }
    }
}
import Control.Monad (mfilter)
import Data.Maybe (isJust)
import Text.Read (readMaybe)

digitSum :: Integer -> Integer
digitSum 0 = 0
digitSum n = (n `mod` 10) + digitSum (n `div` 10)

checkDigit :: [Integer] -> Integer
checkDigit = (10 -) . (`mod` 10) . checksum
  where
    checksum = sum . map digitSum . doubleEveryOther
    doubleEveryOther = zipWith ($) (cycle [id, (* 2)])

isValidLuhnSequence :: [Integer] -> Bool
isValidLuhnSequence = (==) <$> calculatedCheckDigit <*> givenCheckDigit
  where
    givenCheckDigit = last
    calculatedCheckDigit = checkDigit . init

main = do
  putStrLn "Input a number to validate:"
  input <- getLine
  let response = if isValidLuhnNumber input then "Valid!" else "Not valid."
  putStrLn response
  where
    isValidLuhnNumber = isJust . (mfilter isValidLuhnSequence) . digits
    digits = mapM readMaybe . map (\c -> [c])
import Control.Monad (mfilter)
import Data.Maybe (isJust)
import Text.Read (readMaybe)

digitSum :: Integer -> Integer
digitSum 0 = 0
digitSum n = (n `mod` 10) + digitSum (n `div` 10)

checkDigit :: [Integer] -> Integer
checkDigit = (10 -) . (`mod` 10) . checksum
  where
    checksum = sum . map digitSum . doubleEveryOther
    doubleEveryOther = zipWith ($) (cycle [id, (* 2)])

isValidLuhnSequence :: [Integer] -> Bool
isValidLuhnSequence = (==) <$> calculatedCheckDigit <*> givenCheckDigit
  where
    givenCheckDigit = last
    calculatedCheckDigit = checkDigit . init

main = do
  putStrLn "Input a number to validate:"
  input <- getLine
  let response = if isValidLuhnNumber input then "Valid!" else "Not valid."
  putStrLn response
  where
    isValidLuhnNumber = isJust . (mfilter isValidLuhnSequence) . digits
    digits = mapM readMaybe . map (\c -> [c])

In these examples, Tree-sitter arguably fares less favorably against its competitor than before. With Python, Tree-sitter fails to recognize built-in types and keywords like int and self, whereas Rouge does not. In the Java example, I was disappointed to find that neither Rouge nor Tree-sitter distinguishes field variables, even despite the explicit use of self throughout the class. Finally, both Tree-sitter and Rouge struggle to make much sense of most variables in Haskell. Tree-sitter’s saving grace across all three languages is its unique ability to recognize function calls, although, in my opinion, it is inconsistent enough (and sometimes even incorrect) in Haskell for this to actually be distracting.

Finally, there are a couple of interesting highlighting features that Tree-sitter currently claims to support. First, Tree-sitter is purportedly able to contingently highlight a token based on its scope. The following Ruby snippet is provided in Tree-sitter’s documentation to illustrate this:

def process_list(list)
  context = current_context
  list.map do |item|
    process_item(item, context)
  end
end

item = 5
list = [item]
def process_list(list)
  context = current_context
  list.map do |item|
    process_item(item, context)
  end
end

item = 5
list = [item]

As we can see, Tree-sitter is impressively able to distinguish between multiple different senses of the variables list and item: within the scope of process_list, both are correctly identified as formal parameters, whereas outside of this scope they are recognized as ordinary local variables. Also noteworthy is Tree-sitter’s recognition that current_context must reference a function – despite lacking associated parentheses and arguments – since it is not declared earlier as a parameter. Presumably, this level of understanding of the code goes far beyond anything Rouge is capable of.

Another Tree-sitter highlighting feature is language injection; that is, it can highlight one language embedded in another. The following HTML snippet illustrates this.

<!DOCTYPE html>
<html>
   <body>
      <button onclick="updateButtonInfo()">Click me</button>
      <p id="button-info">Not yet clicked.</p>
      <script>
         function updateButtonInfo() {
           document.getElementById("button-info").innerHTML = "Clicked!";
         }
      </script>
   </body>
</html>
<!DOCTYPE html>
<html>
   <body>
      <button onclick="updateButtonInfo()">Click me</button>
      <p id="button-info">Not yet clicked.</p>
      <script>
         function updateButtonInfo() {
           document.getElementById("button-info").innerHTML = "Clicked!";
         }
      </script>
   </body>
</html>

As you can see, Rouge also supports language injection, at least for common use cases such as this. I suspect, however, that Tree-sitter is again significantly more capable in this respect, supporting arbitrarily deep levels of nesting as well as nesting of unconventional language pairings. Unfortunately, this is merely an educated guess; I have not yet seen examples that support this.

Final thoughts

As seen in the previous examples, Tree-sitter’s performance is currently a bit fickle, but overall quite encouraging. On one hand, Tree-sitter almost always demonstrates a deeper understanding of the code it’s parsing than its counterpart, Rouge, and sometimes this disparity is vast. On the other hand, Tree-sitter does have its flaws and shortcomings, at least by my analysis. For example, it struggles to recognize fields in Java, functions in Haskell, and types in Python. And, while some of its capabilities, such as contingent highlighting of formal parameters, are incredibly impressive, I would be even more excited to learn that more features of this caliber are yet to be implemented.

Quibbles aside, I am quite pleased with Tree-sitter’s overall highlighting quality and plan to retain it as my site’s primary code highlighter. With luck, I may have even helped you get it working on your site too, in which case I hope that you feel the same. Regardless, I’m comfortable going out on a limb with the following prediction: whether it’s my site, your site, or someone else’s, this won’t be the last time you come across this tool. Whenever something with this much potential comes along, it stays.

Thanks for reading! If you have questions or suggestions, feel free to reach out! Happy highlighting!

Additional resources

  1. Brunsfeld, Max. “Tree-sitter - a new parsing system for programming tools”. (8:15). Strange Loop, 2022. 

  2. Based on my testing, I expect that this minimal highlighter implementation will ‘just work’ for most normal Jekyll sites. However, for sites with a lot of pre-existing CSS or Markdown rendering customizations, slight adjustments to this template may prove necessary to ensure everything renders nicely. 

  3. Like Rouge, Kramdown is an interchangeable component of Jekyll. Hence this step is predicated on the assumption that Kramdown indeed remains the Markdown renderer of choice for the site being modified. 

  4. FYI, the initial underscore in the directory name is functional: it instructs Jekyll to ignore this directory when looking for source files to build. 

  5. As previously mentioned, Tree-sitter is still in initial development. Consequently, its API is likely to change over time. For this reason, I recommend (at least initially) pinning the versions of these libraries collectively to v0.20 to ensure success when following the walkthrough. This is the version I used to test my code and hence the one in which I have the most confidence of being compatible with the walkthrough. 

  6. Technically, these arguments are string references, but this detail is not relevant for our purposes. 

  7. In the likely scenario that your Jekyll project is version-controlled with Git, I specifically recommend using Git’s submodules functionality to install parsers into your project. Information about Git submodules can be found here

  8. Specifically, these snippets are reproduced verbatim from the following source:

    Brunsfeld, Max. “Tree-sitter - a new parsing system for programming tools”. (6:12). Strange Loop, 2022.

    Note also that all errata from the original examples are left unedited in these reproductions. 

  9. For anyone curious, the Python program draws a Koch snowflake, the Java class is a basic implementation of the disjoint-set data structure, and the Haskell program implements the Luhn algorithm. I chose these particular examples mainly just for fun. :)