.. | ||
internal | ||
.dockerignore | ||
.gitattributes | ||
.gitignore | ||
.golangci.toml | ||
.goreleaser.yaml | ||
ci.sh | ||
CONTRIBUTING.md | ||
decode.go | ||
doc.go | ||
Dockerfile | ||
errors.go | ||
LICENSE | ||
localtime.go | ||
marshaler.go | ||
parser.go | ||
README.md | ||
scanner.go | ||
SECURITY.md | ||
strict.go | ||
toml.abnf | ||
types.go | ||
unmarshaler.go | ||
utf8.go |
go-toml v2
Go library for the TOML format.
This library supports TOML v1.0.0.
Development status
This is the upcoming major version of go-toml. It is currently in active development. As of release v2.0.0-beta.1, the library has reached feature parity with v1, and fixes a lot known bugs and performance issues along the way.
If you do not need the advanced document editing features of v1, you are encouraged to try out this version.
Documentation
Full API, examples, and implementation notes are available in the Go documentation.
Import
import "github.com/pelletier/go-toml/v2"
See Modules.
Features
Stdlib behavior
As much as possible, this library is designed to behave similarly as
the standard library’s encoding/json
.
Performance
While go-toml favors usability, it is written with performance in mind. Most operations should not be shockingly slow. See benchmarks.
Strict mode
Decoder
can be set to “strict mode”, which makes it
error when some parts of the TOML document was not prevent in the target
structure. This is a great way to check for typos. See
example in the documentation.
Contextualized errors
When most decoding errors occur, go-toml returns DecodeError
),
which contains a human readable contextualized version of the error. For
example:
2| key1 = "value1"
3| key2 = "missing2"
| ~~~~ missing field
4| key3 = "missing3"
5| key4 = "value4"
Local date and time support
TOML supports native local date/times.
It allows to represent a given date, time, or date-time without relation
to a timezone or offset. To support this use-case, go-toml provides LocalDate
,
LocalTime
,
and LocalDateTime
.
Those types can be transformed to and from time.Time
,
making them convenient yet unambiguous structures for their respective
TOML representation.
Getting started
Given the following struct, let’s see how to read it and write it as TOML:
type MyConfig struct {
int
Version string
Name []string
Tags }
Unmarshaling
Unmarshal
reads a TOML document and fills a Go structure with its content. For
example:
:= `
doc version = 2
name = "go-toml"
tags = ["go", "toml"]
`
var cfg MyConfig
:= toml.Unmarshal([]byte(doc), &cfg)
err if err != nil {
panic(err)
}
.Println("version:", cfg.Version)
fmt.Println("name:", cfg.Name)
fmt.Println("tags:", cfg.Tags)
fmt
// Output:
// version: 2
// name: go-toml
// tags: [go toml]
Marshaling
Marshal
is the opposite of Unmarshal: it represents a Go structure as a TOML
document:
:= MyConfig{
cfg : 2,
Version: "go-toml",
Name: []string{"go", "toml"},
Tags}
, err := toml.Marshal(cfg)
bif err != nil {
panic(err)
}
.Println(string(b))
fmt
// Output:
// Version = 2
// Name = 'go-toml'
// Tags = ['go', 'toml']
Benchmarks
Execution time speedup compared to other Go TOML libraries:
Benchmark | go-toml v1 | BurntSushi/toml |
---|---|---|
Marshal/HugoFrontMatter-2 | 1.9x | 1.9x |
Marshal/ReferenceFile/map-2 | 1.7x | 1.8x |
Marshal/ReferenceFile/struct-2 | 2.2x | 2.5x |
Unmarshal/HugoFrontMatter-2 | 2.9x | 2.9x |
Unmarshal/ReferenceFile/map-2 | 2.6x | 2.9x |
Unmarshal/ReferenceFile/struct-2 | 4.4x | 5.3x |
See more
The table above has the results of the most common use-cases. The table below contains the results of all benchmarks, including unrealistic ones. It is provided for completeness.
Benchmark | go-toml v1 | BurntSushi/toml |
---|---|---|
Marshal/SimpleDocument/map-2 | 1.8x | 2.9x |
Marshal/SimpleDocument/struct-2 | 2.7x | 4.2x |
Unmarshal/SimpleDocument/map-2 | 4.5x | 3.1x |
Unmarshal/SimpleDocument/struct-2 | 6.2x | 3.9x |
UnmarshalDataset/example-2 | 3.1x | 3.5x |
UnmarshalDataset/code-2 | 2.3x | 3.1x |
UnmarshalDataset/twitter-2 | 2.5x | 2.6x |
UnmarshalDataset/citm_catalog-2 | 2.1x | 2.2x |
UnmarshalDataset/canada-2 | 1.6x | 1.3x |
UnmarshalDataset/config-2 | 4.3x | 3.2x |
[Geo mean] | 2.7x | 2.8x |
This table can be generated with ./ci.sh benchmark -a
-html
.
Modules
go-toml uses Go’s standard modules system.
Installation instructions:
- Go ≥ 1.16: Nothing to do. Use the import in your code. The
go
command deals with it automatically. - Go ≥ 1.13:
GO111MODULE=on go get github.com/pelletier/go-toml/v2
.
In case of trouble: Go Modules FAQ.
Tools
Go-toml provides three handy command line tools:
tomljson
: Reads a TOML file and outputs its JSON representation.$ go install github.com/pelletier/go-toml/v2/cmd/tomljson@latest $ tomljson --help
jsontoml
: Reads a JSON file and outputs a TOML representation.$ go install github.com/pelletier/go-toml/v2/cmd/jsontoml@latest $ jsontoml --help
tomll
: Lints and reformats a TOML file.$ go install github.com/pelletier/go-toml/v2/cmd/tomll@latest $ tomll --help
Docker image
Those tools are also available as a Docker
image. For example, to use tomljson
:
docker run -i ghcr.io/pelletier/go-toml:v2 tomljson < example.toml
Multiple versions are availble on ghcr.io.
Migrating from v1
This section describes the differences between v1 and v2, with some pointers on how to get the original behavior when possible.
Decoding / Unmarshal
Automatic field name guessing
When unmarshaling to a struct, if a key in the TOML document does not
exactly match the name of a struct field or any of the
toml
-tagged field, v1 tries multiple variations of the key
(code).
V2 instead does a case-insensitive matching, like
encoding/json
.
This could impact you if you are relying on casing to differentiate
two fields, and one of them is a not using the toml
struct
tag. The recommended solution is to be specific about tag names for
those fields using the toml
struct tag.
Ignore preexisting value in interface
When decoding into a non-nil interface{}
, go-toml v1
uses the type of the element in the interface to decode the object. For
example:
type inner struct {
interface{}
B }
type doc struct {
interface{}
A }
:= doc{
d : inner{
A: "Before",
B},
}
:= `
data [A]
B = "After"
`
.Unmarshal([]byte(data), &d)
toml.Printf("toml v1: %#v\n", d)
fmt
// toml v1: main.doc{A:main.inner{B:"After"}}
In this case, field A
is of type
interface{}
, containing a inner
struct. V1
sees that type and uses it when decoding the object.
When decoding an object into an interface{}
, V2 instead
disregards whatever value the interface{}
may contain and
replaces it with a map[string]interface{}
. With the same
data structure as above, here is what the result looks like:
.Unmarshal([]byte(data), &d)
toml.Printf("toml v2: %#v\n", d)
fmt
// toml v2: main.doc{A:map[string]interface {}{"B":"After"}}
This is to match encoding/json
’s behavior. There is no
way to make the v2 decoder behave like v1.
Values out of array bounds ignored
When decoding into an array, v1 returns an error when the number of elements contained in the doc is superior to the capacity of the array. For example:
type doc struct {
[2]string
A }
:= doc{}
d := toml.Unmarshal([]byte(`A = ["one", "two", "many"]`), &d)
err .Println(err)
fmt
// (1, 1): unmarshal: TOML array length (3) exceeds destination array length (2)
In the same situation, v2 ignores the last value:
:= toml.Unmarshal([]byte(`A = ["one", "two", "many"]`), &d)
err .Println("err:", err, "d:", d)
fmt// err: <nil> d: {[one two]}
This is to match encoding/json
’s behavior. There is no
way to make the v2 decoder behave like v1.
Support for
toml.Unmarshaler
has been dropped
This method was not widely used, poorly defined, and added a lot of
complexity. A similar effect can be achieved by implementing the
encoding.TextUnmarshaler
interface and use strings.
Support for
default
struct tag has been dropped
This feature adds complexity and a poorly defined API for an effect that can be accomplished outside of the library.
It does not seem like other format parsers in Go support that feature (the project referenced in the original ticket #202 has not been updated since 2017). Given that go-toml v2 should not touch values not in the document, the same effect can be achieved by pre-filling the struct with defaults (libraries like go-defaults can help). Also, string representation is not well defined for all types: it creates issues like #278.
The recommended replacement is pre-filling the struct before unmarshaling.
toml.Tree
replacement
This structure was the initial attempt at providing a document model
for go-toml. It allows manipulating the structure of any document,
encoding and decoding from their TOML representation. While a more
robust feature was initially planned in go-toml v2, this has been
ultimately removed
from scope of this library, with no plan to add it back at the
moment. The closest equivalent at the moment would be to unmarshal into
an interface{}
and use type assertions and/or reflection to
manipulate the arbitrary structure. However this would fall short of
providing all of the TOML features such as adding comments and be
specific about whitespace.
toml.Position
are not retrievable anymore
The API for retrieving the position (line, column) of a specific TOML element do not exist anymore. This was done to minimize the amount of concepts introduced by the library (query path), and avoid the performance hit related to storing positions in the absence of a document model, for a feature that seemed to have little use. Errors however have gained more detailed position information. Position retrieval seems better fitted for a document model, which has been removed from the scope of go-toml v2 at the moment.
Encoding / Marshal
Default struct fields order
V1 emits struct fields order alphabetically by default. V2 struct fields are emitted in order they are defined. For example:
type S struct {
string
B string
A }
:= S{
data : "B",
B: "A",
A}
, _ := tomlv1.Marshal(data)
b.Println("v1:\n" + string(b))
fmt
, _ = tomlv2.Marshal(data)
b.Println("v2:\n" + string(b))
fmt
// Output:
// v1:
// A = "A"
// B = "B"
// v2:
// B = 'B'
// A = 'A'
There is no way to make v2 encoder behave like v1. A workaround could
be to manually sort the fields alphabetically in the struct definition,
or generate struct types using reflect.StructOf
.
No indentation by default
V1 automatically indents content of tables by default. V2 does not.
However the same behavior can be obtained using Encoder.SetIndentTables
.
For example:
:= map[string]interface{}{
data "table": map[string]string{
"key": "value",
},
}
, _ := tomlv1.Marshal(data)
b.Println("v1:\n" + string(b))
fmt
, _ = tomlv2.Marshal(data)
b.Println("v2:\n" + string(b))
fmt
:= bytes.Buffer{}
buf := tomlv2.NewEncoder(&buf)
enc .SetIndentTables(true)
enc.Encode(data)
enc.Println("v2 Encoder:\n" + string(buf.Bytes()))
fmt
// Output:
// v1:
//
// [table]
// key = "value"
//
// v2:
// [table]
// key = 'value'
//
//
// v2 Encoder:
// [table]
// key = 'value'
Keys and strings are single quoted
V1 always uses double quotes ("
) around strings and keys
that cannot be represented bare (unquoted). V2 uses single quotes
instead by default ('
), unless a character cannot be
represented, then falls back to double quotes. As a result of this
change, Encoder.QuoteMapKeys
has been removed, as it is not
useful anymore.
There is no way to make v2 encoder behave like v1.
TextMarshaler
emits as a string, not TOML
Types that implement encoding.TextMarshaler
can emit arbitrary TOML in v1. The encoder would append the result to
the output directly. In v2 the result is wrapped in a string. As a
result, this interface cannot be implemented by the root object.
There is no way to make v2 encoder behave like v1.
Encoder.CompactComments
has been removed
Emitting compact comments is now the default behavior of go-toml. This option is not necessary anymore.
Struct tags have been merged
V1 used to provide multiple struct tags: comment
,
commented
, multiline
, toml
, and
omitempty
. To behave more like the standard library, v2 has
merged toml
, multiline
, and
omitempty
. For example:
type doc struct {
// v1
string `toml:"field" multiline:"true" omitempty:"true"`
F // v2
string `toml:"field,multiline,omitempty"`
F }
Has a result, the Encoder.SetTag*
methods have been
removed, as there is just one tag now.
commented
tag has
been removed
There is no replacement for the commented
tag. This
feature would be better suited in a proper document model for go-toml
v2, which has been cut
from scope at the moment.
Encoder.ArraysWithOneElementPerLine
has been renamed
The new name is Encoder.SetArraysMultiline
. The behavior
should be the same.
Encoder.Indentation
has been renamed
The new name is Encoder.SetIndentSymbol
. The behavior
should be the same.
Embedded structs behave like stdlib
V1 defaults to merging embedded struct fields into the embedding
struct. This behavior was unexpected because it does not follow the
standard library. To avoid breaking backward compatibility, the
Encoder.PromoteAnonymous
method was added to make the
encoder behave correctly. Given backward compatibility is not a problem
anymore, v2 does the right thing by default: it follows the behavior of
encoding/json
. Encoder.PromoteAnonymous
has
been removed.
query
go-toml v1 provided the go-toml/query
package. It allowed to run JSONPath-style queries on TOML files. This
feature is not available in v2. For a replacement, check out dasel.
This package has been removed because it was essentially not supported anymore (last commit May 2020), increased the complexity of the code base, and more complete solutions exist out there.
License
The MIT License (MIT). Read LICENSE.