path.go 8.7 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309
  1. // Copyright 2017, The Go Authors. All rights reserved.
  2. // Use of this source code is governed by a BSD-style
  3. // license that can be found in the LICENSE.md file.
  4. package cmp
  5. import (
  6. "fmt"
  7. "reflect"
  8. "strings"
  9. "unicode"
  10. "unicode/utf8"
  11. )
  12. type (
  13. // Path is a list of PathSteps describing the sequence of operations to get
  14. // from some root type to the current position in the value tree.
  15. // The first Path element is always an operation-less PathStep that exists
  16. // simply to identify the initial type.
  17. //
  18. // When traversing structs with embedded structs, the embedded struct will
  19. // always be accessed as a field before traversing the fields of the
  20. // embedded struct themselves. That is, an exported field from the
  21. // embedded struct will never be accessed directly from the parent struct.
  22. Path []PathStep
  23. // PathStep is a union-type for specific operations to traverse
  24. // a value's tree structure. Users of this package never need to implement
  25. // these types as values of this type will be returned by this package.
  26. PathStep interface {
  27. String() string
  28. Type() reflect.Type // Resulting type after performing the path step
  29. isPathStep()
  30. }
  31. // SliceIndex is an index operation on a slice or array at some index Key.
  32. SliceIndex interface {
  33. PathStep
  34. Key() int // May return -1 if in a split state
  35. // SplitKeys returns the indexes for indexing into slices in the
  36. // x and y values, respectively. These indexes may differ due to the
  37. // insertion or removal of an element in one of the slices, causing
  38. // all of the indexes to be shifted. If an index is -1, then that
  39. // indicates that the element does not exist in the associated slice.
  40. //
  41. // Key is guaranteed to return -1 if and only if the indexes returned
  42. // by SplitKeys are not the same. SplitKeys will never return -1 for
  43. // both indexes.
  44. SplitKeys() (x int, y int)
  45. isSliceIndex()
  46. }
  47. // MapIndex is an index operation on a map at some index Key.
  48. MapIndex interface {
  49. PathStep
  50. Key() reflect.Value
  51. isMapIndex()
  52. }
  53. // TypeAssertion represents a type assertion on an interface.
  54. TypeAssertion interface {
  55. PathStep
  56. isTypeAssertion()
  57. }
  58. // StructField represents a struct field access on a field called Name.
  59. StructField interface {
  60. PathStep
  61. Name() string
  62. Index() int
  63. isStructField()
  64. }
  65. // Indirect represents pointer indirection on the parent type.
  66. Indirect interface {
  67. PathStep
  68. isIndirect()
  69. }
  70. // Transform is a transformation from the parent type to the current type.
  71. Transform interface {
  72. PathStep
  73. Name() string
  74. Func() reflect.Value
  75. // Option returns the originally constructed Transformer option.
  76. // The == operator can be used to detect the exact option used.
  77. Option() Option
  78. isTransform()
  79. }
  80. )
  81. func (pa *Path) push(s PathStep) {
  82. *pa = append(*pa, s)
  83. }
  84. func (pa *Path) pop() {
  85. *pa = (*pa)[:len(*pa)-1]
  86. }
  87. // Last returns the last PathStep in the Path.
  88. // If the path is empty, this returns a non-nil PathStep that reports a nil Type.
  89. func (pa Path) Last() PathStep {
  90. return pa.Index(-1)
  91. }
  92. // Index returns the ith step in the Path and supports negative indexing.
  93. // A negative index starts counting from the tail of the Path such that -1
  94. // refers to the last step, -2 refers to the second-to-last step, and so on.
  95. // If index is invalid, this returns a non-nil PathStep that reports a nil Type.
  96. func (pa Path) Index(i int) PathStep {
  97. if i < 0 {
  98. i = len(pa) + i
  99. }
  100. if i < 0 || i >= len(pa) {
  101. return pathStep{}
  102. }
  103. return pa[i]
  104. }
  105. // String returns the simplified path to a node.
  106. // The simplified path only contains struct field accesses.
  107. //
  108. // For example:
  109. // MyMap.MySlices.MyField
  110. func (pa Path) String() string {
  111. var ss []string
  112. for _, s := range pa {
  113. if _, ok := s.(*structField); ok {
  114. ss = append(ss, s.String())
  115. }
  116. }
  117. return strings.TrimPrefix(strings.Join(ss, ""), ".")
  118. }
  119. // GoString returns the path to a specific node using Go syntax.
  120. //
  121. // For example:
  122. // (*root.MyMap["key"].(*mypkg.MyStruct).MySlices)[2][3].MyField
  123. func (pa Path) GoString() string {
  124. var ssPre, ssPost []string
  125. var numIndirect int
  126. for i, s := range pa {
  127. var nextStep PathStep
  128. if i+1 < len(pa) {
  129. nextStep = pa[i+1]
  130. }
  131. switch s := s.(type) {
  132. case *indirect:
  133. numIndirect++
  134. pPre, pPost := "(", ")"
  135. switch nextStep.(type) {
  136. case *indirect:
  137. continue // Next step is indirection, so let them batch up
  138. case *structField:
  139. numIndirect-- // Automatic indirection on struct fields
  140. case nil:
  141. pPre, pPost = "", "" // Last step; no need for parenthesis
  142. }
  143. if numIndirect > 0 {
  144. ssPre = append(ssPre, pPre+strings.Repeat("*", numIndirect))
  145. ssPost = append(ssPost, pPost)
  146. }
  147. numIndirect = 0
  148. continue
  149. case *transform:
  150. ssPre = append(ssPre, s.trans.name+"(")
  151. ssPost = append(ssPost, ")")
  152. continue
  153. case *typeAssertion:
  154. // As a special-case, elide type assertions on anonymous types
  155. // since they are typically generated dynamically and can be very
  156. // verbose. For example, some transforms return interface{} because
  157. // of Go's lack of generics, but typically take in and return the
  158. // exact same concrete type.
  159. if s.Type().PkgPath() == "" {
  160. continue
  161. }
  162. }
  163. ssPost = append(ssPost, s.String())
  164. }
  165. for i, j := 0, len(ssPre)-1; i < j; i, j = i+1, j-1 {
  166. ssPre[i], ssPre[j] = ssPre[j], ssPre[i]
  167. }
  168. return strings.Join(ssPre, "") + strings.Join(ssPost, "")
  169. }
  170. type (
  171. pathStep struct {
  172. typ reflect.Type
  173. }
  174. sliceIndex struct {
  175. pathStep
  176. xkey, ykey int
  177. }
  178. mapIndex struct {
  179. pathStep
  180. key reflect.Value
  181. }
  182. typeAssertion struct {
  183. pathStep
  184. }
  185. structField struct {
  186. pathStep
  187. name string
  188. idx int
  189. // These fields are used for forcibly accessing an unexported field.
  190. // pvx, pvy, and field are only valid if unexported is true.
  191. unexported bool
  192. force bool // Forcibly allow visibility
  193. pvx, pvy reflect.Value // Parent values
  194. field reflect.StructField // Field information
  195. }
  196. indirect struct {
  197. pathStep
  198. }
  199. transform struct {
  200. pathStep
  201. trans *transformer
  202. }
  203. )
  204. func (ps pathStep) Type() reflect.Type { return ps.typ }
  205. func (ps pathStep) String() string {
  206. if ps.typ == nil {
  207. return "<nil>"
  208. }
  209. s := ps.typ.String()
  210. if s == "" || strings.ContainsAny(s, "{}\n") {
  211. return "root" // Type too simple or complex to print
  212. }
  213. return fmt.Sprintf("{%s}", s)
  214. }
  215. func (si sliceIndex) String() string {
  216. switch {
  217. case si.xkey == si.ykey:
  218. return fmt.Sprintf("[%d]", si.xkey)
  219. case si.ykey == -1:
  220. // [5->?] means "I don't know where X[5] went"
  221. return fmt.Sprintf("[%d->?]", si.xkey)
  222. case si.xkey == -1:
  223. // [?->3] means "I don't know where Y[3] came from"
  224. return fmt.Sprintf("[?->%d]", si.ykey)
  225. default:
  226. // [5->3] means "X[5] moved to Y[3]"
  227. return fmt.Sprintf("[%d->%d]", si.xkey, si.ykey)
  228. }
  229. }
  230. func (mi mapIndex) String() string { return fmt.Sprintf("[%#v]", mi.key) }
  231. func (ta typeAssertion) String() string { return fmt.Sprintf(".(%v)", ta.typ) }
  232. func (sf structField) String() string { return fmt.Sprintf(".%s", sf.name) }
  233. func (in indirect) String() string { return "*" }
  234. func (tf transform) String() string { return fmt.Sprintf("%s()", tf.trans.name) }
  235. func (si sliceIndex) Key() int {
  236. if si.xkey != si.ykey {
  237. return -1
  238. }
  239. return si.xkey
  240. }
  241. func (si sliceIndex) SplitKeys() (x, y int) { return si.xkey, si.ykey }
  242. func (mi mapIndex) Key() reflect.Value { return mi.key }
  243. func (sf structField) Name() string { return sf.name }
  244. func (sf structField) Index() int { return sf.idx }
  245. func (tf transform) Name() string { return tf.trans.name }
  246. func (tf transform) Func() reflect.Value { return tf.trans.fnc }
  247. func (tf transform) Option() Option { return tf.trans }
  248. func (pathStep) isPathStep() {}
  249. func (sliceIndex) isSliceIndex() {}
  250. func (mapIndex) isMapIndex() {}
  251. func (typeAssertion) isTypeAssertion() {}
  252. func (structField) isStructField() {}
  253. func (indirect) isIndirect() {}
  254. func (transform) isTransform() {}
  255. var (
  256. _ SliceIndex = sliceIndex{}
  257. _ MapIndex = mapIndex{}
  258. _ TypeAssertion = typeAssertion{}
  259. _ StructField = structField{}
  260. _ Indirect = indirect{}
  261. _ Transform = transform{}
  262. _ PathStep = sliceIndex{}
  263. _ PathStep = mapIndex{}
  264. _ PathStep = typeAssertion{}
  265. _ PathStep = structField{}
  266. _ PathStep = indirect{}
  267. _ PathStep = transform{}
  268. )
  269. // isExported reports whether the identifier is exported.
  270. func isExported(id string) bool {
  271. r, _ := utf8.DecodeRuneInString(id)
  272. return unicode.IsUpper(r)
  273. }
  274. // isValid reports whether the identifier is valid.
  275. // Empty and underscore-only strings are not valid.
  276. func isValid(id string) bool {
  277. ok := id != "" && id != "_"
  278. for j, c := range id {
  279. ok = ok && (j > 0 || !unicode.IsDigit(c))
  280. ok = ok && (c == '_' || unicode.IsLetter(c) || unicode.IsDigit(c))
  281. }
  282. return ok
  283. }