-
Notifications
You must be signed in to change notification settings - Fork 52
/
Copy pathenum_deffinition.go
89 lines (73 loc) · 2.26 KB
/
enum_deffinition.go
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
package main
import (
"encoding/json"
"fmt"
"sort"
)
// EnumsSection appears in json file on top of enums deffinition section.
type EnumsSection struct {
EnumComments json.RawMessage `json:"enum_comments"`
Enums json.RawMessage `json:"enums"`
}
// EnumDef represents a definition of an ImGui enum (like flags).
type EnumDef struct {
Name EnumIdentifier
CommentAbove string
Values []EnumValueDef
}
// EnumValueDef represents a definition of an ImGui enum value.
type EnumValueDef struct {
Name CIdentifier `json:"name"`
Value int `json:"calc_value"`
Comment string `json:"comment"`
}
type CommentDef struct {
Above string `json:"above"`
Sameline string `json:"sameline"`
}
// getEnumDefs takes a json file bytes (struct_and_enums.json) and returns a slice of EnumDef.
func getEnumDefs(enumJsonBytes []byte) ([]EnumDef, error) {
var enumSectionJson EnumsSection
err := json.Unmarshal(enumJsonBytes, &enumSectionJson)
if err != nil {
return nil, fmt.Errorf("cannot extract enums section from json: %w", err)
}
var enums []EnumDef
var enumJson map[string]json.RawMessage
err = json.Unmarshal(enumSectionJson.Enums, &enumJson)
if err != nil {
return nil, fmt.Errorf("cannot unmarshal enums section: %w", err)
}
enumCommentsJson := make(map[string]json.RawMessage)
if enumSectionJson.EnumComments != nil {
err = json.Unmarshal(enumSectionJson.EnumComments, &enumCommentsJson)
if err != nil {
return nil, fmt.Errorf("cannot unmarshal enum comments section: %w", err)
}
}
for k, v := range enumJson {
var enumValues []EnumValueDef
err := json.Unmarshal(v, &enumValues)
if err != nil {
return nil, fmt.Errorf("cannot unmarshal enum %s: %w", k, err)
}
enum := EnumDef{
Name: EnumIdentifier(k),
Values: enumValues,
}
if commentData, ok := enumCommentsJson[k]; ok {
var enumCommentValue CommentDef
err := json.Unmarshal(commentData, &enumCommentValue)
if err != nil {
return nil, fmt.Errorf("cannot unmarshal enum comment data %s: %w", k, err)
}
enum.CommentAbove = enumCommentValue.Above
}
enums = append(enums, enum)
}
// sort lexicographically for determenistic generation
sort.Slice(enums, func(i, j int) bool {
return enums[i].Name < enums[j].Name
})
return enums, nil
}