mock.go 22 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784
  1. package mock
  2. import (
  3. "fmt"
  4. "reflect"
  5. "regexp"
  6. "runtime"
  7. "strings"
  8. "sync"
  9. "time"
  10. "github.com/davecgh/go-spew/spew"
  11. "github.com/pmezard/go-difflib/difflib"
  12. "github.com/stretchr/objx"
  13. "github.com/stretchr/testify/assert"
  14. )
  15. // TestingT is an interface wrapper around *testing.T
  16. type TestingT interface {
  17. Logf(format string, args ...interface{})
  18. Errorf(format string, args ...interface{})
  19. FailNow()
  20. }
  21. /*
  22. Call
  23. */
  24. // Call represents a method call and is used for setting expectations,
  25. // as well as recording activity.
  26. type Call struct {
  27. Parent *Mock
  28. // The name of the method that was or will be called.
  29. Method string
  30. // Holds the arguments of the method.
  31. Arguments Arguments
  32. // Holds the arguments that should be returned when
  33. // this method is called.
  34. ReturnArguments Arguments
  35. // The number of times to return the return arguments when setting
  36. // expectations. 0 means to always return the value.
  37. Repeatability int
  38. // Amount of times this call has been called
  39. totalCalls int
  40. // Holds a channel that will be used to block the Return until it either
  41. // receives a message or is closed. nil means it returns immediately.
  42. WaitFor <-chan time.Time
  43. // Holds a handler used to manipulate arguments content that are passed by
  44. // reference. It's useful when mocking methods such as unmarshalers or
  45. // decoders.
  46. RunFn func(Arguments)
  47. }
  48. func newCall(parent *Mock, methodName string, methodArguments ...interface{}) *Call {
  49. return &Call{
  50. Parent: parent,
  51. Method: methodName,
  52. Arguments: methodArguments,
  53. ReturnArguments: make([]interface{}, 0),
  54. Repeatability: 0,
  55. WaitFor: nil,
  56. RunFn: nil,
  57. }
  58. }
  59. func (c *Call) lock() {
  60. c.Parent.mutex.Lock()
  61. }
  62. func (c *Call) unlock() {
  63. c.Parent.mutex.Unlock()
  64. }
  65. // Return specifies the return arguments for the expectation.
  66. //
  67. // Mock.On("DoSomething").Return(errors.New("failed"))
  68. func (c *Call) Return(returnArguments ...interface{}) *Call {
  69. c.lock()
  70. defer c.unlock()
  71. c.ReturnArguments = returnArguments
  72. return c
  73. }
  74. // Once indicates that that the mock should only return the value once.
  75. //
  76. // Mock.On("MyMethod", arg1, arg2).Return(returnArg1, returnArg2).Once()
  77. func (c *Call) Once() *Call {
  78. return c.Times(1)
  79. }
  80. // Twice indicates that that the mock should only return the value twice.
  81. //
  82. // Mock.On("MyMethod", arg1, arg2).Return(returnArg1, returnArg2).Twice()
  83. func (c *Call) Twice() *Call {
  84. return c.Times(2)
  85. }
  86. // Times indicates that that the mock should only return the indicated number
  87. // of times.
  88. //
  89. // Mock.On("MyMethod", arg1, arg2).Return(returnArg1, returnArg2).Times(5)
  90. func (c *Call) Times(i int) *Call {
  91. c.lock()
  92. defer c.unlock()
  93. c.Repeatability = i
  94. return c
  95. }
  96. // WaitUntil sets the channel that will block the mock's return until its closed
  97. // or a message is received.
  98. //
  99. // Mock.On("MyMethod", arg1, arg2).WaitUntil(time.After(time.Second))
  100. func (c *Call) WaitUntil(w <-chan time.Time) *Call {
  101. c.lock()
  102. defer c.unlock()
  103. c.WaitFor = w
  104. return c
  105. }
  106. // After sets how long to block until the call returns
  107. //
  108. // Mock.On("MyMethod", arg1, arg2).After(time.Second)
  109. func (c *Call) After(d time.Duration) *Call {
  110. return c.WaitUntil(time.After(d))
  111. }
  112. // Run sets a handler to be called before returning. It can be used when
  113. // mocking a method such as unmarshalers that takes a pointer to a struct and
  114. // sets properties in such struct
  115. //
  116. // Mock.On("Unmarshal", AnythingOfType("*map[string]interface{}").Return().Run(func(args Arguments) {
  117. // arg := args.Get(0).(*map[string]interface{})
  118. // arg["foo"] = "bar"
  119. // })
  120. func (c *Call) Run(fn func(args Arguments)) *Call {
  121. c.lock()
  122. defer c.unlock()
  123. c.RunFn = fn
  124. return c
  125. }
  126. // On chains a new expectation description onto the mocked interface. This
  127. // allows syntax like.
  128. //
  129. // Mock.
  130. // On("MyMethod", 1).Return(nil).
  131. // On("MyOtherMethod", 'a', 'b', 'c').Return(errors.New("Some Error"))
  132. func (c *Call) On(methodName string, arguments ...interface{}) *Call {
  133. return c.Parent.On(methodName, arguments...)
  134. }
  135. // Mock is the workhorse used to track activity on another object.
  136. // For an example of its usage, refer to the "Example Usage" section at the top
  137. // of this document.
  138. type Mock struct {
  139. // Represents the calls that are expected of
  140. // an object.
  141. ExpectedCalls []*Call
  142. // Holds the calls that were made to this mocked object.
  143. Calls []Call
  144. // TestData holds any data that might be useful for testing. Testify ignores
  145. // this data completely allowing you to do whatever you like with it.
  146. testData objx.Map
  147. mutex sync.Mutex
  148. }
  149. // TestData holds any data that might be useful for testing. Testify ignores
  150. // this data completely allowing you to do whatever you like with it.
  151. func (m *Mock) TestData() objx.Map {
  152. if m.testData == nil {
  153. m.testData = make(objx.Map)
  154. }
  155. return m.testData
  156. }
  157. /*
  158. Setting expectations
  159. */
  160. // On starts a description of an expectation of the specified method
  161. // being called.
  162. //
  163. // Mock.On("MyMethod", arg1, arg2)
  164. func (m *Mock) On(methodName string, arguments ...interface{}) *Call {
  165. for _, arg := range arguments {
  166. if v := reflect.ValueOf(arg); v.Kind() == reflect.Func {
  167. panic(fmt.Sprintf("cannot use Func in expectations. Use mock.AnythingOfType(\"%T\")", arg))
  168. }
  169. }
  170. m.mutex.Lock()
  171. defer m.mutex.Unlock()
  172. c := newCall(m, methodName, arguments...)
  173. m.ExpectedCalls = append(m.ExpectedCalls, c)
  174. return c
  175. }
  176. // /*
  177. // Recording and responding to activity
  178. // */
  179. func (m *Mock) findExpectedCall(method string, arguments ...interface{}) (int, *Call) {
  180. for i, call := range m.ExpectedCalls {
  181. if call.Method == method && call.Repeatability > -1 {
  182. _, diffCount := call.Arguments.Diff(arguments)
  183. if diffCount == 0 {
  184. return i, call
  185. }
  186. }
  187. }
  188. return -1, nil
  189. }
  190. func (m *Mock) findClosestCall(method string, arguments ...interface{}) (bool, *Call) {
  191. diffCount := 0
  192. var closestCall *Call
  193. for _, call := range m.expectedCalls() {
  194. if call.Method == method {
  195. _, tempDiffCount := call.Arguments.Diff(arguments)
  196. if tempDiffCount < diffCount || diffCount == 0 {
  197. diffCount = tempDiffCount
  198. closestCall = call
  199. }
  200. }
  201. }
  202. if closestCall == nil {
  203. return false, nil
  204. }
  205. return true, closestCall
  206. }
  207. func callString(method string, arguments Arguments, includeArgumentValues bool) string {
  208. var argValsString string
  209. if includeArgumentValues {
  210. var argVals []string
  211. for argIndex, arg := range arguments {
  212. argVals = append(argVals, fmt.Sprintf("%d: %#v", argIndex, arg))
  213. }
  214. argValsString = fmt.Sprintf("\n\t\t%s", strings.Join(argVals, "\n\t\t"))
  215. }
  216. return fmt.Sprintf("%s(%s)%s", method, arguments.String(), argValsString)
  217. }
  218. // Called tells the mock object that a method has been called, and gets an array
  219. // of arguments to return. Panics if the call is unexpected (i.e. not preceded by
  220. // appropriate .On .Return() calls)
  221. // If Call.WaitFor is set, blocks until the channel is closed or receives a message.
  222. func (m *Mock) Called(arguments ...interface{}) Arguments {
  223. // get the calling function's name
  224. pc, _, _, ok := runtime.Caller(1)
  225. if !ok {
  226. panic("Couldn't get the caller information")
  227. }
  228. functionPath := runtime.FuncForPC(pc).Name()
  229. //Next four lines are required to use GCCGO function naming conventions.
  230. //For Ex: github_com_docker_libkv_store_mock.WatchTree.pN39_github_com_docker_libkv_store_mock.Mock
  231. //uses interface information unlike golang github.com/docker/libkv/store/mock.(*Mock).WatchTree
  232. //With GCCGO we need to remove interface information starting from pN<dd>.
  233. re := regexp.MustCompile("\\.pN\\d+_")
  234. if re.MatchString(functionPath) {
  235. functionPath = re.Split(functionPath, -1)[0]
  236. }
  237. parts := strings.Split(functionPath, ".")
  238. functionName := parts[len(parts)-1]
  239. return m.MethodCalled(functionName, arguments...)
  240. }
  241. // MethodCalled tells the mock object that the given method has been called, and gets
  242. // an array of arguments to return. Panics if the call is unexpected (i.e. not preceded
  243. // by appropriate .On .Return() calls)
  244. // If Call.WaitFor is set, blocks until the channel is closed or receives a message.
  245. func (m *Mock) MethodCalled(methodName string, arguments ...interface{}) Arguments {
  246. m.mutex.Lock()
  247. found, call := m.findExpectedCall(methodName, arguments...)
  248. if found < 0 {
  249. // we have to fail here - because we don't know what to do
  250. // as the return arguments. This is because:
  251. //
  252. // a) this is a totally unexpected call to this method,
  253. // b) the arguments are not what was expected, or
  254. // c) the developer has forgotten to add an accompanying On...Return pair.
  255. closestFound, closestCall := m.findClosestCall(methodName, arguments...)
  256. m.mutex.Unlock()
  257. if closestFound {
  258. panic(fmt.Sprintf("\n\nmock: Unexpected Method Call\n-----------------------------\n\n%s\n\nThe closest call I have is: \n\n%s\n\n%s\n", callString(methodName, arguments, true), callString(methodName, closestCall.Arguments, true), diffArguments(arguments, closestCall.Arguments)))
  259. } else {
  260. panic(fmt.Sprintf("\nassert: mock: I don't know what to return because the method call was unexpected.\n\tEither do Mock.On(\"%s\").Return(...) first, or remove the %s() call.\n\tThis method was unexpected:\n\t\t%s\n\tat: %s", methodName, methodName, callString(methodName, arguments, true), assert.CallerInfo()))
  261. }
  262. }
  263. switch {
  264. case call.Repeatability == 1:
  265. call.Repeatability = -1
  266. call.totalCalls++
  267. case call.Repeatability > 1:
  268. call.Repeatability--
  269. call.totalCalls++
  270. case call.Repeatability == 0:
  271. call.totalCalls++
  272. }
  273. // add the call
  274. m.Calls = append(m.Calls, *newCall(m, methodName, arguments...))
  275. m.mutex.Unlock()
  276. // block if specified
  277. if call.WaitFor != nil {
  278. <-call.WaitFor
  279. }
  280. m.mutex.Lock()
  281. runFn := call.RunFn
  282. m.mutex.Unlock()
  283. if runFn != nil {
  284. runFn(arguments)
  285. }
  286. m.mutex.Lock()
  287. returnArgs := call.ReturnArguments
  288. m.mutex.Unlock()
  289. return returnArgs
  290. }
  291. /*
  292. Assertions
  293. */
  294. type assertExpectationser interface {
  295. AssertExpectations(TestingT) bool
  296. }
  297. // AssertExpectationsForObjects asserts that everything specified with On and Return
  298. // of the specified objects was in fact called as expected.
  299. //
  300. // Calls may have occurred in any order.
  301. func AssertExpectationsForObjects(t TestingT, testObjects ...interface{}) bool {
  302. for _, obj := range testObjects {
  303. if m, ok := obj.(Mock); ok {
  304. t.Logf("Deprecated mock.AssertExpectationsForObjects(myMock.Mock) use mock.AssertExpectationsForObjects(myMock)")
  305. obj = &m
  306. }
  307. m := obj.(assertExpectationser)
  308. if !m.AssertExpectations(t) {
  309. return false
  310. }
  311. }
  312. return true
  313. }
  314. // AssertExpectations asserts that everything specified with On and Return was
  315. // in fact called as expected. Calls may have occurred in any order.
  316. func (m *Mock) AssertExpectations(t TestingT) bool {
  317. m.mutex.Lock()
  318. defer m.mutex.Unlock()
  319. var somethingMissing bool
  320. var failedExpectations int
  321. // iterate through each expectation
  322. expectedCalls := m.expectedCalls()
  323. for _, expectedCall := range expectedCalls {
  324. if !m.methodWasCalled(expectedCall.Method, expectedCall.Arguments) && expectedCall.totalCalls == 0 {
  325. somethingMissing = true
  326. failedExpectations++
  327. t.Logf("\u274C\t%s(%s)", expectedCall.Method, expectedCall.Arguments.String())
  328. } else {
  329. if expectedCall.Repeatability > 0 {
  330. somethingMissing = true
  331. failedExpectations++
  332. } else {
  333. t.Logf("\u2705\t%s(%s)", expectedCall.Method, expectedCall.Arguments.String())
  334. }
  335. }
  336. }
  337. if somethingMissing {
  338. t.Errorf("FAIL: %d out of %d expectation(s) were met.\n\tThe code you are testing needs to make %d more call(s).\n\tat: %s", len(expectedCalls)-failedExpectations, len(expectedCalls), failedExpectations, assert.CallerInfo())
  339. }
  340. return !somethingMissing
  341. }
  342. // AssertNumberOfCalls asserts that the method was called expectedCalls times.
  343. func (m *Mock) AssertNumberOfCalls(t TestingT, methodName string, expectedCalls int) bool {
  344. m.mutex.Lock()
  345. defer m.mutex.Unlock()
  346. var actualCalls int
  347. for _, call := range m.calls() {
  348. if call.Method == methodName {
  349. actualCalls++
  350. }
  351. }
  352. return assert.Equal(t, expectedCalls, actualCalls, fmt.Sprintf("Expected number of calls (%d) does not match the actual number of calls (%d).", expectedCalls, actualCalls))
  353. }
  354. // AssertCalled asserts that the method was called.
  355. // It can produce a false result when an argument is a pointer type and the underlying value changed after calling the mocked method.
  356. func (m *Mock) AssertCalled(t TestingT, methodName string, arguments ...interface{}) bool {
  357. m.mutex.Lock()
  358. defer m.mutex.Unlock()
  359. if !assert.True(t, m.methodWasCalled(methodName, arguments), fmt.Sprintf("The \"%s\" method should have been called with %d argument(s), but was not.", methodName, len(arguments))) {
  360. t.Logf("%v", m.expectedCalls())
  361. return false
  362. }
  363. return true
  364. }
  365. // AssertNotCalled asserts that the method was not called.
  366. // It can produce a false result when an argument is a pointer type and the underlying value changed after calling the mocked method.
  367. func (m *Mock) AssertNotCalled(t TestingT, methodName string, arguments ...interface{}) bool {
  368. m.mutex.Lock()
  369. defer m.mutex.Unlock()
  370. if !assert.False(t, m.methodWasCalled(methodName, arguments), fmt.Sprintf("The \"%s\" method was called with %d argument(s), but should NOT have been.", methodName, len(arguments))) {
  371. t.Logf("%v", m.expectedCalls())
  372. return false
  373. }
  374. return true
  375. }
  376. func (m *Mock) methodWasCalled(methodName string, expected []interface{}) bool {
  377. for _, call := range m.calls() {
  378. if call.Method == methodName {
  379. _, differences := Arguments(expected).Diff(call.Arguments)
  380. if differences == 0 {
  381. // found the expected call
  382. return true
  383. }
  384. }
  385. }
  386. // we didn't find the expected call
  387. return false
  388. }
  389. func (m *Mock) expectedCalls() []*Call {
  390. return append([]*Call{}, m.ExpectedCalls...)
  391. }
  392. func (m *Mock) calls() []Call {
  393. return append([]Call{}, m.Calls...)
  394. }
  395. /*
  396. Arguments
  397. */
  398. // Arguments holds an array of method arguments or return values.
  399. type Arguments []interface{}
  400. const (
  401. // Anything is used in Diff and Assert when the argument being tested
  402. // shouldn't be taken into consideration.
  403. Anything string = "mock.Anything"
  404. )
  405. // AnythingOfTypeArgument is a string that contains the type of an argument
  406. // for use when type checking. Used in Diff and Assert.
  407. type AnythingOfTypeArgument string
  408. // AnythingOfType returns an AnythingOfTypeArgument object containing the
  409. // name of the type to check for. Used in Diff and Assert.
  410. //
  411. // For example:
  412. // Assert(t, AnythingOfType("string"), AnythingOfType("int"))
  413. func AnythingOfType(t string) AnythingOfTypeArgument {
  414. return AnythingOfTypeArgument(t)
  415. }
  416. // argumentMatcher performs custom argument matching, returning whether or
  417. // not the argument is matched by the expectation fixture function.
  418. type argumentMatcher struct {
  419. // fn is a function which accepts one argument, and returns a bool.
  420. fn reflect.Value
  421. }
  422. func (f argumentMatcher) Matches(argument interface{}) bool {
  423. expectType := f.fn.Type().In(0)
  424. if reflect.TypeOf(argument).AssignableTo(expectType) {
  425. result := f.fn.Call([]reflect.Value{reflect.ValueOf(argument)})
  426. return result[0].Bool()
  427. }
  428. return false
  429. }
  430. func (f argumentMatcher) String() string {
  431. return fmt.Sprintf("func(%s) bool", f.fn.Type().In(0).Name())
  432. }
  433. // MatchedBy can be used to match a mock call based on only certain properties
  434. // from a complex struct or some calculation. It takes a function that will be
  435. // evaluated with the called argument and will return true when there's a match
  436. // and false otherwise.
  437. //
  438. // Example:
  439. // m.On("Do", MatchedBy(func(req *http.Request) bool { return req.Host == "example.com" }))
  440. //
  441. // |fn|, must be a function accepting a single argument (of the expected type)
  442. // which returns a bool. If |fn| doesn't match the required signature,
  443. // MatchedBy() panics.
  444. func MatchedBy(fn interface{}) argumentMatcher {
  445. fnType := reflect.TypeOf(fn)
  446. if fnType.Kind() != reflect.Func {
  447. panic(fmt.Sprintf("assert: arguments: %s is not a func", fn))
  448. }
  449. if fnType.NumIn() != 1 {
  450. panic(fmt.Sprintf("assert: arguments: %s does not take exactly one argument", fn))
  451. }
  452. if fnType.NumOut() != 1 || fnType.Out(0).Kind() != reflect.Bool {
  453. panic(fmt.Sprintf("assert: arguments: %s does not return a bool", fn))
  454. }
  455. return argumentMatcher{fn: reflect.ValueOf(fn)}
  456. }
  457. // Get Returns the argument at the specified index.
  458. func (args Arguments) Get(index int) interface{} {
  459. if index+1 > len(args) {
  460. panic(fmt.Sprintf("assert: arguments: Cannot call Get(%d) because there are %d argument(s).", index, len(args)))
  461. }
  462. return args[index]
  463. }
  464. // Is gets whether the objects match the arguments specified.
  465. func (args Arguments) Is(objects ...interface{}) bool {
  466. for i, obj := range args {
  467. if obj != objects[i] {
  468. return false
  469. }
  470. }
  471. return true
  472. }
  473. // Diff gets a string describing the differences between the arguments
  474. // and the specified objects.
  475. //
  476. // Returns the diff string and number of differences found.
  477. func (args Arguments) Diff(objects []interface{}) (string, int) {
  478. var output = "\n"
  479. var differences int
  480. var maxArgCount = len(args)
  481. if len(objects) > maxArgCount {
  482. maxArgCount = len(objects)
  483. }
  484. for i := 0; i < maxArgCount; i++ {
  485. var actual, expected interface{}
  486. if len(objects) <= i {
  487. actual = "(Missing)"
  488. } else {
  489. actual = objects[i]
  490. }
  491. if len(args) <= i {
  492. expected = "(Missing)"
  493. } else {
  494. expected = args[i]
  495. }
  496. if matcher, ok := expected.(argumentMatcher); ok {
  497. if matcher.Matches(actual) {
  498. output = fmt.Sprintf("%s\t%d: \u2705 %s matched by %s\n", output, i, actual, matcher)
  499. } else {
  500. differences++
  501. output = fmt.Sprintf("%s\t%d: \u2705 %s not matched by %s\n", output, i, actual, matcher)
  502. }
  503. } else if reflect.TypeOf(expected) == reflect.TypeOf((*AnythingOfTypeArgument)(nil)).Elem() {
  504. // type checking
  505. if reflect.TypeOf(actual).Name() != string(expected.(AnythingOfTypeArgument)) && reflect.TypeOf(actual).String() != string(expected.(AnythingOfTypeArgument)) {
  506. // not match
  507. differences++
  508. output = fmt.Sprintf("%s\t%d: \u274C type %s != type %s - %s\n", output, i, expected, reflect.TypeOf(actual).Name(), actual)
  509. }
  510. } else {
  511. // normal checking
  512. if assert.ObjectsAreEqual(expected, Anything) || assert.ObjectsAreEqual(actual, Anything) || assert.ObjectsAreEqual(actual, expected) {
  513. // match
  514. output = fmt.Sprintf("%s\t%d: \u2705 %s == %s\n", output, i, actual, expected)
  515. } else {
  516. // not match
  517. differences++
  518. output = fmt.Sprintf("%s\t%d: \u274C %s != %s\n", output, i, actual, expected)
  519. }
  520. }
  521. }
  522. if differences == 0 {
  523. return "No differences.", differences
  524. }
  525. return output, differences
  526. }
  527. // Assert compares the arguments with the specified objects and fails if
  528. // they do not exactly match.
  529. func (args Arguments) Assert(t TestingT, objects ...interface{}) bool {
  530. // get the differences
  531. diff, diffCount := args.Diff(objects)
  532. if diffCount == 0 {
  533. return true
  534. }
  535. // there are differences... report them...
  536. t.Logf(diff)
  537. t.Errorf("%sArguments do not match.", assert.CallerInfo())
  538. return false
  539. }
  540. // String gets the argument at the specified index. Panics if there is no argument, or
  541. // if the argument is of the wrong type.
  542. //
  543. // If no index is provided, String() returns a complete string representation
  544. // of the arguments.
  545. func (args Arguments) String(indexOrNil ...int) string {
  546. if len(indexOrNil) == 0 {
  547. // normal String() method - return a string representation of the args
  548. var argsStr []string
  549. for _, arg := range args {
  550. argsStr = append(argsStr, fmt.Sprintf("%s", reflect.TypeOf(arg)))
  551. }
  552. return strings.Join(argsStr, ",")
  553. } else if len(indexOrNil) == 1 {
  554. // Index has been specified - get the argument at that index
  555. var index = indexOrNil[0]
  556. var s string
  557. var ok bool
  558. if s, ok = args.Get(index).(string); !ok {
  559. panic(fmt.Sprintf("assert: arguments: String(%d) failed because object wasn't correct type: %s", index, args.Get(index)))
  560. }
  561. return s
  562. }
  563. panic(fmt.Sprintf("assert: arguments: Wrong number of arguments passed to String. Must be 0 or 1, not %d", len(indexOrNil)))
  564. }
  565. // Int gets the argument at the specified index. Panics if there is no argument, or
  566. // if the argument is of the wrong type.
  567. func (args Arguments) Int(index int) int {
  568. var s int
  569. var ok bool
  570. if s, ok = args.Get(index).(int); !ok {
  571. panic(fmt.Sprintf("assert: arguments: Int(%d) failed because object wasn't correct type: %v", index, args.Get(index)))
  572. }
  573. return s
  574. }
  575. // Error gets the argument at the specified index. Panics if there is no argument, or
  576. // if the argument is of the wrong type.
  577. func (args Arguments) Error(index int) error {
  578. obj := args.Get(index)
  579. var s error
  580. var ok bool
  581. if obj == nil {
  582. return nil
  583. }
  584. if s, ok = obj.(error); !ok {
  585. panic(fmt.Sprintf("assert: arguments: Error(%d) failed because object wasn't correct type: %v", index, args.Get(index)))
  586. }
  587. return s
  588. }
  589. // Bool gets the argument at the specified index. Panics if there is no argument, or
  590. // if the argument is of the wrong type.
  591. func (args Arguments) Bool(index int) bool {
  592. var s bool
  593. var ok bool
  594. if s, ok = args.Get(index).(bool); !ok {
  595. panic(fmt.Sprintf("assert: arguments: Bool(%d) failed because object wasn't correct type: %v", index, args.Get(index)))
  596. }
  597. return s
  598. }
  599. func typeAndKind(v interface{}) (reflect.Type, reflect.Kind) {
  600. t := reflect.TypeOf(v)
  601. k := t.Kind()
  602. if k == reflect.Ptr {
  603. t = t.Elem()
  604. k = t.Kind()
  605. }
  606. return t, k
  607. }
  608. func diffArguments(expected Arguments, actual Arguments) string {
  609. if len(expected) != len(actual) {
  610. return fmt.Sprintf("Provided %v arguments, mocked for %v arguments", len(expected), len(actual))
  611. }
  612. for x := range expected {
  613. if diffString := diff(expected[x], actual[x]); diffString != "" {
  614. return fmt.Sprintf("Difference found in argument %v:\n\n%s", x, diffString)
  615. }
  616. }
  617. return ""
  618. }
  619. // diff returns a diff of both values as long as both are of the same type and
  620. // are a struct, map, slice or array. Otherwise it returns an empty string.
  621. func diff(expected interface{}, actual interface{}) string {
  622. if expected == nil || actual == nil {
  623. return ""
  624. }
  625. et, ek := typeAndKind(expected)
  626. at, _ := typeAndKind(actual)
  627. if et != at {
  628. return ""
  629. }
  630. if ek != reflect.Struct && ek != reflect.Map && ek != reflect.Slice && ek != reflect.Array {
  631. return ""
  632. }
  633. e := spewConfig.Sdump(expected)
  634. a := spewConfig.Sdump(actual)
  635. diff, _ := difflib.GetUnifiedDiffString(difflib.UnifiedDiff{
  636. A: difflib.SplitLines(e),
  637. B: difflib.SplitLines(a),
  638. FromFile: "Expected",
  639. FromDate: "",
  640. ToFile: "Actual",
  641. ToDate: "",
  642. Context: 1,
  643. })
  644. return diff
  645. }
  646. var spewConfig = spew.ConfigState{
  647. Indent: " ",
  648. DisablePointerAddresses: true,
  649. DisableCapacities: true,
  650. SortKeys: true,
  651. }