options.go 15 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453
  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. "runtime"
  9. "strings"
  10. "github.com/google/go-cmp/cmp/internal/function"
  11. )
  12. // Option configures for specific behavior of Equal and Diff. In particular,
  13. // the fundamental Option functions (Ignore, Transformer, and Comparer),
  14. // configure how equality is determined.
  15. //
  16. // The fundamental options may be composed with filters (FilterPath and
  17. // FilterValues) to control the scope over which they are applied.
  18. //
  19. // The cmp/cmpopts package provides helper functions for creating options that
  20. // may be used with Equal and Diff.
  21. type Option interface {
  22. // filter applies all filters and returns the option that remains.
  23. // Each option may only read s.curPath and call s.callTTBFunc.
  24. //
  25. // An Options is returned only if multiple comparers or transformers
  26. // can apply simultaneously and will only contain values of those types
  27. // or sub-Options containing values of those types.
  28. filter(s *state, vx, vy reflect.Value, t reflect.Type) applicableOption
  29. }
  30. // applicableOption represents the following types:
  31. // Fundamental: ignore | invalid | *comparer | *transformer
  32. // Grouping: Options
  33. type applicableOption interface {
  34. Option
  35. // apply executes the option, which may mutate s or panic.
  36. apply(s *state, vx, vy reflect.Value)
  37. }
  38. // coreOption represents the following types:
  39. // Fundamental: ignore | invalid | *comparer | *transformer
  40. // Filters: *pathFilter | *valuesFilter
  41. type coreOption interface {
  42. Option
  43. isCore()
  44. }
  45. type core struct{}
  46. func (core) isCore() {}
  47. // Options is a list of Option values that also satisfies the Option interface.
  48. // Helper comparison packages may return an Options value when packing multiple
  49. // Option values into a single Option. When this package processes an Options,
  50. // it will be implicitly expanded into a flat list.
  51. //
  52. // Applying a filter on an Options is equivalent to applying that same filter
  53. // on all individual options held within.
  54. type Options []Option
  55. func (opts Options) filter(s *state, vx, vy reflect.Value, t reflect.Type) (out applicableOption) {
  56. for _, opt := range opts {
  57. switch opt := opt.filter(s, vx, vy, t); opt.(type) {
  58. case ignore:
  59. return ignore{} // Only ignore can short-circuit evaluation
  60. case invalid:
  61. out = invalid{} // Takes precedence over comparer or transformer
  62. case *comparer, *transformer, Options:
  63. switch out.(type) {
  64. case nil:
  65. out = opt
  66. case invalid:
  67. // Keep invalid
  68. case *comparer, *transformer, Options:
  69. out = Options{out, opt} // Conflicting comparers or transformers
  70. }
  71. }
  72. }
  73. return out
  74. }
  75. func (opts Options) apply(s *state, _, _ reflect.Value) {
  76. const warning = "ambiguous set of applicable options"
  77. const help = "consider using filters to ensure at most one Comparer or Transformer may apply"
  78. var ss []string
  79. for _, opt := range flattenOptions(nil, opts) {
  80. ss = append(ss, fmt.Sprint(opt))
  81. }
  82. set := strings.Join(ss, "\n\t")
  83. panic(fmt.Sprintf("%s at %#v:\n\t%s\n%s", warning, s.curPath, set, help))
  84. }
  85. func (opts Options) String() string {
  86. var ss []string
  87. for _, opt := range opts {
  88. ss = append(ss, fmt.Sprint(opt))
  89. }
  90. return fmt.Sprintf("Options{%s}", strings.Join(ss, ", "))
  91. }
  92. // FilterPath returns a new Option where opt is only evaluated if filter f
  93. // returns true for the current Path in the value tree.
  94. //
  95. // The option passed in may be an Ignore, Transformer, Comparer, Options, or
  96. // a previously filtered Option.
  97. func FilterPath(f func(Path) bool, opt Option) Option {
  98. if f == nil {
  99. panic("invalid path filter function")
  100. }
  101. if opt := normalizeOption(opt); opt != nil {
  102. return &pathFilter{fnc: f, opt: opt}
  103. }
  104. return nil
  105. }
  106. type pathFilter struct {
  107. core
  108. fnc func(Path) bool
  109. opt Option
  110. }
  111. func (f pathFilter) filter(s *state, vx, vy reflect.Value, t reflect.Type) applicableOption {
  112. if f.fnc(s.curPath) {
  113. return f.opt.filter(s, vx, vy, t)
  114. }
  115. return nil
  116. }
  117. func (f pathFilter) String() string {
  118. fn := getFuncName(reflect.ValueOf(f.fnc).Pointer())
  119. return fmt.Sprintf("FilterPath(%s, %v)", fn, f.opt)
  120. }
  121. // FilterValues returns a new Option where opt is only evaluated if filter f,
  122. // which is a function of the form "func(T, T) bool", returns true for the
  123. // current pair of values being compared. If the type of the values is not
  124. // assignable to T, then this filter implicitly returns false.
  125. //
  126. // The filter function must be
  127. // symmetric (i.e., agnostic to the order of the inputs) and
  128. // deterministic (i.e., produces the same result when given the same inputs).
  129. // If T is an interface, it is possible that f is called with two values with
  130. // different concrete types that both implement T.
  131. //
  132. // The option passed in may be an Ignore, Transformer, Comparer, Options, or
  133. // a previously filtered Option.
  134. func FilterValues(f interface{}, opt Option) Option {
  135. v := reflect.ValueOf(f)
  136. if !function.IsType(v.Type(), function.ValueFilter) || v.IsNil() {
  137. panic(fmt.Sprintf("invalid values filter function: %T", f))
  138. }
  139. if opt := normalizeOption(opt); opt != nil {
  140. vf := &valuesFilter{fnc: v, opt: opt}
  141. if ti := v.Type().In(0); ti.Kind() != reflect.Interface || ti.NumMethod() > 0 {
  142. vf.typ = ti
  143. }
  144. return vf
  145. }
  146. return nil
  147. }
  148. type valuesFilter struct {
  149. core
  150. typ reflect.Type // T
  151. fnc reflect.Value // func(T, T) bool
  152. opt Option
  153. }
  154. func (f valuesFilter) filter(s *state, vx, vy reflect.Value, t reflect.Type) applicableOption {
  155. if !vx.IsValid() || !vy.IsValid() {
  156. return invalid{}
  157. }
  158. if (f.typ == nil || t.AssignableTo(f.typ)) && s.callTTBFunc(f.fnc, vx, vy) {
  159. return f.opt.filter(s, vx, vy, t)
  160. }
  161. return nil
  162. }
  163. func (f valuesFilter) String() string {
  164. fn := getFuncName(f.fnc.Pointer())
  165. return fmt.Sprintf("FilterValues(%s, %v)", fn, f.opt)
  166. }
  167. // Ignore is an Option that causes all comparisons to be ignored.
  168. // This value is intended to be combined with FilterPath or FilterValues.
  169. // It is an error to pass an unfiltered Ignore option to Equal.
  170. func Ignore() Option { return ignore{} }
  171. type ignore struct{ core }
  172. func (ignore) isFiltered() bool { return false }
  173. func (ignore) filter(_ *state, _, _ reflect.Value, _ reflect.Type) applicableOption { return ignore{} }
  174. func (ignore) apply(_ *state, _, _ reflect.Value) { return }
  175. func (ignore) String() string { return "Ignore()" }
  176. // invalid is a sentinel Option type to indicate that some options could not
  177. // be evaluated due to unexported fields.
  178. type invalid struct{ core }
  179. func (invalid) filter(_ *state, _, _ reflect.Value, _ reflect.Type) applicableOption { return invalid{} }
  180. func (invalid) apply(s *state, _, _ reflect.Value) {
  181. const help = "consider using AllowUnexported or cmpopts.IgnoreUnexported"
  182. panic(fmt.Sprintf("cannot handle unexported field: %#v\n%s", s.curPath, help))
  183. }
  184. // Transformer returns an Option that applies a transformation function that
  185. // converts values of a certain type into that of another.
  186. //
  187. // The transformer f must be a function "func(T) R" that converts values of
  188. // type T to those of type R and is implicitly filtered to input values
  189. // assignable to T. The transformer must not mutate T in any way.
  190. //
  191. // To help prevent some cases of infinite recursive cycles applying the
  192. // same transform to the output of itself (e.g., in the case where the
  193. // input and output types are the same), an implicit filter is added such that
  194. // a transformer is applicable only if that exact transformer is not already
  195. // in the tail of the Path since the last non-Transform step.
  196. //
  197. // The name is a user provided label that is used as the Transform.Name in the
  198. // transformation PathStep. If empty, an arbitrary name is used.
  199. func Transformer(name string, f interface{}) Option {
  200. v := reflect.ValueOf(f)
  201. if !function.IsType(v.Type(), function.Transformer) || v.IsNil() {
  202. panic(fmt.Sprintf("invalid transformer function: %T", f))
  203. }
  204. if name == "" {
  205. name = "λ" // Lambda-symbol as place-holder for anonymous transformer
  206. }
  207. if !isValid(name) {
  208. panic(fmt.Sprintf("invalid name: %q", name))
  209. }
  210. tr := &transformer{name: name, fnc: reflect.ValueOf(f)}
  211. if ti := v.Type().In(0); ti.Kind() != reflect.Interface || ti.NumMethod() > 0 {
  212. tr.typ = ti
  213. }
  214. return tr
  215. }
  216. type transformer struct {
  217. core
  218. name string
  219. typ reflect.Type // T
  220. fnc reflect.Value // func(T) R
  221. }
  222. func (tr *transformer) isFiltered() bool { return tr.typ != nil }
  223. func (tr *transformer) filter(s *state, _, _ reflect.Value, t reflect.Type) applicableOption {
  224. for i := len(s.curPath) - 1; i >= 0; i-- {
  225. if t, ok := s.curPath[i].(*transform); !ok {
  226. break // Hit most recent non-Transform step
  227. } else if tr == t.trans {
  228. return nil // Cannot directly use same Transform
  229. }
  230. }
  231. if tr.typ == nil || t.AssignableTo(tr.typ) {
  232. return tr
  233. }
  234. return nil
  235. }
  236. func (tr *transformer) apply(s *state, vx, vy reflect.Value) {
  237. // Update path before calling the Transformer so that dynamic checks
  238. // will use the updated path.
  239. s.curPath.push(&transform{pathStep{tr.fnc.Type().Out(0)}, tr})
  240. defer s.curPath.pop()
  241. vx = s.callTRFunc(tr.fnc, vx)
  242. vy = s.callTRFunc(tr.fnc, vy)
  243. s.compareAny(vx, vy)
  244. }
  245. func (tr transformer) String() string {
  246. return fmt.Sprintf("Transformer(%s, %s)", tr.name, getFuncName(tr.fnc.Pointer()))
  247. }
  248. // Comparer returns an Option that determines whether two values are equal
  249. // to each other.
  250. //
  251. // The comparer f must be a function "func(T, T) bool" and is implicitly
  252. // filtered to input values assignable to T. If T is an interface, it is
  253. // possible that f is called with two values of different concrete types that
  254. // both implement T.
  255. //
  256. // The equality function must be:
  257. // • Symmetric: equal(x, y) == equal(y, x)
  258. // • Deterministic: equal(x, y) == equal(x, y)
  259. // • Pure: equal(x, y) does not modify x or y
  260. func Comparer(f interface{}) Option {
  261. v := reflect.ValueOf(f)
  262. if !function.IsType(v.Type(), function.Equal) || v.IsNil() {
  263. panic(fmt.Sprintf("invalid comparer function: %T", f))
  264. }
  265. cm := &comparer{fnc: v}
  266. if ti := v.Type().In(0); ti.Kind() != reflect.Interface || ti.NumMethod() > 0 {
  267. cm.typ = ti
  268. }
  269. return cm
  270. }
  271. type comparer struct {
  272. core
  273. typ reflect.Type // T
  274. fnc reflect.Value // func(T, T) bool
  275. }
  276. func (cm *comparer) isFiltered() bool { return cm.typ != nil }
  277. func (cm *comparer) filter(_ *state, _, _ reflect.Value, t reflect.Type) applicableOption {
  278. if cm.typ == nil || t.AssignableTo(cm.typ) {
  279. return cm
  280. }
  281. return nil
  282. }
  283. func (cm *comparer) apply(s *state, vx, vy reflect.Value) {
  284. eq := s.callTTBFunc(cm.fnc, vx, vy)
  285. s.report(eq, vx, vy)
  286. }
  287. func (cm comparer) String() string {
  288. return fmt.Sprintf("Comparer(%s)", getFuncName(cm.fnc.Pointer()))
  289. }
  290. // AllowUnexported returns an Option that forcibly allows operations on
  291. // unexported fields in certain structs, which are specified by passing in a
  292. // value of each struct type.
  293. //
  294. // Users of this option must understand that comparing on unexported fields
  295. // from external packages is not safe since changes in the internal
  296. // implementation of some external package may cause the result of Equal
  297. // to unexpectedly change. However, it may be valid to use this option on types
  298. // defined in an internal package where the semantic meaning of an unexported
  299. // field is in the control of the user.
  300. //
  301. // For some cases, a custom Comparer should be used instead that defines
  302. // equality as a function of the public API of a type rather than the underlying
  303. // unexported implementation.
  304. //
  305. // For example, the reflect.Type documentation defines equality to be determined
  306. // by the == operator on the interface (essentially performing a shallow pointer
  307. // comparison) and most attempts to compare *regexp.Regexp types are interested
  308. // in only checking that the regular expression strings are equal.
  309. // Both of these are accomplished using Comparers:
  310. //
  311. // Comparer(func(x, y reflect.Type) bool { return x == y })
  312. // Comparer(func(x, y *regexp.Regexp) bool { return x.String() == y.String() })
  313. //
  314. // In other cases, the cmpopts.IgnoreUnexported option can be used to ignore
  315. // all unexported fields on specified struct types.
  316. func AllowUnexported(types ...interface{}) Option {
  317. if !supportAllowUnexported {
  318. panic("AllowUnexported is not supported on purego builds, Google App Engine Standard, or GopherJS")
  319. }
  320. m := make(map[reflect.Type]bool)
  321. for _, typ := range types {
  322. t := reflect.TypeOf(typ)
  323. if t.Kind() != reflect.Struct {
  324. panic(fmt.Sprintf("invalid struct type: %T", typ))
  325. }
  326. m[t] = true
  327. }
  328. return visibleStructs(m)
  329. }
  330. type visibleStructs map[reflect.Type]bool
  331. func (visibleStructs) filter(_ *state, _, _ reflect.Value, _ reflect.Type) applicableOption {
  332. panic("not implemented")
  333. }
  334. // reporter is an Option that configures how differences are reported.
  335. type reporter interface {
  336. // TODO: Not exported yet.
  337. //
  338. // Perhaps add PushStep and PopStep and change Report to only accept
  339. // a PathStep instead of the full-path? Adding a PushStep and PopStep makes
  340. // it clear that we are traversing the value tree in a depth-first-search
  341. // manner, which has an effect on how values are printed.
  342. Option
  343. // Report is called for every comparison made and will be provided with
  344. // the two values being compared, the equality result, and the
  345. // current path in the value tree. It is possible for x or y to be an
  346. // invalid reflect.Value if one of the values is non-existent;
  347. // which is possible with maps and slices.
  348. Report(x, y reflect.Value, eq bool, p Path)
  349. }
  350. // normalizeOption normalizes the input options such that all Options groups
  351. // are flattened and groups with a single element are reduced to that element.
  352. // Only coreOptions and Options containing coreOptions are allowed.
  353. func normalizeOption(src Option) Option {
  354. switch opts := flattenOptions(nil, Options{src}); len(opts) {
  355. case 0:
  356. return nil
  357. case 1:
  358. return opts[0]
  359. default:
  360. return opts
  361. }
  362. }
  363. // flattenOptions copies all options in src to dst as a flat list.
  364. // Only coreOptions and Options containing coreOptions are allowed.
  365. func flattenOptions(dst, src Options) Options {
  366. for _, opt := range src {
  367. switch opt := opt.(type) {
  368. case nil:
  369. continue
  370. case Options:
  371. dst = flattenOptions(dst, opt)
  372. case coreOption:
  373. dst = append(dst, opt)
  374. default:
  375. panic(fmt.Sprintf("invalid option type: %T", opt))
  376. }
  377. }
  378. return dst
  379. }
  380. // getFuncName returns a short function name from the pointer.
  381. // The string parsing logic works up until Go1.9.
  382. func getFuncName(p uintptr) string {
  383. fnc := runtime.FuncForPC(p)
  384. if fnc == nil {
  385. return "<unknown>"
  386. }
  387. name := fnc.Name() // E.g., "long/path/name/mypkg.(mytype).(long/path/name/mypkg.myfunc)-fm"
  388. if strings.HasSuffix(name, ")-fm") || strings.HasSuffix(name, ")·fm") {
  389. // Strip the package name from method name.
  390. name = strings.TrimSuffix(name, ")-fm")
  391. name = strings.TrimSuffix(name, ")·fm")
  392. if i := strings.LastIndexByte(name, '('); i >= 0 {
  393. methodName := name[i+1:] // E.g., "long/path/name/mypkg.myfunc"
  394. if j := strings.LastIndexByte(methodName, '.'); j >= 0 {
  395. methodName = methodName[j+1:] // E.g., "myfunc"
  396. }
  397. name = name[:i] + methodName // E.g., "long/path/name/mypkg.(mytype)." + "myfunc"
  398. }
  399. }
  400. if i := strings.LastIndexByte(name, '/'); i >= 0 {
  401. // Strip the package name.
  402. name = name[i+1:] // E.g., "mypkg.(mytype).myfunc"
  403. }
  404. return name
  405. }