Aleš
Aleš

Reputation: 9028

Decode/Encode multi-line string fields from YAML using golang

YAML files can contain fields with "multi-line string" data. Example below:

Data:
  Foo: |
    enemies=aliens
    lives=3
    enemies.cheat=true
    enemies.cheat.level=noGoodRotten

How can I properly encode and decode these in Golang and what should be the type of the Data field, map[string][]byte?

I tried:

import (
    yamlv2 "gopkg.in/yaml.v2"
)

type data struct {
  Data map[string][]byte
}

func decode(bytes []byte) (*data, error) {
  d := &data{}

  err := yamlv2.Unmarshal(bytes, d)
  if err != nil {
    return nil, err
  }
  return d, nil
}

Also see in Playground.

Upvotes: 0

Views: 1987

Answers (1)

W.K.S
W.K.S

Reputation: 10095

You would parse a multi-line string the same way as a normal string:

package main

import (
    "fmt"
    "gopkg.in/yaml.v2"
    "log"
)

var yamlString = `
Data:
  Foo: |
    enemies=aliens
    lives=3
    enemies.cheat=true
    enemies.cheat.level=noGoodRotten`

type data struct {
    Data map[string]string `yaml:"Data"`
}

func main() {
    t := data{}

    err := yaml.Unmarshal([]byte(yamlString), &t)
    if err != nil {
        log.Fatalf("error: %v", err)
    }

    if foo, ok := t.Data["Foo"]; ok {
        fmt.Printf("--- t:\n%v\n\n", foo)
    }
}

Upvotes: 1

Related Questions