minitest 5.14.4 → 5.16.3
Sign up to get free protection for your applications and to get access to all the features.
- checksums.yaml +4 -4
- checksums.yaml.gz.sig +0 -0
- data/History.rdoc +73 -1
- data/Manifest.txt +2 -0
- data/README.rdoc +47 -13
- data/Rakefile +1 -1
- data/lib/hoe/minitest.rb +0 -4
- data/lib/minitest/assertions.rb +7 -6
- data/lib/minitest/benchmark.rb +5 -5
- data/lib/minitest/mock.rb +112 -33
- data/lib/minitest/pride_plugin.rb +1 -1
- data/lib/minitest/spec.rb +3 -2
- data/lib/minitest/test.rb +35 -3
- data/lib/minitest/test_task.rb +305 -0
- data/lib/minitest/unit.rb +5 -8
- data/lib/minitest.rb +44 -14
- data/test/minitest/metametameta.rb +1 -1
- data/test/minitest/test_minitest_assertions.rb +32 -16
- data/test/minitest/test_minitest_benchmark.rb +2 -2
- data/test/minitest/test_minitest_mock.rb +265 -10
- data/test/minitest/test_minitest_reporter.rb +30 -17
- data/test/minitest/test_minitest_spec.rb +25 -16
- data/test/minitest/test_minitest_test.rb +218 -30
- data/test/minitest/test_minitest_test_task.rb +46 -0
- data.tar.gz.sig +0 -0
- metadata +16 -14
- metadata.gz.sig +0 -0
data/lib/minitest/test.rb
CHANGED
@@ -67,8 +67,8 @@ module Minitest
|
|
67
67
|
|
68
68
|
case self.test_order
|
69
69
|
when :random, :parallel then
|
70
|
-
|
71
|
-
methods.sort.
|
70
|
+
srand Minitest.seed
|
71
|
+
methods.sort.shuffle
|
72
72
|
when :alpha, :sorted then
|
73
73
|
methods.sort
|
74
74
|
else
|
@@ -198,7 +198,39 @@ module Minitest
|
|
198
198
|
rescue Assertion => e
|
199
199
|
self.failures << e
|
200
200
|
rescue Exception => e
|
201
|
-
self.failures << UnexpectedError.new(e)
|
201
|
+
self.failures << UnexpectedError.new(sanitize_exception e)
|
202
|
+
end
|
203
|
+
|
204
|
+
def sanitize_exception e # :nodoc:
|
205
|
+
Marshal.dump e
|
206
|
+
e # good: use as-is
|
207
|
+
rescue
|
208
|
+
neuter_exception e
|
209
|
+
end
|
210
|
+
|
211
|
+
def neuter_exception e
|
212
|
+
bt = e.backtrace
|
213
|
+
msg = e.message.dup
|
214
|
+
|
215
|
+
new_exception e.class, msg, bt # e.class can be a problem...
|
216
|
+
rescue
|
217
|
+
msg.prepend "Neutered Exception #{e.class}: "
|
218
|
+
|
219
|
+
new_exception RuntimeError, msg, bt, true # but if this raises, we die
|
220
|
+
end
|
221
|
+
|
222
|
+
def new_exception klass, msg, bt, kill = false
|
223
|
+
ne = klass.new msg
|
224
|
+
ne.set_backtrace bt
|
225
|
+
|
226
|
+
if kill then
|
227
|
+
ne.instance_variables.each do |v|
|
228
|
+
ne.remove_instance_variable v
|
229
|
+
end
|
230
|
+
end
|
231
|
+
|
232
|
+
Marshal.dump ne # can raise TypeError
|
233
|
+
ne
|
202
234
|
end
|
203
235
|
|
204
236
|
def with_info_handler &block # :nodoc:
|
@@ -0,0 +1,305 @@
|
|
1
|
+
require "shellwords"
|
2
|
+
require "rbconfig"
|
3
|
+
require "rake/tasklib"
|
4
|
+
|
5
|
+
module Minitest # :nodoc:
|
6
|
+
|
7
|
+
##
|
8
|
+
# Minitest::TestTask is a rake helper that generates several rake
|
9
|
+
# tasks under the main test task's name-space.
|
10
|
+
#
|
11
|
+
# task <name> :: the main test task
|
12
|
+
# task <name>:cmd :: prints the command to use
|
13
|
+
# task <name>:deps :: runs each test file by itself to find dependency errors
|
14
|
+
# task <name>:slow :: runs the tests and reports the slowest 25 tests.
|
15
|
+
#
|
16
|
+
# Examples:
|
17
|
+
#
|
18
|
+
# Minitest::TestTask.create
|
19
|
+
#
|
20
|
+
# The most basic and default setup.
|
21
|
+
#
|
22
|
+
# Minitest::TestTask.create :my_tests
|
23
|
+
#
|
24
|
+
# The most basic/default setup, but with a custom name
|
25
|
+
#
|
26
|
+
# Minitest::TestTask.create :unit do |t|
|
27
|
+
# t.test_globs = ["test/unit/**/*_test.rb"]
|
28
|
+
# t.warning = false
|
29
|
+
# end
|
30
|
+
#
|
31
|
+
# Customize the name and only run unit tests.
|
32
|
+
|
33
|
+
class TestTask < Rake::TaskLib
|
34
|
+
WINDOWS = RbConfig::CONFIG["host_os"] =~ /mswin|mingw/ # :nodoc:
|
35
|
+
|
36
|
+
##
|
37
|
+
# Create several test-oriented tasks under +name+. Takes an
|
38
|
+
# optional block to customize variables.
|
39
|
+
|
40
|
+
def self.create name = :test, &block
|
41
|
+
task = new name
|
42
|
+
task.instance_eval(&block) if block
|
43
|
+
task.process_env
|
44
|
+
task.define
|
45
|
+
task
|
46
|
+
end
|
47
|
+
|
48
|
+
##
|
49
|
+
# Extra arguments to pass to the tests. Defaults empty but gets
|
50
|
+
# populated by a number of enviroment variables:
|
51
|
+
#
|
52
|
+
# N (-n flag) :: a string or regexp of tests to run.
|
53
|
+
# X (-e flag) :: a string or regexp of tests to exclude.
|
54
|
+
# A (arg) :: quick way to inject an arbitrary argument (eg A=--help).
|
55
|
+
#
|
56
|
+
# See #process_env
|
57
|
+
|
58
|
+
attr_accessor :extra_args
|
59
|
+
|
60
|
+
##
|
61
|
+
# The code to load the framework. Defaults to requiring
|
62
|
+
# minitest/autorun...
|
63
|
+
#
|
64
|
+
# Why do I have this as an option?
|
65
|
+
|
66
|
+
attr_accessor :framework
|
67
|
+
|
68
|
+
##
|
69
|
+
# Extra library directories to include. Defaults to %w[lib test
|
70
|
+
# .]. Also uses $MT_LIB_EXTRAS allowing you to dynamically
|
71
|
+
# override/inject directories for custom runs.
|
72
|
+
|
73
|
+
attr_accessor :libs
|
74
|
+
|
75
|
+
##
|
76
|
+
# The name of the task and base name for the other tasks generated.
|
77
|
+
|
78
|
+
attr_accessor :name
|
79
|
+
|
80
|
+
##
|
81
|
+
# File globs to find test files. Defaults to something sensible to
|
82
|
+
# find test files under the test directory.
|
83
|
+
|
84
|
+
attr_accessor :test_globs
|
85
|
+
|
86
|
+
##
|
87
|
+
# Turn on ruby warnings (-w flag). Defaults to true.
|
88
|
+
|
89
|
+
attr_accessor :warning
|
90
|
+
|
91
|
+
##
|
92
|
+
# Optional: Additional ruby to run before the test framework is loaded.
|
93
|
+
|
94
|
+
attr_accessor :test_prelude
|
95
|
+
|
96
|
+
##
|
97
|
+
# Print out commands as they run. Defaults to Rake's +trace+ (-t
|
98
|
+
# flag) option.
|
99
|
+
|
100
|
+
attr_accessor :verbose
|
101
|
+
|
102
|
+
##
|
103
|
+
# Use TestTask.create instead.
|
104
|
+
|
105
|
+
def initialize name = :test # :nodoc:
|
106
|
+
self.extra_args = []
|
107
|
+
self.framework = %(require "minitest/autorun")
|
108
|
+
self.libs = %w[lib test .]
|
109
|
+
self.name = name
|
110
|
+
self.test_globs = ["test/**/test_*.rb",
|
111
|
+
"test/**/*_test.rb"]
|
112
|
+
self.test_prelude = nil
|
113
|
+
self.verbose = Rake.application.options.trace
|
114
|
+
self.warning = true
|
115
|
+
end
|
116
|
+
|
117
|
+
##
|
118
|
+
# Extract variables from the environment and convert them to
|
119
|
+
# command line arguments. See #extra_args.
|
120
|
+
#
|
121
|
+
# Environment Variables:
|
122
|
+
#
|
123
|
+
# MT_LIB_EXTRAS :: Extra libs to dynamically override/inject for custom runs.
|
124
|
+
# N :: Tests to run (string or /regexp/).
|
125
|
+
# X :: Tests to exclude (string or /regexp/).
|
126
|
+
# A :: Any extra arguments. Honors shell quoting.
|
127
|
+
#
|
128
|
+
# Deprecated:
|
129
|
+
#
|
130
|
+
# TESTOPTS :: For argument passing, use +A+.
|
131
|
+
# N :: For parallel testing, use +MT_CPU+.
|
132
|
+
# FILTER :: Same as +TESTOPTS+.
|
133
|
+
|
134
|
+
def process_env
|
135
|
+
warn "TESTOPTS is deprecated in Minitest::TestTask. Use A instead" if
|
136
|
+
ENV["TESTOPTS"]
|
137
|
+
warn "FILTER is deprecated in Minitest::TestTask. Use A instead" if
|
138
|
+
ENV["FILTER"]
|
139
|
+
warn "N is deprecated in Minitest::TestTask. Use MT_CPU instead" if
|
140
|
+
ENV["N"] && ENV["N"].to_i > 0
|
141
|
+
|
142
|
+
lib_extras = (ENV["MT_LIB_EXTRAS"] || "").split File::PATH_SEPARATOR
|
143
|
+
self.libs[0,0] = lib_extras
|
144
|
+
|
145
|
+
extra_args << "-n" << ENV["N"] if ENV["N"]
|
146
|
+
extra_args << "-e" << ENV["X"] if ENV["X"]
|
147
|
+
extra_args.concat Shellwords.split(ENV["TESTOPTS"]) if ENV["TESTOPTS"]
|
148
|
+
extra_args.concat Shellwords.split(ENV["FILTER"]) if ENV["FILTER"]
|
149
|
+
extra_args.concat Shellwords.split(ENV["A"]) if ENV["A"]
|
150
|
+
|
151
|
+
ENV.delete "N" if ENV["N"]
|
152
|
+
|
153
|
+
# TODO? RUBY_DEBUG = ENV["RUBY_DEBUG"]
|
154
|
+
# TODO? ENV["RUBY_FLAGS"]
|
155
|
+
|
156
|
+
extra_args.compact!
|
157
|
+
end
|
158
|
+
|
159
|
+
def define # :nodoc:
|
160
|
+
default_tasks = []
|
161
|
+
|
162
|
+
desc "Run the test suite. Use N, X, A, and TESTOPTS to add flags/args."
|
163
|
+
task name do
|
164
|
+
ruby make_test_cmd, verbose:verbose
|
165
|
+
end
|
166
|
+
|
167
|
+
desc "Print out the test command. Good for profiling and other tools."
|
168
|
+
task "#{name}:cmd" do
|
169
|
+
puts "ruby #{make_test_cmd}"
|
170
|
+
end
|
171
|
+
|
172
|
+
desc "Show which test files fail when run in isolation."
|
173
|
+
task "#{name}:isolated" do
|
174
|
+
tests = Dir[*self.test_globs].uniq
|
175
|
+
|
176
|
+
# 3 seems to be the magic number... (tho not by that much)
|
177
|
+
bad, good, n = {}, [], (ENV.delete("K") || 3).to_i
|
178
|
+
file = ENV.delete("F")
|
179
|
+
times = {}
|
180
|
+
|
181
|
+
tt0 = Time.now
|
182
|
+
|
183
|
+
n.threads_do tests.sort do |path|
|
184
|
+
t0 = Time.now
|
185
|
+
output = `#{Gem.ruby} #{make_test_cmd path} 2>&1`
|
186
|
+
t1 = Time.now - t0
|
187
|
+
|
188
|
+
times[path] = t1
|
189
|
+
|
190
|
+
if $?.success?
|
191
|
+
$stderr.print "."
|
192
|
+
good << path
|
193
|
+
else
|
194
|
+
$stderr.print "x"
|
195
|
+
bad[path] = output
|
196
|
+
end
|
197
|
+
end
|
198
|
+
|
199
|
+
puts "done"
|
200
|
+
puts "Ran in %.2f seconds" % [ Time.now - tt0 ]
|
201
|
+
|
202
|
+
if file then
|
203
|
+
require "json"
|
204
|
+
File.open file, "w" do |io|
|
205
|
+
io.puts JSON.pretty_generate times
|
206
|
+
end
|
207
|
+
end
|
208
|
+
|
209
|
+
unless good.empty?
|
210
|
+
puts
|
211
|
+
puts "# Good tests:"
|
212
|
+
puts
|
213
|
+
good.sort.each do |path|
|
214
|
+
puts "%.2fs: %s" % [times[path], path]
|
215
|
+
end
|
216
|
+
end
|
217
|
+
|
218
|
+
unless bad.empty?
|
219
|
+
puts
|
220
|
+
puts "# Bad tests:"
|
221
|
+
puts
|
222
|
+
bad.keys.sort.each do |path|
|
223
|
+
puts "%.2fs: %s" % [times[path], path]
|
224
|
+
end
|
225
|
+
puts
|
226
|
+
puts "# Bad Test Output:"
|
227
|
+
puts
|
228
|
+
bad.sort.each do |path, output|
|
229
|
+
puts
|
230
|
+
puts "# #{path}:"
|
231
|
+
puts output
|
232
|
+
end
|
233
|
+
exit 1
|
234
|
+
end
|
235
|
+
end
|
236
|
+
|
237
|
+
task "#{name}:deps" => "#{name}:isolated" # now just an alias
|
238
|
+
|
239
|
+
desc "Show bottom 25 tests wrt time."
|
240
|
+
task "#{name}:slow" do
|
241
|
+
sh ["rake #{name} A=-v",
|
242
|
+
"egrep '#test_.* s = .'",
|
243
|
+
"sort -n -k2 -t=",
|
244
|
+
"tail -25"].join " | "
|
245
|
+
end
|
246
|
+
|
247
|
+
default_tasks << name
|
248
|
+
|
249
|
+
desc "Run the default task(s)."
|
250
|
+
task :default => default_tasks
|
251
|
+
end
|
252
|
+
|
253
|
+
##
|
254
|
+
# Generate the test command-line.
|
255
|
+
|
256
|
+
def make_test_cmd globs = test_globs
|
257
|
+
tests = []
|
258
|
+
tests.concat Dir[*globs].sort.shuffle # TODO: SEED -> srand first?
|
259
|
+
tests.map! { |f| %(require "#{f}") }
|
260
|
+
|
261
|
+
runner = []
|
262
|
+
runner << test_prelude if test_prelude
|
263
|
+
runner << framework
|
264
|
+
runner.concat tests
|
265
|
+
runner = runner.join "; "
|
266
|
+
|
267
|
+
args = []
|
268
|
+
args << "-I#{libs.join(File::PATH_SEPARATOR)}" unless libs.empty?
|
269
|
+
args << "-w" if warning
|
270
|
+
args << '-e'
|
271
|
+
args << "'#{runner}'"
|
272
|
+
args << '--'
|
273
|
+
args << extra_args.map(&:shellescape)
|
274
|
+
|
275
|
+
args.join " "
|
276
|
+
end
|
277
|
+
end
|
278
|
+
end
|
279
|
+
|
280
|
+
class Work < Queue
|
281
|
+
def initialize jobs = []
|
282
|
+
super()
|
283
|
+
|
284
|
+
jobs.each do |job|
|
285
|
+
self << job
|
286
|
+
end
|
287
|
+
|
288
|
+
close
|
289
|
+
end
|
290
|
+
end
|
291
|
+
|
292
|
+
class Integer
|
293
|
+
def threads_do(jobs) # :nodoc:
|
294
|
+
require "thread"
|
295
|
+
q = Work.new jobs
|
296
|
+
|
297
|
+
self.times.map {
|
298
|
+
Thread.new do
|
299
|
+
while job = q.pop # go until quit value
|
300
|
+
yield job
|
301
|
+
end
|
302
|
+
end
|
303
|
+
}.each(&:join)
|
304
|
+
end
|
305
|
+
end
|
data/lib/minitest/unit.rb
CHANGED
@@ -1,5 +1,3 @@
|
|
1
|
-
# :stopdoc:
|
2
|
-
|
3
1
|
unless defined?(Minitest) then
|
4
2
|
# all of this crap is just to avoid circular requires and is only
|
5
3
|
# needed if a user requires "minitest/unit" directly instead of
|
@@ -10,17 +8,18 @@ unless defined?(Minitest) then
|
|
10
8
|
warn %(Warning: or add 'gem "minitest"' before 'require "minitest/autorun"')
|
11
9
|
warn "From:\n #{from}"
|
12
10
|
|
13
|
-
module Minitest
|
14
|
-
|
11
|
+
module Minitest # :nodoc:
|
12
|
+
end
|
13
|
+
MiniTest = Minitest # :nodoc: # prevents minitest.rb from requiring back to us
|
15
14
|
require "minitest"
|
16
15
|
end
|
17
16
|
|
18
17
|
MiniTest = Minitest unless defined?(MiniTest)
|
19
18
|
|
20
19
|
module Minitest
|
21
|
-
class Unit
|
20
|
+
class Unit # :nodoc:
|
22
21
|
VERSION = Minitest::VERSION
|
23
|
-
class TestCase < Minitest::Test
|
22
|
+
class TestCase < Minitest::Test # :nodoc:
|
24
23
|
def self.inherited klass # :nodoc:
|
25
24
|
from = caller.first
|
26
25
|
warn "MiniTest::Unit::TestCase is now Minitest::Test. From #{from}"
|
@@ -41,5 +40,3 @@ module Minitest
|
|
41
40
|
end
|
42
41
|
end
|
43
42
|
end
|
44
|
-
|
45
|
-
# :startdoc:
|
data/lib/minitest.rb
CHANGED
@@ -3,56 +3,71 @@ require "thread"
|
|
3
3
|
require "mutex_m"
|
4
4
|
require "minitest/parallel"
|
5
5
|
require "stringio"
|
6
|
+
require "etc"
|
6
7
|
|
7
8
|
##
|
8
9
|
# :include: README.rdoc
|
9
10
|
|
10
11
|
module Minitest
|
11
|
-
VERSION = "5.
|
12
|
-
ENCS = "".respond_to? :encoding # :nodoc:
|
12
|
+
VERSION = "5.16.3" # :nodoc:
|
13
13
|
|
14
14
|
@@installed_at_exit ||= false
|
15
15
|
@@after_run = []
|
16
16
|
@extensions = []
|
17
17
|
|
18
|
-
|
18
|
+
def self.cattr_accessor name # :nodoc:
|
19
|
+
(class << self; self; end).attr_accessor name
|
20
|
+
end
|
21
|
+
|
22
|
+
##
|
23
|
+
# The random seed used for this run. This is used to srand at the
|
24
|
+
# start of the run and between each +Runnable.run+.
|
25
|
+
#
|
26
|
+
# Set via Minitest.run after processing args.
|
27
|
+
|
28
|
+
cattr_accessor :seed
|
19
29
|
|
20
30
|
##
|
21
31
|
# Parallel test executor
|
22
32
|
|
23
|
-
|
33
|
+
cattr_accessor :parallel_executor
|
24
34
|
|
25
35
|
warn "DEPRECATED: use MT_CPU instead of N for parallel test runs" if ENV["N"]
|
26
|
-
n_threads = (ENV["MT_CPU"] || ENV["N"] ||
|
36
|
+
n_threads = (ENV["MT_CPU"] || ENV["N"] || Etc.nprocessors).to_i
|
37
|
+
|
27
38
|
self.parallel_executor = Parallel::Executor.new n_threads
|
28
39
|
|
29
40
|
##
|
30
41
|
# Filter object for backtraces.
|
31
42
|
|
32
|
-
|
43
|
+
cattr_accessor :backtrace_filter
|
33
44
|
|
34
45
|
##
|
35
46
|
# Reporter object to be used for all runs.
|
36
47
|
#
|
37
48
|
# NOTE: This accessor is only available during setup, not during runs.
|
38
49
|
|
39
|
-
|
50
|
+
cattr_accessor :reporter
|
40
51
|
|
41
52
|
##
|
42
53
|
# Names of known extension plugins.
|
43
54
|
|
44
|
-
|
55
|
+
cattr_accessor :extensions
|
45
56
|
|
46
57
|
##
|
47
58
|
# The signal to use for dumping information to STDERR. Defaults to "INFO".
|
48
59
|
|
49
|
-
|
60
|
+
cattr_accessor :info_signal
|
50
61
|
self.info_signal = "INFO"
|
51
62
|
|
52
63
|
##
|
53
64
|
# Registers Minitest to run at process exit
|
54
65
|
|
55
66
|
def self.autorun
|
67
|
+
if Object.const_defined?(:Warning) && Warning.respond_to?(:[]=)
|
68
|
+
Warning[:deprecated] = true
|
69
|
+
end
|
70
|
+
|
56
71
|
at_exit {
|
57
72
|
next if $! and not ($!.kind_of? SystemExit and $!.success?)
|
58
73
|
|
@@ -127,6 +142,9 @@ module Minitest
|
|
127
142
|
|
128
143
|
options = process_args args
|
129
144
|
|
145
|
+
Minitest.seed = options[:seed]
|
146
|
+
srand Minitest.seed
|
147
|
+
|
130
148
|
reporter = CompositeReporter.new
|
131
149
|
reporter << SummaryReporter.new(options[:io], options)
|
132
150
|
reporter << ProgressReporter.new(options[:io], options)
|
@@ -153,7 +171,7 @@ module Minitest
|
|
153
171
|
# sub-classes to run.
|
154
172
|
|
155
173
|
def self.__run reporter, options
|
156
|
-
suites = Runnable.runnables.
|
174
|
+
suites = Runnable.runnables.shuffle
|
157
175
|
parallel, serial = suites.partition { |s| s.test_order == :parallel }
|
158
176
|
|
159
177
|
# If we run the parallel tests before the serial tests, the parallel tests
|
@@ -191,6 +209,10 @@ module Minitest
|
|
191
209
|
options[:verbose] = true
|
192
210
|
end
|
193
211
|
|
212
|
+
opts.on "--show-skips", "Show skipped at the end of run." do
|
213
|
+
options[:show_skips] = true
|
214
|
+
end
|
215
|
+
|
194
216
|
opts.on "-n", "--name PATTERN", "Filter run on /regexp/ or string." do |a|
|
195
217
|
options[:filter] = a
|
196
218
|
end
|
@@ -199,6 +221,10 @@ module Minitest
|
|
199
221
|
options[:exclude] = a
|
200
222
|
end
|
201
223
|
|
224
|
+
opts.on "-S", "--skip CODES", String, "Skip reporting of certain types of results (eg E)." do |s|
|
225
|
+
options[:skip] = s.chars.to_a
|
226
|
+
end
|
227
|
+
|
202
228
|
unless extensions.empty?
|
203
229
|
opts.separator ""
|
204
230
|
opts.separator "Known extensions: #{extensions.join(", ")}"
|
@@ -228,8 +254,6 @@ module Minitest
|
|
228
254
|
orig_args << "--seed" << options[:seed].to_s
|
229
255
|
end
|
230
256
|
|
231
|
-
srand options[:seed]
|
232
|
-
|
233
257
|
options[:args] = orig_args.map { |s|
|
234
258
|
s =~ /[\s|&<>$()]/ ? s.inspect : s
|
235
259
|
}.join " "
|
@@ -784,9 +808,14 @@ module Minitest
|
|
784
808
|
|
785
809
|
def aggregated_results io # :nodoc:
|
786
810
|
filtered_results = results.dup
|
787
|
-
filtered_results.reject!(&:skipped?) unless
|
811
|
+
filtered_results.reject!(&:skipped?) unless
|
812
|
+
options[:verbose] or options[:show_skips]
|
813
|
+
|
814
|
+
skip = options[:skip] || []
|
788
815
|
|
789
816
|
filtered_results.each_with_index { |result, i|
|
817
|
+
next if skip.include? result.result_code
|
818
|
+
|
790
819
|
io.puts "\n%3d) %s" % [i+1, result]
|
791
820
|
}
|
792
821
|
io.puts
|
@@ -801,7 +830,8 @@ module Minitest
|
|
801
830
|
extra = ""
|
802
831
|
|
803
832
|
extra = "\n\nYou have skipped tests. Run with --verbose for details." if
|
804
|
-
results.any?(&:skipped?) unless
|
833
|
+
results.any?(&:skipped?) unless
|
834
|
+
options[:verbose] or options[:show_skips] or ENV["MT_NO_SKIP_MSG"]
|
805
835
|
|
806
836
|
"%d runs, %d assertions, %d failures, %d errors, %d skips%s" %
|
807
837
|
[count, assertions, failures, errors, skips, extra]
|
@@ -28,6 +28,9 @@ class TestMinitestAssertions < Minitest::Test
|
|
28
28
|
|
29
29
|
RUBY18 = !defined? Encoding
|
30
30
|
|
31
|
+
# not included in JRuby
|
32
|
+
RE_LEVELS = /\(\d+ levels\) /
|
33
|
+
|
31
34
|
class DummyTest
|
32
35
|
include Minitest::Assertions
|
33
36
|
# include Minitest::Reportable # TODO: why do I really need this?
|
@@ -351,7 +354,7 @@ class TestMinitestAssertions < Minitest::Test
|
|
351
354
|
@@ -1,3 +1,3 @@
|
352
355
|
-# encoding: UTF-8
|
353
356
|
-# valid: false
|
354
|
-
+# encoding:
|
357
|
+
+# encoding: #{Encoding::BINARY.name}
|
355
358
|
+# valid: true
|
356
359
|
"bad-utf8-\\xF1.txt"
|
357
360
|
EOM
|
@@ -370,7 +373,7 @@ class TestMinitestAssertions < Minitest::Test
|
|
370
373
|
@@ -1,3 +1,3 @@
|
371
374
|
-# encoding: US-ASCII
|
372
375
|
-# valid: false
|
373
|
-
+# encoding:
|
376
|
+
+# encoding: #{Encoding::BINARY.name}
|
374
377
|
+# valid: true
|
375
378
|
"bad-utf8-\\xF1.txt"
|
376
379
|
EOM
|
@@ -481,7 +484,10 @@ class TestMinitestAssertions < Minitest::Test
|
|
481
484
|
|
482
485
|
def test_assert_match
|
483
486
|
@assertion_count = 2
|
484
|
-
@tc.assert_match(/\w+/, "blah blah blah")
|
487
|
+
m = @tc.assert_match(/\w+/, "blah blah blah")
|
488
|
+
|
489
|
+
assert_kind_of MatchData, m
|
490
|
+
assert_equal "blah", m[0]
|
485
491
|
end
|
486
492
|
|
487
493
|
def test_assert_match_matchee_to_str
|
@@ -756,12 +762,12 @@ class TestMinitestAssertions < Minitest::Test
|
|
756
762
|
Class: <SomeError>
|
757
763
|
Message: <\"blah\">
|
758
764
|
---Backtrace---
|
759
|
-
FILE:LINE:in \`test_assert_raises_default_triggered\'
|
765
|
+
FILE:LINE:in \`block in test_assert_raises_default_triggered\'
|
760
766
|
---------------
|
761
767
|
EOM
|
762
768
|
|
763
769
|
actual = e.message.gsub(/^.+:\d+/, "FILE:LINE")
|
764
|
-
actual.gsub!(
|
770
|
+
actual.gsub!(RE_LEVELS, "") unless jruby?
|
765
771
|
|
766
772
|
assert_equal expected, actual
|
767
773
|
end
|
@@ -801,7 +807,7 @@ class TestMinitestAssertions < Minitest::Test
|
|
801
807
|
# *sigh* This is quite an odd scenario, but it is from real (albeit
|
802
808
|
# ugly) test code in ruby-core:
|
803
809
|
|
804
|
-
#
|
810
|
+
# https://svn.ruby-lang.org/cgi-bin/viewvc.cgi?view=rev&revision=29259
|
805
811
|
|
806
812
|
def test_assert_raises_skip
|
807
813
|
@assertion_count = 0
|
@@ -835,12 +841,12 @@ class TestMinitestAssertions < Minitest::Test
|
|
835
841
|
Class: <AnError>
|
836
842
|
Message: <\"some message\">
|
837
843
|
---Backtrace---
|
838
|
-
FILE:LINE:in \`test_assert_raises_subclass_triggered\'
|
844
|
+
FILE:LINE:in \`block in test_assert_raises_subclass_triggered\'
|
839
845
|
---------------
|
840
846
|
EOM
|
841
847
|
|
842
848
|
actual = e.message.gsub(/^.+:\d+/, "FILE:LINE")
|
843
|
-
actual.gsub!(
|
849
|
+
actual.gsub!(RE_LEVELS, "") unless jruby?
|
844
850
|
|
845
851
|
assert_equal expected.chomp, actual
|
846
852
|
end
|
@@ -857,12 +863,12 @@ class TestMinitestAssertions < Minitest::Test
|
|
857
863
|
Class: <SyntaxError>
|
858
864
|
Message: <\"icky\">
|
859
865
|
---Backtrace---
|
860
|
-
FILE:LINE:in \`test_assert_raises_triggered_different\'
|
866
|
+
FILE:LINE:in \`block in test_assert_raises_triggered_different\'
|
861
867
|
---------------
|
862
868
|
EOM
|
863
869
|
|
864
870
|
actual = e.message.gsub(/^.+:\d+/, "FILE:LINE")
|
865
|
-
actual.gsub!(
|
871
|
+
actual.gsub!(RE_LEVELS, "") unless jruby?
|
866
872
|
|
867
873
|
assert_equal expected, actual
|
868
874
|
end
|
@@ -880,12 +886,12 @@ class TestMinitestAssertions < Minitest::Test
|
|
880
886
|
Class: <SyntaxError>
|
881
887
|
Message: <\"icky\">
|
882
888
|
---Backtrace---
|
883
|
-
FILE:LINE:in \`test_assert_raises_triggered_different_msg\'
|
889
|
+
FILE:LINE:in \`block in test_assert_raises_triggered_different_msg\'
|
884
890
|
---------------
|
885
891
|
EOM
|
886
892
|
|
887
893
|
actual = e.message.gsub(/^.+:\d+/, "FILE:LINE")
|
888
|
-
actual.gsub!(
|
894
|
+
actual.gsub!(RE_LEVELS, "") unless jruby?
|
889
895
|
|
890
896
|
assert_equal expected.chomp, actual
|
891
897
|
end
|
@@ -995,9 +1001,19 @@ class TestMinitestAssertions < Minitest::Test
|
|
995
1001
|
end
|
996
1002
|
|
997
1003
|
def test_assert_throws
|
998
|
-
@tc.assert_throws :blah do
|
1004
|
+
v = @tc.assert_throws :blah do
|
999
1005
|
throw :blah
|
1000
1006
|
end
|
1007
|
+
|
1008
|
+
assert_nil v
|
1009
|
+
end
|
1010
|
+
|
1011
|
+
def test_assert_throws_value
|
1012
|
+
v = @tc.assert_throws :blah do
|
1013
|
+
throw :blah, 42
|
1014
|
+
end
|
1015
|
+
|
1016
|
+
assert_equal 42, v
|
1001
1017
|
end
|
1002
1018
|
|
1003
1019
|
def test_assert_throws_argument_exception
|
@@ -1515,14 +1531,14 @@ class TestMinitestAssertionHelpers < Minitest::Test
|
|
1515
1531
|
|
1516
1532
|
def test_mu_pp_for_diff_str_encoding
|
1517
1533
|
str = "A\nB".b
|
1518
|
-
exp = "# encoding:
|
1534
|
+
exp = "# encoding: #{Encoding::BINARY.name}\n# valid: true\n\"A\nB\""
|
1519
1535
|
|
1520
1536
|
assert_mu_pp_for_diff exp, str, :raw
|
1521
1537
|
end
|
1522
1538
|
|
1523
1539
|
def test_mu_pp_for_diff_str_encoding_both
|
1524
1540
|
str = "A\\n\nB".b
|
1525
|
-
exp = "# encoding:
|
1541
|
+
exp = "# encoding: #{Encoding::BINARY.name}\n# valid: true\n\"A\\\\n\\nB\""
|
1526
1542
|
|
1527
1543
|
assert_mu_pp_for_diff exp, str, :raw
|
1528
1544
|
end
|
@@ -1562,7 +1578,7 @@ class TestMinitestAssertionHelpers < Minitest::Test
|
|
1562
1578
|
|
1563
1579
|
def test_mu_pp_str_encoding
|
1564
1580
|
str = "A\nB".b
|
1565
|
-
exp = "# encoding:
|
1581
|
+
exp = "# encoding: #{Encoding::BINARY.name}\n# valid: true\n\"A\\nB\""
|
1566
1582
|
|
1567
1583
|
assert_mu_pp exp, str, :raw
|
1568
1584
|
end
|