astrut.go 12 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366
  1. package astruct
  2. import (
  3. "encoding/json"
  4. "fmt"
  5. "log"
  6. "os"
  7. "reflect"
  8. "strings"
  9. "golang.org/x/exp/maps"
  10. "golang.org/x/exp/slices"
  11. )
  12. type Map map[string]reflect.Kind
  13. // The main structure to use with astruct
  14. //
  15. // This structure contains options to configure behavior and methods in which to parse (JSON) and output (structs in source code)
  16. type Astruct struct {
  17. // Options
  18. Use32Bit bool // Defaults to false, using 64-bit int and 64-bit float, when true, uses 32-bit variants of int and float
  19. UseAny bool // Defaults to true, when false the key word any will be replaced with interface{} (unless UseInterface is false, in which error is thrown)
  20. UseInterface bool // Defaults to true, when astruct isn't able to determine a type (being an array with multiple types) it will fallback to interface{} (unless UseAny is true in which any is used)
  21. VerboseLogging bool // Dump verbose info into logs (User must setup log first!)
  22. AssumeStruct bool // Even if a type could be a map it will make a structure for it instead, default false (instead it will try to use a map unless varying types detected)
  23. PrefixStructName string // If not an empty "" string, Structures will be prefixed (for cases where you're going to have a single file produced with various structures from astruct, helps prevent name collisions, which would normally error out)
  24. // In-Memory Data (This data is gathered to form final products)
  25. // Almost all of these will be key being field name for in a structure (if one needs to be built) and value of reflect.Kind to determine:
  26. // 1. If the given thing was seen before (as with the case of say an []struct) or if that isn't possible as it's something else (in which a structure might not be possible)
  27. // 2. If a map is actually better represented as a structure (In the case of AssumeStruct the map won't be an option instead a map[string]struct would be used, or even []struct)
  28. MapLikes map[string]Map // Holds map-like structures which might be better defined as structures if they have varying types (else it will retain a single type being a map)
  29. ArrayLikes map[string][]reflect.Kind // Holds array-like structures (this includes slices) which might be able to be defined as arrays (but if varying types are encountered then it might end up as []any or []interface{})
  30. Parent any // Position just above the Current position (for when we're done parsing this "depth", or if this is nil to indicate we're done)
  31. Depth uint // Tracks how many nested structures (map, array/slice) deep we are
  32. }
  33. // Initializes to default options (this also resets the In-Memory Data to an initialized state)
  34. func (A *Astruct) Defaults() {
  35. A.Use32Bit = false
  36. A.UseAny = true
  37. A.UseInterface = true
  38. A.VerboseLogging = false
  39. A.AssumeStruct = false
  40. A.PrefixStructName = ""
  41. A.Init()
  42. }
  43. // This resets the In-Memory Data to an initialized state
  44. func (A *Astruct) Init() {
  45. A.MapLikes = make(map[string]Map)
  46. A.ArrayLikes = make(map[string][]reflect.Kind)
  47. A.Parent = nil
  48. A.Depth = 0
  49. }
  50. // Creates a new Astruct, if given a Prefix for generated structs (only the first one) will be used
  51. func NewAstruct(PrefixStructName ...string) *Astruct {
  52. A := &Astruct{}
  53. A.Defaults()
  54. if len(PrefixStructName) != 0 {
  55. A.PrefixStructName = CamelCase(PrefixStructName[0])
  56. }
  57. return A
  58. }
  59. func (A *Astruct) ReadFile(filename string) error {
  60. data, err := os.ReadFile(filename)
  61. if err != nil {
  62. return fmt.Errorf("astruct.Astruct.ReadFile(filename='%s') On os.ReadFile > %w", filename, err)
  63. }
  64. var root map[string]any
  65. err = json.Unmarshal(data, &root)
  66. if err != nil {
  67. return fmt.Errorf("astruct.Astruct.ReadFile(filename='%s') On json.Unmarshal > %w", filename, err)
  68. }
  69. // Begin parsing...
  70. A.parse(root, "")
  71. return nil
  72. }
  73. func (A *Astruct) parse(at any, name string) error {
  74. switch reflect.TypeOf(at).Kind() {
  75. case reflect.Map:
  76. m := at.(map[string]any)
  77. var last_type reflect.Kind = 0
  78. var same_type bool = true
  79. for k, v := range m {
  80. fmt.Printf(strings.Repeat(" ", int(A.Depth))+"'%s' = %s\n", k, reflect.TypeOf(v).Kind().String())
  81. if same_type {
  82. if last_type == 0 {
  83. last_type = reflect.TypeOf(v).Kind()
  84. } else if reflect.TypeOf(v).Kind() != last_type {
  85. same_type = false
  86. }
  87. }
  88. switch reflect.TypeOf(v).Kind() {
  89. case reflect.Map:
  90. A.Depth += 1
  91. err := A.parse(v, k)
  92. if err != nil {
  93. return err
  94. }
  95. A.Depth -= 1
  96. case reflect.Array, reflect.Slice:
  97. A.Depth += 1
  98. err := A.parse(v, k)
  99. if err != nil {
  100. return err
  101. }
  102. A.Depth -= 1
  103. }
  104. }
  105. A.MapLikes[name] = make(Map)
  106. if !same_type {
  107. for k, v := range m {
  108. if reflect.TypeOf(v).Kind() == reflect.Float32 || reflect.TypeOf(v).Kind() == reflect.Float64 {
  109. f := v.(float64)
  110. if IsInt(f) {
  111. A.MapLikes[name][k] = reflect.Int64
  112. } else {
  113. A.MapLikes[name][k] = reflect.Float64
  114. }
  115. } else {
  116. A.MapLikes[name][k] = reflect.TypeOf(v).Kind()
  117. }
  118. }
  119. } else {
  120. A.MapLikes[name]["all"] = reflect.TypeOf(m[maps.Keys(m)[0]]).Kind()
  121. }
  122. case reflect.Array, reflect.Slice:
  123. a := at.([]any)
  124. var last_type reflect.Kind = 0
  125. var same_type bool = true
  126. for i, v := range a {
  127. fmt.Printf(strings.Repeat(" ", int(A.Depth))+"%d = %s\n", i, reflect.TypeOf(v).Kind().String())
  128. if same_type {
  129. if last_type == 0 {
  130. last_type = reflect.TypeOf(v).Kind()
  131. } else if reflect.TypeOf(v).Kind() != last_type {
  132. same_type = false
  133. }
  134. }
  135. switch reflect.TypeOf(v).Kind() {
  136. case reflect.Map:
  137. A.Depth += 1
  138. err := A.parse(v, fmt.Sprint(i))
  139. if err != nil {
  140. return err
  141. }
  142. A.Depth -= 1
  143. case reflect.Array, reflect.Slice:
  144. A.Depth += 1
  145. err := A.parse(v, fmt.Sprint(i))
  146. if err != nil {
  147. return err
  148. }
  149. A.Depth -= 1
  150. }
  151. }
  152. A.ArrayLikes[name] = []reflect.Kind{}
  153. if !same_type {
  154. for _, v := range a {
  155. if reflect.TypeOf(v).Kind() == reflect.Float32 || reflect.TypeOf(v).Kind() == reflect.Float64 {
  156. f := v.(float64)
  157. if IsInt(f) {
  158. A.ArrayLikes[name] = append(A.ArrayLikes[name], reflect.Int64)
  159. } else {
  160. A.ArrayLikes[name] = append(A.ArrayLikes[name], reflect.Float64)
  161. }
  162. } else {
  163. A.ArrayLikes[name] = append(A.ArrayLikes[name], reflect.TypeOf(v).Kind())
  164. }
  165. }
  166. } else {
  167. v := a[0]
  168. if reflect.TypeOf(v).Kind() == reflect.Float32 || reflect.TypeOf(v).Kind() == reflect.Float64 {
  169. f := v.(float64)
  170. if IsInt(f) {
  171. A.ArrayLikes[name] = append(A.ArrayLikes[name], reflect.Int64)
  172. } else {
  173. A.ArrayLikes[name] = append(A.ArrayLikes[name], reflect.Float64)
  174. }
  175. } else {
  176. A.ArrayLikes[name] = append(A.ArrayLikes[name], reflect.TypeOf(v).Kind())
  177. }
  178. }
  179. default:
  180. fmt.Printf(strings.Repeat(" ", int(A.Depth))+"%s\n", reflect.TypeOf(at).Kind().String())
  181. }
  182. return nil
  183. }
  184. // Checks if the given JSON Number (represented as float64) can be a int64 instead
  185. func IsInt(v float64) bool {
  186. str := fmt.Sprintf("%f", v)
  187. fmt.Printf("'%s' = ", str)
  188. var hit_dot bool = false
  189. for _, r := range str {
  190. if r == '.' {
  191. hit_dot = true
  192. continue
  193. }
  194. if hit_dot {
  195. if r != '0' {
  196. fmt.Println("false")
  197. return false
  198. }
  199. }
  200. }
  201. fmt.Println("true")
  202. return true
  203. }
  204. // Checks if the given data (either map or array/slice) contains the same types
  205. //
  206. // Used to identify if a map or array/slice could be used (unless AssumeStruct is true in which a struct will always be made)
  207. func SameType(data any) bool {
  208. if reflect.TypeOf(data) == reflect.TypeOf(Map{}) {
  209. m := data.(Map)
  210. var last_type reflect.Kind = 0
  211. for _, v := range m {
  212. if last_type == 0 {
  213. last_type = v
  214. } else if v != last_type {
  215. return false
  216. }
  217. }
  218. return true
  219. }
  220. switch reflect.TypeOf(data).Kind() {
  221. case reflect.Map:
  222. m := data.(map[string]any)
  223. var last_type reflect.Kind = 0
  224. for _, v := range m {
  225. if last_type == 0 {
  226. last_type = reflect.TypeOf(v).Kind()
  227. } else if reflect.TypeOf(v).Kind() != last_type {
  228. return false
  229. }
  230. }
  231. return true
  232. case reflect.Array, reflect.Slice:
  233. a := data.([]any)
  234. var last_type reflect.Kind = 0
  235. for _, v := range a {
  236. if last_type == 0 {
  237. last_type = reflect.TypeOf(v).Kind()
  238. } else if reflect.TypeOf(v).Kind() != last_type {
  239. return false
  240. }
  241. }
  242. return true
  243. }
  244. return false
  245. }
  246. func CamelCase(field string) string {
  247. if len(field) == 0 {
  248. return ""
  249. }
  250. var result string
  251. if !strings.Contains(field, " ") || !strings.Contains(field, "-") {
  252. result += strings.ToUpper(string(field[0]))
  253. result += field[1:]
  254. return result
  255. }
  256. result = strings.ToTitle(field)
  257. result = strings.ReplaceAll(result, " ", "")
  258. result = strings.ReplaceAll(result, "-", "")
  259. return result
  260. }
  261. func (A *Astruct) WriteFile(filename, packageName string, permissions os.FileMode) error {
  262. if packageName == "" {
  263. return fmt.Errorf("astruct.Astruct.WriteFile(filename='%s', packageName='%s', permissions=%d) > %s", filename, packageName, permissions, "Missing 'packageName', this must not be empty!")
  264. }
  265. var successful bool = true
  266. fh, err := os.OpenFile(filename, os.O_WRONLY|os.O_CREATE|os.O_TRUNC, permissions)
  267. if err != nil {
  268. return fmt.Errorf("astruct.Astruct.WriteFile(filename='%s', packageName='%s', permissions=%d) On os.OpenFile > %w", filename, packageName, permissions, err)
  269. }
  270. defer func() {
  271. fh.Close()
  272. if !successful {
  273. err = os.Remove(filename)
  274. if err != nil {
  275. log.Panicf("astruct.Astruct.WriteFile(filename='%s', packageName='%s', permissions=%d) On os.Remove > %v", filename, packageName, permissions, err)
  276. }
  277. }
  278. }()
  279. fh.WriteString(fmt.Sprintf("package %s\n\n", packageName))
  280. //var slices_to_structs []string = []string{}
  281. var seen []string = []string{}
  282. for name, m := range A.MapLikes {
  283. if name == "all" { // Ignore the root node for now
  284. continue
  285. }
  286. if slices.Contains(seen, name) {
  287. continue
  288. }
  289. if !A.AssumeStruct || !SameType(m) {
  290. fh.WriteString(fmt.Sprintf("type %s%s struct {\n", A.PrefixStructName, CamelCase(name)))
  291. for k, v := range m {
  292. if slices.Contains(maps.Keys(A.MapLikes), k) {
  293. if SameType(A.MapLikes[k]) {
  294. fh.WriteString(fmt.Sprintf("\t%s map[string]%s\n", CamelCase(k), A.MapLikes[k]["all"].String()))
  295. seen = append(seen, k)
  296. } else {
  297. fh.WriteString(fmt.Sprintf("\t%s %s%s\n", CamelCase(k), A.PrefixStructName, CamelCase(k)))
  298. }
  299. } else {
  300. if slices.Contains(maps.Keys(A.ArrayLikes), k) {
  301. a := A.ArrayLikes[k]
  302. if len(a) == 1 {
  303. if a[0] == reflect.Float64 && A.Use32Bit {
  304. fh.WriteString(fmt.Sprintf("\t%s []float32\n", CamelCase(k)))
  305. continue
  306. } else if a[0] == reflect.Int64 && A.Use32Bit {
  307. fh.WriteString(fmt.Sprintf("\t%s []int32\n", CamelCase(k)))
  308. continue
  309. } else if a[0] == reflect.Map && A.AssumeStruct {
  310. fh.WriteString(fmt.Sprintf("\t%s []%s\n", CamelCase(k), CamelCase(k)))
  311. continue
  312. } else if a[0] == reflect.Map && !A.AssumeStruct {
  313. fh.WriteString(fmt.Sprintf("\t%s []%s%d\n", CamelCase(k), CamelCase(k), 0))
  314. continue
  315. }
  316. fh.WriteString(fmt.Sprintf("\t%s []%s\n", CamelCase(k), a[0]))
  317. } else {
  318. //fh.WriteString(fmt.Sprintf("\t%s []%s\n", CamelCase(k), CamelCase(k)))
  319. //slices_to_structs = append(slices_to_structs, k)
  320. if A.UseAny && A.UseInterface {
  321. fh.WriteString(fmt.Sprintf("\t%s []any\n", CamelCase(k)))
  322. } else if !A.UseAny && A.UseInterface {
  323. fh.WriteString(fmt.Sprintf("\t%s []interface{}\n", CamelCase(k)))
  324. } else {
  325. return fmt.Errorf("astruct.Astruct.WriteFile(filename='%s', packageName='%s', permissions=%d) > Field '%s' is a slice, but it contains varying types (!UseAny, !UseInterface)", filename, packageName, permissions, k)
  326. }
  327. }
  328. } else {
  329. if v == reflect.Float64 && A.Use32Bit {
  330. fh.WriteString(fmt.Sprintf("\t%s float32\n", CamelCase(k)))
  331. continue
  332. } else if v == reflect.Int64 && A.Use32Bit {
  333. fh.WriteString(fmt.Sprintf("\t%s int32\n", CamelCase(k)))
  334. continue
  335. }
  336. fh.WriteString(fmt.Sprintf("\t%s %s\n", CamelCase(k), v.String()))
  337. }
  338. }
  339. }
  340. fh.WriteString("}\n\n")
  341. }
  342. }
  343. /*
  344. for _, name := range slices_to_structs {
  345. fh.WriteString(fmt.Sprintf("type %s%s struct {\n", A.PrefixStructName, name))
  346. for _,
  347. }
  348. */
  349. return nil
  350. }