• Stars
    star
    4,182
  • Rank 9,845 (Top 0.2 %)
  • Language
    Go
  • License
    MIT License
  • Created almost 7 years ago
  • Updated 6 days ago

Reviews

There are no reviews yet. Be the first to send feedback to the community and the maintainers!

Repository Details

A general purpose syntax highlighter in pure Go

Chroma — A general purpose syntax highlighter in pure Go

Golang Documentation CI Slack chat

NOTE: As Chroma has just been released, its API is still in flux. That said, the high-level interface should not change significantly.

Chroma takes source code and other structured text and converts it into syntax highlighted HTML, ANSI-coloured text, etc.

Chroma is based heavily on Pygments, and includes translators for Pygments lexers and styles.

Table of Contents

  1. Table of Contents
  2. Supported languages
  3. Try it
  4. Using the library
    1. Quick start
    2. Identifying the language
    3. Formatting the output
    4. The HTML formatter
  5. More detail
    1. Lexers
    2. Formatters
    3. Styles
  6. Command-line interface
  7. Testing lexers
  8. What's missing compared to Pygments?

Supported languages

Prefix Language
A ABAP, ABNF, ActionScript, ActionScript 3, Ada, Angular2, ANTLR, ApacheConf, APL, AppleScript, Arduino, Awk
B Ballerina, Bash, Batchfile, BibTeX, Bicep, BlitzBasic, BNF, Brainfuck, BQN
C C, C#, C++, Caddyfile, Caddyfile Directives, Cap'n Proto, Cassandra CQL, Ceylon, CFEngine3, cfstatement, ChaiScript, Chapel, Cheetah, Clojure, CMake, COBOL, CoffeeScript, Common Lisp, Coq, Crystal, CSS, Cython
D D, Dart, Diff, Django/Jinja, Docker, DTD, Dylan
E EBNF, Elixir, Elm, EmacsLisp, Erlang
F Factor, Fish, Forth, Fortran, FSharp
G GAS, GDScript, Genshi, Genshi HTML, Genshi Text, Gherkin, GLSL, Gnuplot, Go, Go HTML Template, Go Text Template, GraphQL, Groff, Groovy
H Handlebars, Haskell, Haxe, HCL, Hexdump, HLB, HLSL, HTML, HTTP, Hy
I Idris, Igor, INI, Io
J J, Java, JavaScript, JSON, Julia, Jungle
K Kotlin
L Lighttpd configuration file, LLVM, Lua
M Makefile, Mako, markdown, Mason, Mathematica, Matlab, MiniZinc, MLIR, Modula-2, MonkeyC, MorrowindScript, Myghty, MySQL
N NASM, Newspeak, Nginx configuration file, Nim, Nix
O Objective-C, OCaml, Octave, OnesEnterprise, OpenEdge ABL, OpenSCAD, Org Mode
P PacmanConf, Perl, PHP, PHTML, Pig, PkgConfig, PL/pgSQL, plaintext, Pony, PostgreSQL SQL dialect, PostScript, POVRay, PowerShell, Prolog, PromQL, Properties, Protocol Buffer, PSL, Puppet, Python 2, Python
Q QBasic
R R, Racket, Ragel, Raku, react, ReasonML, reg, reStructuredText, Rexx, Ruby, Rust
S SAS, Sass, Scala, Scheme, Scilab, SCSS, Sed, Smali, Smalltalk, Smarty, Snobol, Solidity, SPARQL, SQL, SquidConf, Standard ML, stas, Stylus, Svelte, Swift, SYSTEMD, systemverilog
T TableGen, TASM, Tcl, Tcsh, Termcap, Terminfo, Terraform, TeX, Thrift, TOML, TradingView, Transact-SQL, Turing, Turtle, Twig, TypeScript, TypoScript, TypoScriptCssData, TypoScriptHtmlData
V VB.net, verilog, VHDL, VHS, VimL, vue
W WDTE
X XML, Xorg
Y YAML, YANG
Z Zig

I will attempt to keep this section up to date, but an authoritative list can be displayed with chroma --list.

Try it

Try out various languages and styles on the Chroma Playground.

Using the library

Chroma, like Pygments, has the concepts of lexers, formatters and styles.

Lexers convert source text into a stream of tokens, styles specify how token types are mapped to colours, and formatters convert tokens and styles into formatted output.

A package exists for each of these, containing a global Registry variable with all of the registered implementations. There are also helper functions for using the registry in each package, such as looking up lexers by name or matching filenames, etc.

In all cases, if a lexer, formatter or style can not be determined, nil will be returned. In this situation you may want to default to the Fallback value in each respective package, which provides sane defaults.

Quick start

A convenience function exists that can be used to simply format some source text, without any effort:

err := quick.Highlight(os.Stdout, someSourceCode, "go", "html", "monokai")

Identifying the language

To highlight code, you'll first have to identify what language the code is written in. There are three primary ways to do that:

  1. Detect the language from its filename.

    lexer := lexers.Match("foo.go")
  2. Explicitly specify the language by its Chroma syntax ID (a full list is available from lexers.Names()).

    lexer := lexers.Get("go")
  3. Detect the language from its content.

    lexer := lexers.Analyse("package main\n\nfunc main()\n{\n}\n")

In all cases, nil will be returned if the language can not be identified.

if lexer == nil {
  lexer = lexers.Fallback
}

At this point, it should be noted that some lexers can be extremely chatty. To mitigate this, you can use the coalescing lexer to coalesce runs of identical token types into a single token:

lexer = chroma.Coalesce(lexer)

Formatting the output

Once a language is identified you will need to pick a formatter and a style (theme).

style := styles.Get("swapoff")
if style == nil {
  style = styles.Fallback
}
formatter := formatters.Get("html")
if formatter == nil {
  formatter = formatters.Fallback
}

Then obtain an iterator over the tokens:

contents, err := ioutil.ReadAll(r)
iterator, err := lexer.Tokenise(nil, string(contents))

And finally, format the tokens from the iterator:

err := formatter.Format(w, style, iterator)

The HTML formatter

By default the html registered formatter generates standalone HTML with embedded CSS. More flexibility is available through the formatters/html package.

Firstly, the output generated by the formatter can be customised with the following constructor options:

  • Standalone() - generate standalone HTML with embedded CSS.
  • WithClasses() - use classes rather than inlined style attributes.
  • ClassPrefix(prefix) - prefix each generated CSS class.
  • TabWidth(width) - Set the rendered tab width, in characters.
  • WithLineNumbers() - Render line numbers (style with LineNumbers).
  • WithLinkableLineNumbers() - Make the line numbers linkable and be a link to themselves.
  • HighlightLines(ranges) - Highlight lines in these ranges (style with LineHighlight).
  • LineNumbersInTable() - Use a table for formatting line numbers and code, rather than spans.

If WithClasses() is used, the corresponding CSS can be obtained from the formatter with:

formatter := html.New(html.WithClasses(true))
err := formatter.WriteCSS(w, style)

More detail

Lexers

See the Pygments documentation for details on implementing lexers. Most concepts apply directly to Chroma, but see existing lexer implementations for real examples.

In many cases lexers can be automatically converted directly from Pygments by using the included Python 3 script pygments2chroma_xml.py. I use something like the following:

python3 _tools/pygments2chroma_xml.py \
  pygments.lexers.jvm.KotlinLexer \
  > lexers/embedded/kotlin.xml

See notes in pygments-lexers.txt for a list of lexers, and notes on some of the issues importing them.

Formatters

Chroma supports HTML output, as well as terminal output in 8 colour, 256 colour, and true-colour.

A noop formatter is included that outputs the token text only, and a tokens formatter outputs raw tokens. The latter is useful for debugging lexers.

Styles

Chroma styles are defined in XML. The style entries use the same syntax as Pygments.

All Pygments styles have been converted to Chroma using the _tools/style.py script.

When you work with one of Chroma's styles, know that the Background token type provides the default style for tokens. It does so by defining a foreground color and background color.

For example, this gives each token name not defined in the style a default color of #f8f8f8 and uses #000000 for the highlighted code block's background:

<entry type="Background" style="#f8f8f2 bg:#000000"/>

Also, token types in a style file are hierarchical. For instance, when CommentSpecial is not defined, Chroma uses the token style from Comment. So when several comment tokens use the same color, you'll only need to define Comment and override the one that has a different color.

For a quick overview of the available styles and how they look, check out the Chroma Style Gallery.

Command-line interface

A command-line interface to Chroma is included.

Binaries are available to install from the releases page.

The CLI can be used as a preprocessor to colorise output of less(1), see documentation for the LESSOPEN environment variable.

The --fail flag can be used to suppress output and return with exit status 1 to facilitate falling back to some other preprocessor in case chroma does not resolve a specific lexer to use for the given file. For example:

export LESSOPEN='| p() { chroma --fail "$1" || cat "$1"; }; p "%s"'

Replace cat with your favourite fallback preprocessor.

When invoked as .lessfilter, the --fail flag is automatically turned on under the hood for easy integration with lesspipe shipping with Debian and derivatives; for that setup the chroma executable can be just symlinked to ~/.lessfilter.

Testing lexers

If you edit some lexers and want to try it, open a shell in cmd/chromad and run:

go run .

A Link will be printed. Open it in your Browser. Now you can test on the Playground with your local changes.

If you want to run the tests and the lexers, open a shell in the root directory and run:

go test ./lexers

When updating or adding a lexer, please add tests. See lexers/README.md for more.

What's missing compared to Pygments?

  • Quite a few lexers, for various reasons (pull-requests welcome):
    • Pygments lexers for complex languages often include custom code to handle certain aspects, such as Raku's ability to nest code inside regular expressions. These require time and effort to convert.
    • I mostly only converted languages I had heard of, to reduce the porting cost.
  • Some more esoteric features of Pygments are omitted for simplicity.
  • Though the Chroma API supports content detection, very few languages support them. I have plans to implement a statistical analyser at some point, but not enough time.

More Repositories

1

gometalinter

DEPRECATED: Use https://github.com/golangci/golangci-lint
Go
3,521
star
2

kingpin

CONTRIBUTIONS ONLY: A Go (golang) command line and flag parser
Go
3,444
star
3

participle

A parser library for Go
Go
3,310
star
4

entityx

EntityX - A fast, type-safe C++ Entity-Component system
C++
2,170
star
5

kong

Kong is a command-line parser for Go
Go
1,825
star
6

voluptuous

CONTRIBUTIONS ONLY: Voluptuous, despite the name, is a Python data validation library.
Python
1,793
star
7

go_serialization_benchmarks

Benchmarks of Go serialization methods
Go
1,527
star
8

jsonschema

Maintenance has moved to https://github.com/invopop/jsonschema
Go
751
star
9

pawk

PAWK - A Python line processor (like AWK)
Python
508
star
10

gozmq

Go (golang) bindings for the 0mq (zmq, zeromq) C API
Go
469
star
11

log4go

Logging package similar to log4j for the Go programming language
Go
309
star
12

ondir

OnDir is a small program to automate tasks specific to certain directories
C
195
star
13

mph

Minimal Perfect Hashing for Go
Go
165
star
14

repr

Python's repr() for Go
Go
154
star
15

assert

A simple assertion library using Go generics
Go
133
star
16

importmagic

A Python library for finding unresolved symbols in Python code, and the corresponding imports
Python
120
star
17

units

Helpful unit multipliers and functions for Go
Go
119
star
18

gorx

A package and tool providing Reactive eXtensions for Go.
Go
94
star
19

devtodo2

DevTodo the Second
Go
89
star
20

template

Fork of Go's text/template adding newline elision
Go
56
star
21

binary

General purpose binary encoder/decoder
Go
47
star
22

SublimeLinter-contrib-gometalinter

SublimeLinter plugin for gometalinter
Python
47
star
23

hcl

Parsing, encoding and decoding of HCL to and from Go types and an AST.
Go
45
star
24

localcache

Local file-based atomic cache manager
Go
41
star
25

gobundle

DEPRECATED: I recommend https://github.com/GeertJohan/go.rice
Go
39
star
26

geoip

A pure Go interface to the free MaxMind GeoIP database
Go
38
star
27

unsafeslice

Unsafe zero-copy slice casts for Go
Go
37
star
28

SublimePythonImportMagic

This Sublime Text 2 plugin attempts to automatically manage Python imports.
Python
33
star
29

inject

Guice-ish dependency injection for Go.
Go
31
star
30

sequel

Sequel - A Go <-> SQL mapping package
Go
26
star
31

multiplex

This Go package multiplexes streams over a single underlying transport io.ReadWriteCloser.
Go
25
star
32

tuplespace

A RESTful tuple space server
Go
21
star
33

mango-kong

Mango (man page generator) integration for Kong
Go
20
star
34

langx

Language experimentation.
Go
20
star
35

atomic

Type-safe atomic values for Go
Go
19
star
36

go-rpcgen

Generates Go RPC server and client boilerplate for interfaces.
Go
17
star
37

go-check-sumtype

A simple utility for running exhaustiveness checks on Go "sum types."
Go
17
star
38

SublimeFoldPythonDocstrings

Automatically folds Python docstrings longer than 1 line.
Python
16
star
39

oink

Oink is a Python to Javascript translator.
Python
15
star
40

protobuf

A Protobuf IDL parser for Go
Go
13
star
41

entityx_python

Python bindings for EntityX
C++
13
star
42

kong-yaml

Go
13
star
43

colour

Quake-style colour formatting for Unix terminals
Go
12
star
44

shreq

This utility verifies all commands used by a shell script against an allow list
Go
11
star
45

app

Modular application framework for Go.
Go
11
star
46

kdl

Go parser for KDL
Go
10
star
47

bit

Bit - A simple yet powerful build tool
Go
10
star
48

vheap

Fast, persistent, mmapped, virtual heap.
Go
8
star
49

types

Useful generic types for Go
Go
8
star
50

errors

A simple errors package for Go
Go
8
star
51

rapid

RESTful API Daemons (and Clients) for Go
Go
7
star
52

kong-hcl

Go
7
star
53

genh

genh is an opinionated tool for generating request-handler boilerplate for Go
Go
7
star
54

ReactiveDataStructures

Reactive data structures for Swift based on RxSwift
Swift
7
star
55

lunatic-go

Lunatic bindings for (Tiny)Go
Go
6
star
56

chrysalis

Chrysalis - Source to a 2D Platformer from 1994
C++
6
star
57

dotfiles

My dotfiles.
Vim Script
6
star
58

bootstrap

Go application bootstrapping
Go
6
star
59

devtodo

DevTodo (legacy)
C
6
star
60

waffle

Waffle - A Dependency-Injection-based application framework for Python
Python
5
star
61

waitgroup

Like sync.WaitGroup and ergroup.Group had a baby.
Go
5
star
62

esfmt

An opinionated, zero-configuration formatter for ES/TS/ESX/TSX
Go
5
star
63

flam

flam /flæm/ noun, verb, flammed, flam⋅ming. Informal. –noun 1. a deception or trick. 2. a falsehood; lie. –verb (used with object), verb (used without object) 3. to deceive; delude; cheat.
Python
5
star
64

expr

Runtime evaluation of Go-like expressions
Go
4
star
65

simplenotefs

simplenotefs
Python
4
star
66

concurrency

Types and functions for managing concurrency in Go.
Go
4
star
67

porpoise

Porpoise - A Redis-based analytics framework
Python
4
star
68

replaylog

A type safe implementation of an op replay log
Go
3
star
69

cly

A Python module for adding powerful text-based consoles to your application.
Python
3
star
70

SublimeLinter-contrib-errcheck

SublimeLinter integration for the Go errcheck utility
Python
3
star
71

wit-go

A partial WIT parser and code generator for Go
Go
3
star
72

SublimeLinter-contrib-golang-cilint

DEPRECATED: Use https://github.com/cixtor/SublimeLinter-golangcilint
Python
2
star
73

aspect

Lightweight Aspect-oriented Module for Python
Python
2
star
74

Cache.swift

A flexible RAM and disk-backed cache for Swift
Swift
2
star
75

gptcc

Add Conventional Commits to commit messages using ChatGPT
Shell
2
star
76

WaveGrowl.app

Wave notifications via Growl on Mac
Python
2
star
77

cut

Core Utilities - A set of core utility classes for Python.
Python
2
star
78

kong-toml

Kong configuration loader for TOML
Shell
2
star
79

rest

Go
2
star
80

prototemplate

Process Protocol Buffer definitions with text templates and JavaScript functions
Go
2
star
81

webservice

A webservice dispatcher for Go
Go
1
star
82

pathways

Pathways - An opinionated RESTful web service framework for Go
Go
1
star
83

cktphotography.com

Christine Knight Thomas Photography (website)
JavaScript
1
star
84

psmap

Persistent static maps for Go
Go
1
star