compare.go 18 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553
  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 determines equality of values.
  5. //
  6. // This package is intended to be a more powerful and safer alternative to
  7. // reflect.DeepEqual for comparing whether two values are semantically equal.
  8. //
  9. // The primary features of cmp are:
  10. //
  11. // • When the default behavior of equality does not suit the needs of the test,
  12. // custom equality functions can override the equality operation.
  13. // For example, an equality function may report floats as equal so long as they
  14. // are within some tolerance of each other.
  15. //
  16. // • Types that have an Equal method may use that method to determine equality.
  17. // This allows package authors to determine the equality operation for the types
  18. // that they define.
  19. //
  20. // • If no custom equality functions are used and no Equal method is defined,
  21. // equality is determined by recursively comparing the primitive kinds on both
  22. // values, much like reflect.DeepEqual. Unlike reflect.DeepEqual, unexported
  23. // fields are not compared by default; they result in panics unless suppressed
  24. // by using an Ignore option (see cmpopts.IgnoreUnexported) or explicitly compared
  25. // using the AllowUnexported option.
  26. package cmp
  27. import (
  28. "fmt"
  29. "reflect"
  30. "github.com/google/go-cmp/cmp/internal/diff"
  31. "github.com/google/go-cmp/cmp/internal/function"
  32. "github.com/google/go-cmp/cmp/internal/value"
  33. )
  34. // BUG(dsnet): Maps with keys containing NaN values cannot be properly compared due to
  35. // the reflection package's inability to retrieve such entries. Equal will panic
  36. // anytime it comes across a NaN key, but this behavior may change.
  37. //
  38. // See https://golang.org/issue/11104 for more details.
  39. var nothing = reflect.Value{}
  40. // Equal reports whether x and y are equal by recursively applying the
  41. // following rules in the given order to x and y and all of their sub-values:
  42. //
  43. // • If two values are not of the same type, then they are never equal
  44. // and the overall result is false.
  45. //
  46. // • Let S be the set of all Ignore, Transformer, and Comparer options that
  47. // remain after applying all path filters, value filters, and type filters.
  48. // If at least one Ignore exists in S, then the comparison is ignored.
  49. // If the number of Transformer and Comparer options in S is greater than one,
  50. // then Equal panics because it is ambiguous which option to use.
  51. // If S contains a single Transformer, then use that to transform the current
  52. // values and recursively call Equal on the output values.
  53. // If S contains a single Comparer, then use that to compare the current values.
  54. // Otherwise, evaluation proceeds to the next rule.
  55. //
  56. // • If the values have an Equal method of the form "(T) Equal(T) bool" or
  57. // "(T) Equal(I) bool" where T is assignable to I, then use the result of
  58. // x.Equal(y) even if x or y is nil.
  59. // Otherwise, no such method exists and evaluation proceeds to the next rule.
  60. //
  61. // • Lastly, try to compare x and y based on their basic kinds.
  62. // Simple kinds like booleans, integers, floats, complex numbers, strings, and
  63. // channels are compared using the equivalent of the == operator in Go.
  64. // Functions are only equal if they are both nil, otherwise they are unequal.
  65. // Pointers are equal if the underlying values they point to are also equal.
  66. // Interfaces are equal if their underlying concrete values are also equal.
  67. //
  68. // Structs are equal if all of their fields are equal. If a struct contains
  69. // unexported fields, Equal panics unless the AllowUnexported option is used or
  70. // an Ignore option (e.g., cmpopts.IgnoreUnexported) ignores that field.
  71. //
  72. // Arrays, slices, and maps are equal if they are both nil or both non-nil
  73. // with the same length and the elements at each index or key are equal.
  74. // Note that a non-nil empty slice and a nil slice are not equal.
  75. // To equate empty slices and maps, consider using cmpopts.EquateEmpty.
  76. // Map keys are equal according to the == operator.
  77. // To use custom comparisons for map keys, consider using cmpopts.SortMaps.
  78. func Equal(x, y interface{}, opts ...Option) bool {
  79. s := newState(opts)
  80. s.compareAny(reflect.ValueOf(x), reflect.ValueOf(y))
  81. return s.result.Equal()
  82. }
  83. // Diff returns a human-readable report of the differences between two values.
  84. // It returns an empty string if and only if Equal returns true for the same
  85. // input values and options. The output string will use the "-" symbol to
  86. // indicate elements removed from x, and the "+" symbol to indicate elements
  87. // added to y.
  88. //
  89. // Do not depend on this output being stable.
  90. func Diff(x, y interface{}, opts ...Option) string {
  91. r := new(defaultReporter)
  92. opts = Options{Options(opts), r}
  93. eq := Equal(x, y, opts...)
  94. d := r.String()
  95. if (d == "") != eq {
  96. panic("inconsistent difference and equality results")
  97. }
  98. return d
  99. }
  100. type state struct {
  101. // These fields represent the "comparison state".
  102. // Calling statelessCompare must not result in observable changes to these.
  103. result diff.Result // The current result of comparison
  104. curPath Path // The current path in the value tree
  105. reporter reporter // Optional reporter used for difference formatting
  106. // dynChecker triggers pseudo-random checks for option correctness.
  107. // It is safe for statelessCompare to mutate this value.
  108. dynChecker dynChecker
  109. // These fields, once set by processOption, will not change.
  110. exporters map[reflect.Type]bool // Set of structs with unexported field visibility
  111. opts Options // List of all fundamental and filter options
  112. }
  113. func newState(opts []Option) *state {
  114. s := new(state)
  115. for _, opt := range opts {
  116. s.processOption(opt)
  117. }
  118. return s
  119. }
  120. func (s *state) processOption(opt Option) {
  121. switch opt := opt.(type) {
  122. case nil:
  123. case Options:
  124. for _, o := range opt {
  125. s.processOption(o)
  126. }
  127. case coreOption:
  128. type filtered interface {
  129. isFiltered() bool
  130. }
  131. if fopt, ok := opt.(filtered); ok && !fopt.isFiltered() {
  132. panic(fmt.Sprintf("cannot use an unfiltered option: %v", opt))
  133. }
  134. s.opts = append(s.opts, opt)
  135. case visibleStructs:
  136. if s.exporters == nil {
  137. s.exporters = make(map[reflect.Type]bool)
  138. }
  139. for t := range opt {
  140. s.exporters[t] = true
  141. }
  142. case reporter:
  143. if s.reporter != nil {
  144. panic("difference reporter already registered")
  145. }
  146. s.reporter = opt
  147. default:
  148. panic(fmt.Sprintf("unknown option %T", opt))
  149. }
  150. }
  151. // statelessCompare compares two values and returns the result.
  152. // This function is stateless in that it does not alter the current result,
  153. // or output to any registered reporters.
  154. func (s *state) statelessCompare(vx, vy reflect.Value) diff.Result {
  155. // We do not save and restore the curPath because all of the compareX
  156. // methods should properly push and pop from the path.
  157. // It is an implementation bug if the contents of curPath differs from
  158. // when calling this function to when returning from it.
  159. oldResult, oldReporter := s.result, s.reporter
  160. s.result = diff.Result{} // Reset result
  161. s.reporter = nil // Remove reporter to avoid spurious printouts
  162. s.compareAny(vx, vy)
  163. res := s.result
  164. s.result, s.reporter = oldResult, oldReporter
  165. return res
  166. }
  167. func (s *state) compareAny(vx, vy reflect.Value) {
  168. // TODO: Support cyclic data structures.
  169. // Rule 0: Differing types are never equal.
  170. if !vx.IsValid() || !vy.IsValid() {
  171. s.report(vx.IsValid() == vy.IsValid(), vx, vy)
  172. return
  173. }
  174. if vx.Type() != vy.Type() {
  175. s.report(false, vx, vy) // Possible for path to be empty
  176. return
  177. }
  178. t := vx.Type()
  179. if len(s.curPath) == 0 {
  180. s.curPath.push(&pathStep{typ: t})
  181. defer s.curPath.pop()
  182. }
  183. vx, vy = s.tryExporting(vx, vy)
  184. // Rule 1: Check whether an option applies on this node in the value tree.
  185. if s.tryOptions(vx, vy, t) {
  186. return
  187. }
  188. // Rule 2: Check whether the type has a valid Equal method.
  189. if s.tryMethod(vx, vy, t) {
  190. return
  191. }
  192. // Rule 3: Recursively descend into each value's underlying kind.
  193. switch t.Kind() {
  194. case reflect.Bool:
  195. s.report(vx.Bool() == vy.Bool(), vx, vy)
  196. return
  197. case reflect.Int, reflect.Int8, reflect.Int16, reflect.Int32, reflect.Int64:
  198. s.report(vx.Int() == vy.Int(), vx, vy)
  199. return
  200. case reflect.Uint, reflect.Uint8, reflect.Uint16, reflect.Uint32, reflect.Uint64, reflect.Uintptr:
  201. s.report(vx.Uint() == vy.Uint(), vx, vy)
  202. return
  203. case reflect.Float32, reflect.Float64:
  204. s.report(vx.Float() == vy.Float(), vx, vy)
  205. return
  206. case reflect.Complex64, reflect.Complex128:
  207. s.report(vx.Complex() == vy.Complex(), vx, vy)
  208. return
  209. case reflect.String:
  210. s.report(vx.String() == vy.String(), vx, vy)
  211. return
  212. case reflect.Chan, reflect.UnsafePointer:
  213. s.report(vx.Pointer() == vy.Pointer(), vx, vy)
  214. return
  215. case reflect.Func:
  216. s.report(vx.IsNil() && vy.IsNil(), vx, vy)
  217. return
  218. case reflect.Ptr:
  219. if vx.IsNil() || vy.IsNil() {
  220. s.report(vx.IsNil() && vy.IsNil(), vx, vy)
  221. return
  222. }
  223. s.curPath.push(&indirect{pathStep{t.Elem()}})
  224. defer s.curPath.pop()
  225. s.compareAny(vx.Elem(), vy.Elem())
  226. return
  227. case reflect.Interface:
  228. if vx.IsNil() || vy.IsNil() {
  229. s.report(vx.IsNil() && vy.IsNil(), vx, vy)
  230. return
  231. }
  232. if vx.Elem().Type() != vy.Elem().Type() {
  233. s.report(false, vx.Elem(), vy.Elem())
  234. return
  235. }
  236. s.curPath.push(&typeAssertion{pathStep{vx.Elem().Type()}})
  237. defer s.curPath.pop()
  238. s.compareAny(vx.Elem(), vy.Elem())
  239. return
  240. case reflect.Slice:
  241. if vx.IsNil() || vy.IsNil() {
  242. s.report(vx.IsNil() && vy.IsNil(), vx, vy)
  243. return
  244. }
  245. fallthrough
  246. case reflect.Array:
  247. s.compareArray(vx, vy, t)
  248. return
  249. case reflect.Map:
  250. s.compareMap(vx, vy, t)
  251. return
  252. case reflect.Struct:
  253. s.compareStruct(vx, vy, t)
  254. return
  255. default:
  256. panic(fmt.Sprintf("%v kind not handled", t.Kind()))
  257. }
  258. }
  259. func (s *state) tryExporting(vx, vy reflect.Value) (reflect.Value, reflect.Value) {
  260. if sf, ok := s.curPath[len(s.curPath)-1].(*structField); ok && sf.unexported {
  261. if sf.force {
  262. // Use unsafe pointer arithmetic to get read-write access to an
  263. // unexported field in the struct.
  264. vx = unsafeRetrieveField(sf.pvx, sf.field)
  265. vy = unsafeRetrieveField(sf.pvy, sf.field)
  266. } else {
  267. // We are not allowed to export the value, so invalidate them
  268. // so that tryOptions can panic later if not explicitly ignored.
  269. vx = nothing
  270. vy = nothing
  271. }
  272. }
  273. return vx, vy
  274. }
  275. func (s *state) tryOptions(vx, vy reflect.Value, t reflect.Type) bool {
  276. // If there were no FilterValues, we will not detect invalid inputs,
  277. // so manually check for them and append invalid if necessary.
  278. // We still evaluate the options since an ignore can override invalid.
  279. opts := s.opts
  280. if !vx.IsValid() || !vy.IsValid() {
  281. opts = Options{opts, invalid{}}
  282. }
  283. // Evaluate all filters and apply the remaining options.
  284. if opt := opts.filter(s, vx, vy, t); opt != nil {
  285. opt.apply(s, vx, vy)
  286. return true
  287. }
  288. return false
  289. }
  290. func (s *state) tryMethod(vx, vy reflect.Value, t reflect.Type) bool {
  291. // Check if this type even has an Equal method.
  292. m, ok := t.MethodByName("Equal")
  293. if !ok || !function.IsType(m.Type, function.EqualAssignable) {
  294. return false
  295. }
  296. eq := s.callTTBFunc(m.Func, vx, vy)
  297. s.report(eq, vx, vy)
  298. return true
  299. }
  300. func (s *state) callTRFunc(f, v reflect.Value) reflect.Value {
  301. v = sanitizeValue(v, f.Type().In(0))
  302. if !s.dynChecker.Next() {
  303. return f.Call([]reflect.Value{v})[0]
  304. }
  305. // Run the function twice and ensure that we get the same results back.
  306. // We run in goroutines so that the race detector (if enabled) can detect
  307. // unsafe mutations to the input.
  308. c := make(chan reflect.Value)
  309. go detectRaces(c, f, v)
  310. want := f.Call([]reflect.Value{v})[0]
  311. if got := <-c; !s.statelessCompare(got, want).Equal() {
  312. // To avoid false-positives with non-reflexive equality operations,
  313. // we sanity check whether a value is equal to itself.
  314. if !s.statelessCompare(want, want).Equal() {
  315. return want
  316. }
  317. fn := getFuncName(f.Pointer())
  318. panic(fmt.Sprintf("non-deterministic function detected: %s", fn))
  319. }
  320. return want
  321. }
  322. func (s *state) callTTBFunc(f, x, y reflect.Value) bool {
  323. x = sanitizeValue(x, f.Type().In(0))
  324. y = sanitizeValue(y, f.Type().In(1))
  325. if !s.dynChecker.Next() {
  326. return f.Call([]reflect.Value{x, y})[0].Bool()
  327. }
  328. // Swapping the input arguments is sufficient to check that
  329. // f is symmetric and deterministic.
  330. // We run in goroutines so that the race detector (if enabled) can detect
  331. // unsafe mutations to the input.
  332. c := make(chan reflect.Value)
  333. go detectRaces(c, f, y, x)
  334. want := f.Call([]reflect.Value{x, y})[0].Bool()
  335. if got := <-c; !got.IsValid() || got.Bool() != want {
  336. fn := getFuncName(f.Pointer())
  337. panic(fmt.Sprintf("non-deterministic or non-symmetric function detected: %s", fn))
  338. }
  339. return want
  340. }
  341. func detectRaces(c chan<- reflect.Value, f reflect.Value, vs ...reflect.Value) {
  342. var ret reflect.Value
  343. defer func() {
  344. recover() // Ignore panics, let the other call to f panic instead
  345. c <- ret
  346. }()
  347. ret = f.Call(vs)[0]
  348. }
  349. // sanitizeValue converts nil interfaces of type T to those of type R,
  350. // assuming that T is assignable to R.
  351. // Otherwise, it returns the input value as is.
  352. func sanitizeValue(v reflect.Value, t reflect.Type) reflect.Value {
  353. // TODO(dsnet): Remove this hacky workaround.
  354. // See https://golang.org/issue/22143
  355. if v.Kind() == reflect.Interface && v.IsNil() && v.Type() != t {
  356. return reflect.New(t).Elem()
  357. }
  358. return v
  359. }
  360. func (s *state) compareArray(vx, vy reflect.Value, t reflect.Type) {
  361. step := &sliceIndex{pathStep{t.Elem()}, 0, 0}
  362. s.curPath.push(step)
  363. // Compute an edit-script for slices vx and vy.
  364. es := diff.Difference(vx.Len(), vy.Len(), func(ix, iy int) diff.Result {
  365. step.xkey, step.ykey = ix, iy
  366. return s.statelessCompare(vx.Index(ix), vy.Index(iy))
  367. })
  368. // Report the entire slice as is if the arrays are of primitive kind,
  369. // and the arrays are different enough.
  370. isPrimitive := false
  371. switch t.Elem().Kind() {
  372. case reflect.Int, reflect.Int8, reflect.Int16, reflect.Int32, reflect.Int64,
  373. reflect.Uint, reflect.Uint8, reflect.Uint16, reflect.Uint32, reflect.Uint64, reflect.Uintptr,
  374. reflect.Bool, reflect.Float32, reflect.Float64, reflect.Complex64, reflect.Complex128:
  375. isPrimitive = true
  376. }
  377. if isPrimitive && es.Dist() > (vx.Len()+vy.Len())/4 {
  378. s.curPath.pop() // Pop first since we are reporting the whole slice
  379. s.report(false, vx, vy)
  380. return
  381. }
  382. // Replay the edit-script.
  383. var ix, iy int
  384. for _, e := range es {
  385. switch e {
  386. case diff.UniqueX:
  387. step.xkey, step.ykey = ix, -1
  388. s.report(false, vx.Index(ix), nothing)
  389. ix++
  390. case diff.UniqueY:
  391. step.xkey, step.ykey = -1, iy
  392. s.report(false, nothing, vy.Index(iy))
  393. iy++
  394. default:
  395. step.xkey, step.ykey = ix, iy
  396. if e == diff.Identity {
  397. s.report(true, vx.Index(ix), vy.Index(iy))
  398. } else {
  399. s.compareAny(vx.Index(ix), vy.Index(iy))
  400. }
  401. ix++
  402. iy++
  403. }
  404. }
  405. s.curPath.pop()
  406. return
  407. }
  408. func (s *state) compareMap(vx, vy reflect.Value, t reflect.Type) {
  409. if vx.IsNil() || vy.IsNil() {
  410. s.report(vx.IsNil() && vy.IsNil(), vx, vy)
  411. return
  412. }
  413. // We combine and sort the two map keys so that we can perform the
  414. // comparisons in a deterministic order.
  415. step := &mapIndex{pathStep: pathStep{t.Elem()}}
  416. s.curPath.push(step)
  417. defer s.curPath.pop()
  418. for _, k := range value.SortKeys(append(vx.MapKeys(), vy.MapKeys()...)) {
  419. step.key = k
  420. vvx := vx.MapIndex(k)
  421. vvy := vy.MapIndex(k)
  422. switch {
  423. case vvx.IsValid() && vvy.IsValid():
  424. s.compareAny(vvx, vvy)
  425. case vvx.IsValid() && !vvy.IsValid():
  426. s.report(false, vvx, nothing)
  427. case !vvx.IsValid() && vvy.IsValid():
  428. s.report(false, nothing, vvy)
  429. default:
  430. // It is possible for both vvx and vvy to be invalid if the
  431. // key contained a NaN value in it. There is no way in
  432. // reflection to be able to retrieve these values.
  433. // See https://golang.org/issue/11104
  434. panic(fmt.Sprintf("%#v has map key with NaNs", s.curPath))
  435. }
  436. }
  437. }
  438. func (s *state) compareStruct(vx, vy reflect.Value, t reflect.Type) {
  439. var vax, vay reflect.Value // Addressable versions of vx and vy
  440. step := &structField{}
  441. s.curPath.push(step)
  442. defer s.curPath.pop()
  443. for i := 0; i < t.NumField(); i++ {
  444. vvx := vx.Field(i)
  445. vvy := vy.Field(i)
  446. step.typ = t.Field(i).Type
  447. step.name = t.Field(i).Name
  448. step.idx = i
  449. step.unexported = !isExported(step.name)
  450. if step.unexported {
  451. // Defer checking of unexported fields until later to give an
  452. // Ignore a chance to ignore the field.
  453. if !vax.IsValid() || !vay.IsValid() {
  454. // For unsafeRetrieveField to work, the parent struct must
  455. // be addressable. Create a new copy of the values if
  456. // necessary to make them addressable.
  457. vax = makeAddressable(vx)
  458. vay = makeAddressable(vy)
  459. }
  460. step.force = s.exporters[t]
  461. step.pvx = vax
  462. step.pvy = vay
  463. step.field = t.Field(i)
  464. }
  465. s.compareAny(vvx, vvy)
  466. }
  467. }
  468. // report records the result of a single comparison.
  469. // It also calls Report if any reporter is registered.
  470. func (s *state) report(eq bool, vx, vy reflect.Value) {
  471. if eq {
  472. s.result.NSame++
  473. } else {
  474. s.result.NDiff++
  475. }
  476. if s.reporter != nil {
  477. s.reporter.Report(vx, vy, eq, s.curPath)
  478. }
  479. }
  480. // dynChecker tracks the state needed to periodically perform checks that
  481. // user provided functions are symmetric and deterministic.
  482. // The zero value is safe for immediate use.
  483. type dynChecker struct{ curr, next int }
  484. // Next increments the state and reports whether a check should be performed.
  485. //
  486. // Checks occur every Nth function call, where N is a triangular number:
  487. // 0 1 3 6 10 15 21 28 36 45 55 66 78 91 105 120 136 153 171 190 ...
  488. // See https://en.wikipedia.org/wiki/Triangular_number
  489. //
  490. // This sequence ensures that the cost of checks drops significantly as
  491. // the number of functions calls grows larger.
  492. func (dc *dynChecker) Next() bool {
  493. ok := dc.curr == dc.next
  494. if ok {
  495. dc.curr = 0
  496. dc.next++
  497. }
  498. dc.curr++
  499. return ok
  500. }
  501. // makeAddressable returns a value that is always addressable.
  502. // It returns the input verbatim if it is already addressable,
  503. // otherwise it creates a new value and returns an addressable copy.
  504. func makeAddressable(v reflect.Value) reflect.Value {
  505. if v.CanAddr() {
  506. return v
  507. }
  508. vc := reflect.New(v.Type()).Elem()
  509. vc.Set(v)
  510. return vc
  511. }