File: testing_assert_test.go

package info (click to toggle)
golang-github-antlr-antlr4 4.11.1%2Bds-2
  • links: PTS, VCS
  • area: main
  • in suites: bookworm, forky, sid, trixie
  • size: 1,292 kB
  • sloc: makefile: 5
file content (98 lines) | stat: -rw-r--r-- 2,157 bytes parent folder | download | duplicates (2)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
// Copyright (c) 2012-2022 The ANTLR Project. All rights reserved.
// Use of this file is governed by the BSD 3-clause license that
// can be found in the LICENSE.txt file in the project root.

// These assert functions are borrowed from https://github.com/stretchr/testify/ (MIT License)

package antlr

import (
	"fmt"
	"reflect"
	"testing"
)

type assert struct {
	t *testing.T
}

func assertNew(t *testing.T) *assert {
	return &assert{
		t: t,
	}
}

func (a *assert) Equal(expected, actual interface{}) bool {
	if !objectsAreEqual(expected, actual) {
		return a.Fail(fmt.Sprintf("Not equal:\n"+
			"expected: %#v\n"+
			"  actual: %#v\n", expected, actual))
	}
	return true
}

func objectsAreEqual(expected, actual interface{}) bool {
	if expected == nil || actual == nil {
		return expected == actual
	}
	return reflect.DeepEqual(expected, actual)
}

func (a *assert) Nil(object interface{}) bool {
	if isNil(object) {
		return true
	}
	return a.Fail(fmt.Sprintf("Expected nil, but got: %#v", object))
}

func (a *assert) NotNil(object interface{}) bool {
	if !isNil(object) {
		return true
	}
	return a.Fail("Expected value not to be nil.")
}

// isNil checks if a specified object is nil or not, without Failing.
func isNil(object interface{}) bool {
	if object == nil {
		return true
	}

	value := reflect.ValueOf(object)
	kind := value.Kind()
	if kind >= reflect.Chan && kind <= reflect.Slice && value.IsNil() {
		return true
	}

	return false
}

func (a *assert) Panics(f func()) bool {
	if funcDidPanic, panicValue := didPanic(f); !funcDidPanic {
		return a.Fail(fmt.Sprintf("func %p should panic\n\r\tPanic value:\t%v", f, panicValue))
	}

	return true
}

// Fail reports a failure through
func (a *assert) Fail(failureMessage string) bool {
	a.t.Errorf("%s", failureMessage)
	return false
}

// didPanic returns true if the function passed to it panics. Otherwise, it returns false.
func didPanic(f func()) (bool, interface{}) {
	didPanic := false
	var message interface{}
	func() {
		defer func() {
			if message = recover(); message != nil {
				didPanic = true
			}
		}()
		// call the target function
		f()
	}()
	return didPanic, message
}