File: example_decoder_register_test.go

package info (click to toggle)
golang-github-jszwec-csvutil 1.7.1-2
  • links: PTS, VCS
  • area: main
  • in suites: bookworm, forky, sid, trixie
  • size: 396 kB
  • sloc: makefile: 2
file content (97 lines) | stat: -rw-r--r-- 1,703 bytes parent folder | download
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
package csvutil_test

import (
	"encoding/csv"
	"errors"
	"fmt"
	"strconv"
	"strings"
	"time"
	"unicode"

	"github.com/jszwec/csvutil"
)

type IntStruct struct {
	Value int
}

func (i *IntStruct) Scan(state fmt.ScanState, verb rune) error {
	switch verb {
	case 'd', 'v':
	default:
		return errors.New("unsupported verb")
	}

	t, err := state.Token(false, unicode.IsDigit)
	if err != nil {
		return err
	}

	n, err := strconv.Atoi(string(t))
	if err != nil {
		return err
	}
	*i = IntStruct{Value: n}
	return nil
}

func ExampleDecoder_Register() {
	type Foo struct {
		Time      time.Time `csv:"time"`
		Hex       int       `csv:"hex"`
		PtrHex    *int      `csv:"ptr_hex"`
		IntStruct IntStruct `csv:"int_struct"`
	}

	unmarshalInt := func(data []byte, n *int) error {
		v, err := strconv.ParseInt(string(data), 16, 64)
		if err != nil {
			return err
		}
		*n = int(v)
		return nil
	}

	unmarshalTime := func(data []byte, t *time.Time) error {
		tt, err := time.Parse(time.Kitchen, string(data))
		if err != nil {
			return err
		}
		*t = tt
		return nil
	}

	unmarshalScanner := func(data []byte, s fmt.Scanner) error {
		_, err := fmt.Sscan(string(data), s)
		return err
	}

	const data = `time,hex,ptr_hex,int_struct
12:00PM,f,a,34`

	r := csv.NewReader(strings.NewReader(data))
	dec, err := csvutil.NewDecoder(r)
	if err != nil {
		panic(err)
	}

	dec.Register(unmarshalInt)
	dec.Register(unmarshalTime)
	dec.Register(unmarshalScanner)

	var foos []Foo
	if err := dec.Decode(&foos); err != nil {
		fmt.Println("error:", err)
	}

	fmt.Printf("%s,%d,%d,%+v",
		foos[0].Time.Format(time.Kitchen),
		foos[0].Hex,
		*foos[0].PtrHex,
		foos[0].IntStruct,
	)

	// Output:
	// 12:00PM,15,10,{Value:34}
}