本站源代码
You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

569 lines
15KB

  1. package toml
  2. import (
  3. "bufio"
  4. "errors"
  5. "fmt"
  6. "io"
  7. "reflect"
  8. "sort"
  9. "strconv"
  10. "strings"
  11. "time"
  12. )
  13. type tomlEncodeError struct{ error }
  14. var (
  15. errArrayMixedElementTypes = errors.New(
  16. "toml: cannot encode array with mixed element types")
  17. errArrayNilElement = errors.New(
  18. "toml: cannot encode array with nil element")
  19. errNonString = errors.New(
  20. "toml: cannot encode a map with non-string key type")
  21. errAnonNonStruct = errors.New(
  22. "toml: cannot encode an anonymous field that is not a struct")
  23. errArrayNoTable = errors.New(
  24. "toml: TOML array element cannot contain a table")
  25. errNoKey = errors.New(
  26. "toml: top-level values must be Go maps or structs")
  27. errAnything = errors.New("") // used in testing
  28. )
  29. var quotedReplacer = strings.NewReplacer(
  30. "\t", "\\t",
  31. "\n", "\\n",
  32. "\r", "\\r",
  33. "\"", "\\\"",
  34. "\\", "\\\\",
  35. )
  36. // Encoder controls the encoding of Go values to a TOML document to some
  37. // io.Writer.
  38. //
  39. // The indentation level can be controlled with the Indent field.
  40. type Encoder struct {
  41. // A single indentation level. By default it is two spaces.
  42. Indent string
  43. // hasWritten is whether we have written any output to w yet.
  44. hasWritten bool
  45. w *bufio.Writer
  46. }
  47. // NewEncoder returns a TOML encoder that encodes Go values to the io.Writer
  48. // given. By default, a single indentation level is 2 spaces.
  49. func NewEncoder(w io.Writer) *Encoder {
  50. return &Encoder{
  51. w: bufio.NewWriter(w),
  52. Indent: " ",
  53. }
  54. }
  55. // Encode writes a TOML representation of the Go value to the underlying
  56. // io.Writer. If the value given cannot be encoded to a valid TOML document,
  57. // then an error is returned.
  58. //
  59. // The mapping between Go values and TOML values should be precisely the same
  60. // as for the Decode* functions. Similarly, the TextMarshaler interface is
  61. // supported by encoding the resulting bytes as strings. (If you want to write
  62. // arbitrary binary data then you will need to use something like base64 since
  63. // TOML does not have any binary types.)
  64. //
  65. // When encoding TOML hashes (i.e., Go maps or structs), keys without any
  66. // sub-hashes are encoded first.
  67. //
  68. // If a Go map is encoded, then its keys are sorted alphabetically for
  69. // deterministic output. More control over this behavior may be provided if
  70. // there is demand for it.
  71. //
  72. // Encoding Go values without a corresponding TOML representation---like map
  73. // types with non-string keys---will cause an error to be returned. Similarly
  74. // for mixed arrays/slices, arrays/slices with nil elements, embedded
  75. // non-struct types and nested slices containing maps or structs.
  76. // (e.g., [][]map[string]string is not allowed but []map[string]string is OK
  77. // and so is []map[string][]string.)
  78. func (enc *Encoder) Encode(v interface{}) error {
  79. rv := eindirect(reflect.ValueOf(v))
  80. if err := enc.safeEncode(Key([]string{}), rv); err != nil {
  81. return err
  82. }
  83. return enc.w.Flush()
  84. }
  85. func (enc *Encoder) safeEncode(key Key, rv reflect.Value) (err error) {
  86. defer func() {
  87. if r := recover(); r != nil {
  88. if terr, ok := r.(tomlEncodeError); ok {
  89. err = terr.error
  90. return
  91. }
  92. panic(r)
  93. }
  94. }()
  95. enc.encode(key, rv)
  96. return nil
  97. }
  98. func (enc *Encoder) encode(key Key, rv reflect.Value) {
  99. // Special case. Time needs to be in ISO8601 format.
  100. // Special case. If we can marshal the type to text, then we used that.
  101. // Basically, this prevents the encoder for handling these types as
  102. // generic structs (or whatever the underlying type of a TextMarshaler is).
  103. switch rv.Interface().(type) {
  104. case time.Time, TextMarshaler:
  105. enc.keyEqElement(key, rv)
  106. return
  107. }
  108. k := rv.Kind()
  109. switch k {
  110. case reflect.Int, reflect.Int8, reflect.Int16, reflect.Int32,
  111. reflect.Int64,
  112. reflect.Uint, reflect.Uint8, reflect.Uint16, reflect.Uint32,
  113. reflect.Uint64,
  114. reflect.Float32, reflect.Float64, reflect.String, reflect.Bool:
  115. enc.keyEqElement(key, rv)
  116. case reflect.Array, reflect.Slice:
  117. if typeEqual(tomlArrayHash, tomlTypeOfGo(rv)) {
  118. enc.eArrayOfTables(key, rv)
  119. } else {
  120. enc.keyEqElement(key, rv)
  121. }
  122. case reflect.Interface:
  123. if rv.IsNil() {
  124. return
  125. }
  126. enc.encode(key, rv.Elem())
  127. case reflect.Map:
  128. if rv.IsNil() {
  129. return
  130. }
  131. enc.eTable(key, rv)
  132. case reflect.Ptr:
  133. if rv.IsNil() {
  134. return
  135. }
  136. enc.encode(key, rv.Elem())
  137. case reflect.Struct:
  138. enc.eTable(key, rv)
  139. default:
  140. panic(e("unsupported type for key '%s': %s", key, k))
  141. }
  142. }
  143. // eElement encodes any value that can be an array element (primitives and
  144. // arrays).
  145. func (enc *Encoder) eElement(rv reflect.Value) {
  146. switch v := rv.Interface().(type) {
  147. case time.Time:
  148. // Special case time.Time as a primitive. Has to come before
  149. // TextMarshaler below because time.Time implements
  150. // encoding.TextMarshaler, but we need to always use UTC.
  151. enc.wf(v.UTC().Format("2006-01-02T15:04:05Z"))
  152. return
  153. case TextMarshaler:
  154. // Special case. Use text marshaler if it's available for this value.
  155. if s, err := v.MarshalText(); err != nil {
  156. encPanic(err)
  157. } else {
  158. enc.writeQuoted(string(s))
  159. }
  160. return
  161. }
  162. switch rv.Kind() {
  163. case reflect.Bool:
  164. enc.wf(strconv.FormatBool(rv.Bool()))
  165. case reflect.Int, reflect.Int8, reflect.Int16, reflect.Int32,
  166. reflect.Int64:
  167. enc.wf(strconv.FormatInt(rv.Int(), 10))
  168. case reflect.Uint, reflect.Uint8, reflect.Uint16,
  169. reflect.Uint32, reflect.Uint64:
  170. enc.wf(strconv.FormatUint(rv.Uint(), 10))
  171. case reflect.Float32:
  172. enc.wf(floatAddDecimal(strconv.FormatFloat(rv.Float(), 'f', -1, 32)))
  173. case reflect.Float64:
  174. enc.wf(floatAddDecimal(strconv.FormatFloat(rv.Float(), 'f', -1, 64)))
  175. case reflect.Array, reflect.Slice:
  176. enc.eArrayOrSliceElement(rv)
  177. case reflect.Interface:
  178. enc.eElement(rv.Elem())
  179. case reflect.String:
  180. enc.writeQuoted(rv.String())
  181. default:
  182. panic(e("unexpected primitive type: %s", rv.Kind()))
  183. }
  184. }
  185. // By the TOML spec, all floats must have a decimal with at least one
  186. // number on either side.
  187. func floatAddDecimal(fstr string) string {
  188. if !strings.Contains(fstr, ".") {
  189. return fstr + ".0"
  190. }
  191. return fstr
  192. }
  193. func (enc *Encoder) writeQuoted(s string) {
  194. enc.wf("\"%s\"", quotedReplacer.Replace(s))
  195. }
  196. func (enc *Encoder) eArrayOrSliceElement(rv reflect.Value) {
  197. length := rv.Len()
  198. enc.wf("[")
  199. for i := 0; i < length; i++ {
  200. elem := rv.Index(i)
  201. enc.eElement(elem)
  202. if i != length-1 {
  203. enc.wf(", ")
  204. }
  205. }
  206. enc.wf("]")
  207. }
  208. func (enc *Encoder) eArrayOfTables(key Key, rv reflect.Value) {
  209. if len(key) == 0 {
  210. encPanic(errNoKey)
  211. }
  212. for i := 0; i < rv.Len(); i++ {
  213. trv := rv.Index(i)
  214. if isNil(trv) {
  215. continue
  216. }
  217. panicIfInvalidKey(key)
  218. enc.newline()
  219. enc.wf("%s[[%s]]", enc.indentStr(key), key.maybeQuotedAll())
  220. enc.newline()
  221. enc.eMapOrStruct(key, trv)
  222. }
  223. }
  224. func (enc *Encoder) eTable(key Key, rv reflect.Value) {
  225. panicIfInvalidKey(key)
  226. if len(key) == 1 {
  227. // Output an extra newline between top-level tables.
  228. // (The newline isn't written if nothing else has been written though.)
  229. enc.newline()
  230. }
  231. if len(key) > 0 {
  232. enc.wf("%s[%s]", enc.indentStr(key), key.maybeQuotedAll())
  233. enc.newline()
  234. }
  235. enc.eMapOrStruct(key, rv)
  236. }
  237. func (enc *Encoder) eMapOrStruct(key Key, rv reflect.Value) {
  238. switch rv := eindirect(rv); rv.Kind() {
  239. case reflect.Map:
  240. enc.eMap(key, rv)
  241. case reflect.Struct:
  242. enc.eStruct(key, rv)
  243. default:
  244. panic("eTable: unhandled reflect.Value Kind: " + rv.Kind().String())
  245. }
  246. }
  247. func (enc *Encoder) eMap(key Key, rv reflect.Value) {
  248. rt := rv.Type()
  249. if rt.Key().Kind() != reflect.String {
  250. encPanic(errNonString)
  251. }
  252. // Sort keys so that we have deterministic output. And write keys directly
  253. // underneath this key first, before writing sub-structs or sub-maps.
  254. var mapKeysDirect, mapKeysSub []string
  255. for _, mapKey := range rv.MapKeys() {
  256. k := mapKey.String()
  257. if typeIsHash(tomlTypeOfGo(rv.MapIndex(mapKey))) {
  258. mapKeysSub = append(mapKeysSub, k)
  259. } else {
  260. mapKeysDirect = append(mapKeysDirect, k)
  261. }
  262. }
  263. var writeMapKeys = func(mapKeys []string) {
  264. sort.Strings(mapKeys)
  265. for _, mapKey := range mapKeys {
  266. mrv := rv.MapIndex(reflect.ValueOf(mapKey))
  267. if isNil(mrv) {
  268. // Don't write anything for nil fields.
  269. continue
  270. }
  271. enc.encode(key.add(mapKey), mrv)
  272. }
  273. }
  274. writeMapKeys(mapKeysDirect)
  275. writeMapKeys(mapKeysSub)
  276. }
  277. func (enc *Encoder) eStruct(key Key, rv reflect.Value) {
  278. // Write keys for fields directly under this key first, because if we write
  279. // a field that creates a new table, then all keys under it will be in that
  280. // table (not the one we're writing here).
  281. rt := rv.Type()
  282. var fieldsDirect, fieldsSub [][]int
  283. var addFields func(rt reflect.Type, rv reflect.Value, start []int)
  284. addFields = func(rt reflect.Type, rv reflect.Value, start []int) {
  285. for i := 0; i < rt.NumField(); i++ {
  286. f := rt.Field(i)
  287. // skip unexported fields
  288. if f.PkgPath != "" && !f.Anonymous {
  289. continue
  290. }
  291. frv := rv.Field(i)
  292. if f.Anonymous {
  293. t := f.Type
  294. switch t.Kind() {
  295. case reflect.Struct:
  296. // Treat anonymous struct fields with
  297. // tag names as though they are not
  298. // anonymous, like encoding/json does.
  299. if getOptions(f.Tag).name == "" {
  300. addFields(t, frv, f.Index)
  301. continue
  302. }
  303. case reflect.Ptr:
  304. if t.Elem().Kind() == reflect.Struct &&
  305. getOptions(f.Tag).name == "" {
  306. if !frv.IsNil() {
  307. addFields(t.Elem(), frv.Elem(), f.Index)
  308. }
  309. continue
  310. }
  311. // Fall through to the normal field encoding logic below
  312. // for non-struct anonymous fields.
  313. }
  314. }
  315. if typeIsHash(tomlTypeOfGo(frv)) {
  316. fieldsSub = append(fieldsSub, append(start, f.Index...))
  317. } else {
  318. fieldsDirect = append(fieldsDirect, append(start, f.Index...))
  319. }
  320. }
  321. }
  322. addFields(rt, rv, nil)
  323. var writeFields = func(fields [][]int) {
  324. for _, fieldIndex := range fields {
  325. sft := rt.FieldByIndex(fieldIndex)
  326. sf := rv.FieldByIndex(fieldIndex)
  327. if isNil(sf) {
  328. // Don't write anything for nil fields.
  329. continue
  330. }
  331. opts := getOptions(sft.Tag)
  332. if opts.skip {
  333. continue
  334. }
  335. keyName := sft.Name
  336. if opts.name != "" {
  337. keyName = opts.name
  338. }
  339. if opts.omitempty && isEmpty(sf) {
  340. continue
  341. }
  342. if opts.omitzero && isZero(sf) {
  343. continue
  344. }
  345. enc.encode(key.add(keyName), sf)
  346. }
  347. }
  348. writeFields(fieldsDirect)
  349. writeFields(fieldsSub)
  350. }
  351. // tomlTypeName returns the TOML type name of the Go value's type. It is
  352. // used to determine whether the types of array elements are mixed (which is
  353. // forbidden). If the Go value is nil, then it is illegal for it to be an array
  354. // element, and valueIsNil is returned as true.
  355. // Returns the TOML type of a Go value. The type may be `nil`, which means
  356. // no concrete TOML type could be found.
  357. func tomlTypeOfGo(rv reflect.Value) tomlType {
  358. if isNil(rv) || !rv.IsValid() {
  359. return nil
  360. }
  361. switch rv.Kind() {
  362. case reflect.Bool:
  363. return tomlBool
  364. case reflect.Int, reflect.Int8, reflect.Int16, reflect.Int32,
  365. reflect.Int64,
  366. reflect.Uint, reflect.Uint8, reflect.Uint16, reflect.Uint32,
  367. reflect.Uint64:
  368. return tomlInteger
  369. case reflect.Float32, reflect.Float64:
  370. return tomlFloat
  371. case reflect.Array, reflect.Slice:
  372. if typeEqual(tomlHash, tomlArrayType(rv)) {
  373. return tomlArrayHash
  374. }
  375. return tomlArray
  376. case reflect.Ptr, reflect.Interface:
  377. return tomlTypeOfGo(rv.Elem())
  378. case reflect.String:
  379. return tomlString
  380. case reflect.Map:
  381. return tomlHash
  382. case reflect.Struct:
  383. switch rv.Interface().(type) {
  384. case time.Time:
  385. return tomlDatetime
  386. case TextMarshaler:
  387. return tomlString
  388. default:
  389. return tomlHash
  390. }
  391. default:
  392. panic("unexpected reflect.Kind: " + rv.Kind().String())
  393. }
  394. }
  395. // tomlArrayType returns the element type of a TOML array. The type returned
  396. // may be nil if it cannot be determined (e.g., a nil slice or a zero length
  397. // slize). This function may also panic if it finds a type that cannot be
  398. // expressed in TOML (such as nil elements, heterogeneous arrays or directly
  399. // nested arrays of tables).
  400. func tomlArrayType(rv reflect.Value) tomlType {
  401. if isNil(rv) || !rv.IsValid() || rv.Len() == 0 {
  402. return nil
  403. }
  404. firstType := tomlTypeOfGo(rv.Index(0))
  405. if firstType == nil {
  406. encPanic(errArrayNilElement)
  407. }
  408. rvlen := rv.Len()
  409. for i := 1; i < rvlen; i++ {
  410. elem := rv.Index(i)
  411. switch elemType := tomlTypeOfGo(elem); {
  412. case elemType == nil:
  413. encPanic(errArrayNilElement)
  414. case !typeEqual(firstType, elemType):
  415. encPanic(errArrayMixedElementTypes)
  416. }
  417. }
  418. // If we have a nested array, then we must make sure that the nested
  419. // array contains ONLY primitives.
  420. // This checks arbitrarily nested arrays.
  421. if typeEqual(firstType, tomlArray) || typeEqual(firstType, tomlArrayHash) {
  422. nest := tomlArrayType(eindirect(rv.Index(0)))
  423. if typeEqual(nest, tomlHash) || typeEqual(nest, tomlArrayHash) {
  424. encPanic(errArrayNoTable)
  425. }
  426. }
  427. return firstType
  428. }
  429. type tagOptions struct {
  430. skip bool // "-"
  431. name string
  432. omitempty bool
  433. omitzero bool
  434. }
  435. func getOptions(tag reflect.StructTag) tagOptions {
  436. t := tag.Get("toml")
  437. if t == "-" {
  438. return tagOptions{skip: true}
  439. }
  440. var opts tagOptions
  441. parts := strings.Split(t, ",")
  442. opts.name = parts[0]
  443. for _, s := range parts[1:] {
  444. switch s {
  445. case "omitempty":
  446. opts.omitempty = true
  447. case "omitzero":
  448. opts.omitzero = true
  449. }
  450. }
  451. return opts
  452. }
  453. func isZero(rv reflect.Value) bool {
  454. switch rv.Kind() {
  455. case reflect.Int, reflect.Int8, reflect.Int16, reflect.Int32, reflect.Int64:
  456. return rv.Int() == 0
  457. case reflect.Uint, reflect.Uint8, reflect.Uint16, reflect.Uint32, reflect.Uint64:
  458. return rv.Uint() == 0
  459. case reflect.Float32, reflect.Float64:
  460. return rv.Float() == 0.0
  461. }
  462. return false
  463. }
  464. func isEmpty(rv reflect.Value) bool {
  465. switch rv.Kind() {
  466. case reflect.Array, reflect.Slice, reflect.Map, reflect.String:
  467. return rv.Len() == 0
  468. case reflect.Bool:
  469. return !rv.Bool()
  470. }
  471. return false
  472. }
  473. func (enc *Encoder) newline() {
  474. if enc.hasWritten {
  475. enc.wf("\n")
  476. }
  477. }
  478. func (enc *Encoder) keyEqElement(key Key, val reflect.Value) {
  479. if len(key) == 0 {
  480. encPanic(errNoKey)
  481. }
  482. panicIfInvalidKey(key)
  483. enc.wf("%s%s = ", enc.indentStr(key), key.maybeQuoted(len(key)-1))
  484. enc.eElement(val)
  485. enc.newline()
  486. }
  487. func (enc *Encoder) wf(format string, v ...interface{}) {
  488. if _, err := fmt.Fprintf(enc.w, format, v...); err != nil {
  489. encPanic(err)
  490. }
  491. enc.hasWritten = true
  492. }
  493. func (enc *Encoder) indentStr(key Key) string {
  494. return strings.Repeat(enc.Indent, len(key)-1)
  495. }
  496. func encPanic(err error) {
  497. panic(tomlEncodeError{err})
  498. }
  499. func eindirect(v reflect.Value) reflect.Value {
  500. switch v.Kind() {
  501. case reflect.Ptr, reflect.Interface:
  502. return eindirect(v.Elem())
  503. default:
  504. return v
  505. }
  506. }
  507. func isNil(rv reflect.Value) bool {
  508. switch rv.Kind() {
  509. case reflect.Interface, reflect.Map, reflect.Ptr, reflect.Slice:
  510. return rv.IsNil()
  511. default:
  512. return false
  513. }
  514. }
  515. func panicIfInvalidKey(key Key) {
  516. for _, k := range key {
  517. if len(k) == 0 {
  518. encPanic(e("Key '%s' is not a valid table name. Key names "+
  519. "cannot be empty.", key.maybeQuotedAll()))
  520. }
  521. }
  522. }
  523. func isValidKeyName(s string) bool {
  524. return len(s) != 0
  525. }
上海开阖软件有限公司 沪ICP备12045867号-1