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
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
|
package schema
import (
"bytes"
"errors"
"fmt"
"reflect"
"regexp"
bare "git.sr.ht/~runxiyu/go-bareish"
)
var (
intType = reflect.TypeOf(bare.Int(0))
uintType = reflect.TypeOf(bare.Uint(0))
)
// Given a pointer to a value, returns the BARE schema language representation
// for that value type.
//
// var example string
// schema.SchemaFor(&example); // "string"
//
// Given a struct type, if the "bare" tag is found on its fields, it will be
// used as the field name in the generated schema.
func SchemaFor(val interface{}) (string, error) {
t := reflect.TypeOf(val)
if t.Kind() == reflect.Ptr {
t = t.Elem()
} else {
return "", errors.New("Expected val to be pointer type")
}
return SchemaForType(t)
}
// Given a reflect.Type, returns the BARE schema language representation for
// that type. See SchemaFor for details.
func SchemaForType(t reflect.Type) (string, error) {
// TODO: Implement user-defined types for unparsing schemas from
if t.Kind() == reflect.Ptr {
schema, err := SchemaForType(t.Elem())
if err != nil {
return "", err
}
return fmt.Sprintf("optional<%s>", schema), nil
}
switch t {
case intType:
return "int", nil
case uintType:
return "uint", nil
}
switch t.Kind() {
case reflect.Uint8:
return "u8", nil
case reflect.Uint16:
return "u16", nil
case reflect.Uint32:
return "u32", nil
case reflect.Uint64:
return "u64", nil
case reflect.Uint:
return "uint", nil
case reflect.Int8:
return "i8", nil
case reflect.Int16:
return "i16", nil
case reflect.Int32:
return "i32", nil
case reflect.Int64:
return "i64", nil
case reflect.Int:
return "int", nil
case reflect.Float32:
return "f32", nil
case reflect.Float64:
return "f64", nil
case reflect.Bool:
return "bool", nil
case reflect.String:
return "string", nil
case reflect.Struct:
return schemaForStruct(t)
default:
return "", &bare.UnsupportedTypeError{t}
}
}
var tagFieldNameRE = regexp.MustCompile(`"[a-z][A-Za-z0-9]*"`)
func schemaForStruct(t reflect.Type) (string, error) {
buf := bytes.NewBufferString("{\n")
for i := 0; i < t.NumField(); i++ {
field := t.Field(i)
schema, err := SchemaForType(field.Type)
if err != nil {
return "", err
}
// TODO: Convert Go names into valid schema names
name := field.Name
if tag, ok := field.Tag.Lookup("bare"); ok {
name = tagFieldNameRE.FindString(tag)
if name == "" {
name = field.Name
}
}
buf.WriteString(fmt.Sprintf("\t%s: %s\n", name, schema))
}
buf.WriteString("}")
return buf.String(), nil
}
|