forked from nltk/nltk_book
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathdoctest_driver.py
1099 lines (954 loc) · 42.3 KB
/
doctest_driver.py
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
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
#!/usr/bin/env python
# A Test Driver for Doctest
# Author: Edward Loper <edloper@gradient.cis.upenn.edu>
#
# Provided as-is; use at your own risk; no warranty; no promises; enjoy!
"""
A driver for testing interactive python examples in text files and
docstrings. This doctest driver performs three functions:
- checking: Runs the interactive examples, and reports any examples
whose actual output does not match their expected output.
- debugging: Runs the interactive examples, and enters the debugger
whenever an example's actual output does not match its expected
output.
- updating: Runs the interactive examples, and replaces the expected
output with the actual output whenever they don't match. This is
used to update the output for new or out-of-date examples.
A number of other flags can be given; call the driver with the
`--help` option for a complete list.
"""
from __future__ import print_function
import codecs
import os, os.path, sys, unittest, pdb, bdb, re, tempfile, traceback
import textwrap
from doctest import *
from doctest import DocTestCase, DocTestRunner
from optparse import OptionParser, OptionGroup, Option
# Use local NLTK.
root_dir = os.path.abspath(os.path.join(sys.path[0], '..', '..'))
sys.path.insert(0, root_dir)
from nltk.compat import StringIO, b
__version__ = '0.1'
# Compiler flags: define '/' to do float division, even for ints.
import __future__
COMPILER_FLAGS = __future__.division.compiler_flag
###########################################################################
# Fix for unicode docstrings and Python 2*
###########################################################################
if __name__ == "__main__" and sys.version_info[0]==2:
from nltk import compat
import sys
compat.reload(sys)
# XXX what should we do in Python 3?
if hasattr(sys, "setdefaultencoding"):
sys.setdefaultencoding("UTF-8")
import doctest
doctest.testmod()
###########################################################################
# Utility Functions
###########################################################################
# These are copied from doctest; I don't import them because they're
# private. See the versions in doctest for docstrings & comments.
def _exception_traceback(exc_info):
excout = StringIO()
exc_type, exc_val, exc_tb = exc_info
traceback.print_exception(exc_type, exc_val, exc_tb, file=excout)
return excout.getvalue()
class _SpoofOut(StringIO):
def getvalue(self):
result = StringIO.getvalue(self)
if result and not result.endswith("\n"):
result += "\n"
if hasattr(self, "softspace"):
del self.softspace
return result
def truncate(self, size=None):
StringIO.truncate(self, size)
if hasattr(self, "softspace"):
del self.softspace
###########################################################################
# MyParser
###########################################################################
class MyDocTestParser(DocTestParser):
PYLISTING_RE = re.compile(r'''
(^\.\.[ ]*pylisting::.*\n # directive
(?:[ ]*\n| # blank line or
[ ]+.*\n)*) # indented line
''', re.VERBOSE+re.MULTILINE)
# [xx] not used: split-pysrc_into_statements is used instead!
PYLISTING_EX = re.compile(r'''
(?:^[^ ].*\n # non-blank line
(?:[ ]*\n | # blank line or
[ ]+.*\n)*) # indented line
''', re.VERBOSE+re.MULTILINE)
DOCTEST_OPTION_RE = re.compile(r'''
^[ ]*:\w+:.*\n # :option:
(.*\S.*\n)* # non-blank lines
''', re.VERBOSE+re.MULTILINE)
def parse(self, string, name='<string>'):
output = []
lineno_offset = 0
for piecenum, piece in enumerate(self.PYLISTING_RE.split(string)):
for example in DocTestParser.parse(self, piece, name):
if isinstance(example, Example):
example.lineno += lineno_offset
output.append(example)
# If we're inside a pylisting, then convert any
# subpieces that are not marked by python prompts into
# examples with an expected output of ''.
elif piecenum%2 == 1 and example.strip():
output.append(example[:example.find('\n')])
# order matters here:
pysrc = example[example.find('\n'):]
pysrc = self.DOCTEST_OPTION_RE.sub('', pysrc)
pysrc = textwrap.dedent(pysrc)
#for ex in self.PYLISTING_EX.findall(pysrc):
for ex in split_pysrc_into_statements(pysrc):
source = ex.strip()
if not source: continue
want = ''
exc_msg = None
indent = 4 # close enough.
lineno = lineno_offset # Not quite right!
options = self._find_options(source, name, lineno)
output.append(Example(source, want, exc_msg,
lineno, indent, options))
else:
output.append(example)
lineno_offset += piece.count('\n')
# For debugging:
#for ex in output:
# if isinstance(ex, Example):
# print '-'*70
# print ex.source
#output = []
return output
def get_examples(self, string, name='<string>'):
examples = []
ignore = False
for x in self.parse(string, name):
if isinstance(x, Example):
if not ignore:
examples.append(x)
else:
#print '.. doctest-ignore:: %s' % x.source.strip()[:50]
pass
else:
if re.search(r'\.\.\s*doctest-ignore::?\s*$', x):
ignore = True
elif x.strip():
ignore = False
return examples
###########################################################################
# Update Runner
###########################################################################
class UpdateRunner(DocTestRunner):
"""
A subclass of `DocTestRunner` that checks the output of each
example, and replaces the expected output with the actual output
for any examples that fail.
`UpdateRunner` can be used:
- To automatically fill in the expected output for new examples.
- To correct examples whose output has become out-of-date.
However, care must be taken not to update an example's expected
output with an incorrect value.
"""
def __init__(self, verbose=False, mark_updates=False):
'''Construct a new update runner'''
self._mark_updates = mark_updates
DocTestRunner.__init__(self, verbose=verbose)
def run(self, test, compileflags=None, out=None, clear_globs=True):
'''Run the update runner'''
self._new_want = {}
(f,t) = DocTestRunner.run(self, test, compileflags, out, clear_globs)
# Update the test's docstring, and the lineno's of the
# examples, by breaking it into lines and replacing the old
# expected outputs with the new expected outputs.
old_lines = test.docstring.split('\n')
new_lines = []
lineno = 0
offset = 0
for example in test.examples:
# Copy the lines up through the start of the example's
# output from old_lines to new_lines.
got_start = example.lineno + example.source.count('\n')
new_lines += old_lines[lineno:got_start]
lineno = got_start
# Do a sanity check to make sure we're at the right lineno
# (In particular, check that the example's expected output
# appears in old_lines where we expect it to appear.)
if example.want:
assert (example.want.split('\n')[0] ==
old_lines[lineno][example.indent:]), \
'Line number mismatch at %d' % lineno
# Skip over the old expected output.
old_len = example.want.count('\n')
lineno += old_len
# Mark any changes we make.
if self._mark_updates and example in self._new_want:
new_lines.append(' '*example.indent + '... ' +
'# [!!] OUTPUT AUTOMATICALLY UPDATED [!!]')
# Add the new expected output.
new_want = self._new_want.get(example, example.want)
if new_want:
new_want = '\n'.join([' '*example.indent+l
for l in new_want[:-1].split('\n')])
new_lines.append(new_want)
# Update the example's want & lieno fields
example.want = new_want
example.lineno += offset
offset += example.want.count('\n') - old_len
# Add any remaining lines
new_lines += old_lines[lineno:]
# Update the test's docstring.
test.docstring = '\n'.join(new_lines)
# Return failures & tries
return (f,t)
def report_start(self, out, test, example):
pass
def report_success(self, out, test, example, got):
pass
def report_unexpected_exception(self, out, test, example, exc_info):
replacement = _exception_traceback(exc_info)
self._new_want[example] = replacement
if self._verbose:
self._report_replacement(out, test, example, replacement)
def report_failure(self, out, test, example, got):
self._new_want[example] = got
if self._verbose:
self._report_replacement(out, test, example, got)
def _report_replacement(self, out, test, example, replacement):
want = '\n'.join([' '+l for l in example.want.split('\n')[:-1]])
repl = '\n'.join([' '+l for l in replacement.split('\n')[:-1]])
if want and repl:
diff = 'Replacing:\n%s\nWith:\n%s\n' % (want, repl)
elif want:
diff = 'Removing:\n%s\n' % want
elif repl:
diff = 'Adding:\n%s\n' % repl
out(self._header(test, example) + diff)
DIVIDER = '-'*70
def _header(self, test, example):
if test.filename is None:
tag = ("On line #%s of %s" %
(example.lineno+1, test.name))
elif test.lineno is None:
tag = ("On line #%s of %s in %s" %
(example.lineno+1, test.name, test.filename))
else:
lineno = test.lineno+example.lineno+1
tag = ("On line #%s of %s (%s)" %
(lineno, test.filename, test.name))
source_lines = example.source.rstrip().split('\n')
return (self.DIVIDER + '\n' + tag + '\n' +
' >>> %s\n' % source_lines[0] +
''.join([' ... %s\n' % l for l in source_lines[1:]]))
###########################################################################
# Debugger
###########################################################################
def _indent(s, indent=4):
return re.sub('(?m)^(?!$)', indent*' ', s)
import keyword, token, tokenize
class Debugger:
# Just using this for reporting:
runner = DocTestRunner()
def __init__(self, checker=None, set_trace=None):
if checker is None:
checker = OutputChecker()
self.checker = checker
if set_trace is None:
set_trace = pdb.Pdb().set_trace
self.set_trace = set_trace
def _check_output(self, example):
want = example.want
optionflags = self._get_optionflags(example)
got = sys.stdout.getvalue()
sys.stdout.truncate(0)
if not self.checker.check_output(want, got, optionflags):
self.runner.report_failure(self.save_stdout.write,
self.test, example, got)
return False
else:
return True
def _check_exception(self, example):
want_exc_msg = example.exc_msg
optionflags = self._get_optionflags(example)
exc_info = sys.exc_info()
got_exc_msg = traceback.format_exception_only(*exc_info[:2])[-1]
if not self.checker.check_output(want_exc_msg, got_exc_msg,
optionflags):
got = _exception_traceback(exc_info)
self.runner.report_failure(self.save_stdout.write,
self.test, example, got)
return False
else:
return True
def _print_if_not_none(self, *args):
if args == (None,):
pass
elif len(args) == 1:
print(repr(args[0]))
else:
print(repr(args)) # not quite right: >>> 1,
def _comment_line(self, line):
"Return a commented form of the given line"
line = line.rstrip()
if line:
return '# '+line
else:
return '#'
def _script_from_examples(self, s):
output = []
examplenum = 0
for piece in MyDocTestParser().parse(s):
if isinstance(piece, Example):
self._script_from_example(piece, examplenum, output)
examplenum += 1
else:
# Add non-example text.
output += [self._comment_line(l)
for l in piece.split('\n')[:-1]]
# Combine the output, and return it.
return '\n'.join(output)
_CHK_OUT = 'if not CHECK_OUTPUT(__examples__[%d]): __set_trace__()'
_CHK_EXC = 'if not CHECK_EXCEPTION(__examples__[%d]): __set_trace__()'
def _script_from_example(self, example, i, output):
source = self._simulate_compile_singlemode(example.source)[:-1]
if example.exc_msg is None:
output.append(source)
output.append(self._CHK_OUT % i)
else:
output.append('try:')
output.append(_indent(source))
output.append(' '+self._CHK_OUT % i)
output.append('except:')
output.append(' '+self._CHK_EXC % i)
def _simulate_compile_singlemode(self, s):
# Calculate line offsets
lines = [0, 0]
pos = 0
while True:
pos = s.find('\n', pos)+1
if not pos: break
lines.append(pos)
lines.append(len(s))
oldpos = 0
parenlevel = 0
deflevel = 0
output = []
stmt = []
text = StringIO(s)
tok_gen = tokenize.generate_tokens(text.readline)
for toktype, tok, (srow,scol), (erow,ecol), line in tok_gen:
newpos = lines[srow] + scol
stmt.append(s[oldpos:newpos])
if tok != '':
stmt.append(tok)
oldpos = newpos + len(tok)
# Update the paren level.
if tok in '([{':
parenlevel += 1
if tok in '}])':
parenlevel -= 1
if tok in ('def', 'class') and deflevel == 0:
deflevel = 1
if deflevel and toktype == token.INDENT:
deflevel += 1
if deflevel and toktype == token.DEDENT:
deflevel -= 1
# Are we starting a statement?
if ((toktype in (token.NEWLINE, tokenize.NL, tokenize.COMMENT,
token.INDENT, token.ENDMARKER) or
tok==':') and parenlevel == 0):
if deflevel == 0 and self._is_expr(stmt[1:-2]):
output += stmt[0]
output.append('__print__((')
output += stmt[1:-2]
output.append('))')
output += stmt[-2:]
else:
output += stmt
stmt = []
return ''.join(output)
def _is_expr(self, stmt):
stmt = [t for t in stmt if t]
if not stmt:
return False
# An assignment signifies a non-exception, *unless* it
# appears inside of parens (eg, ``f(x=1)``.)
parenlevel = 0
for tok in stmt:
if tok in '([{': parenlevel += 1
if tok in '}])': parenlevel -= 1
if (parenlevel == 0 and
tok in ('=', '+=', '-=', '*=', '/=', '%=', '&=', '+=',
'^=', '<<=', '>>=', '**=', '//=')):
return False
# Any keywords *except* "not", "or", "and", "lambda", "in", "is"
# signifies a non-expression.
if stmt[0] in ("assert", "break", "class", "continue", "def",
"del", "elif", "else", "except", "exec",
"finally", "for", "from", "global", "if",
"import", "pass", "print", "raise", "return",
"try", "while", "yield"):
return False
return True
def _get_optionflags(self, example):
optionflags = 0
for (flag, val) in example.options.items():
if val:
optionflags |= flag
else:
optionflags &= ~flag
return optionflags
def debug(self, test, pm=False):
self.test = test
# Save the old stdout
self.save_stdout = sys.stdout
# Convert the source docstring to a script.
script = self._script_from_examples(test.docstring)
# Create a debugger.
debugger = _OutputRedirectingPdb(sys.stdout)
# Patch pdb.set_trace to restore sys.stdout during interactive
# debugging (so it's not still redirected to self._fakeout).
save_set_trace = pdb.set_trace
pdb.set_trace = debugger.set_trace
# Write the script to a temporary file. Note that
# tempfile.NameTemporaryFile() cannot be used. As the docs
# say, a file so created cannot be opened by name a second
# time on modern Windows boxes, and execfile() needs to open
# it.
srcfilename = tempfile.mktemp(".py", "doctestdebug_")
f = open(srcfilename, 'w')
f.write(script)
f.close()
# Set up the globals
test.globs['CHECK_OUTPUT'] = self._check_output
test.globs['CHECK_EXCEPTION'] = self._check_exception
test.globs['__print__'] = self._print_if_not_none
test.globs['__set_trace__'] = debugger.set_trace
test.globs['__examples__'] = self.test.examples
try:
if pm is False:
debugger.run("execfile(%r)" % srcfilename,
test.globs, test.globs)
else:
try:
sys.stdout = _SpoofOut()
try:
exec(compile(open(srcfilename).read(), srcfilename, 'exec'), test.globs)
except bdb.BdbQuit:
return
except:
sys.stdout = self.save_stdout
exc_info = sys.exc_info()
exc_msg = traceback.format_exception_only(
exc_info[0], exc_info[1])[-1]
self.save_stdout.write(self.runner.DIVIDER+'\n')
self.save_stdout.write('Unexpected exception:\n' +
_indent(exc_msg))
raise
#self.post_mortem(debugger, exc_info[2])
finally:
sys.stdout = self.save_stdout
finally:
sys.set_trace = save_set_trace
os.remove(srcfilename)
def post_mortem(self, debugger, t):
debugger.reset()
while t.tb_next is not None:
t = t.tb_next
debugger.interaction(t.tb_frame, t)
###########################################################################
# Helper functions
###########################################################################
# Name can be:
# - The filename of a text file
# - The filename of a python file
# - The dotted name of a python module
# Return a list of test!
def find(name):
# Check for test names
if ':' in name:
(name, testname) = name.split(':')
else:
testname = None
if os.path.exists(name):
filename = os.path.normpath(os.path.abspath(name))
ext = os.path.splitext(filename)[-1]
if (ext[-3:] != '.py' and ext[-4:-1] != '.py'):
# It's a text file; return the filename.
if testname is not None:
raise ValueError("test names can't be specified "
"for text files")
s = codecs.open(filename, encoding="utf-8").read()
test = MyDocTestParser().get_doctest(s, {}, name, filename, 0)
return [test]
else:
# It's a python file; import it. Make sure to set the
# path correctly.
basedir, modname = find_module_from_filename(filename)
orig_path = sys.path[:]
try:
sys.path.insert(0, basedir)
module = import_from_name(modname)
finally:
sys.path[:] = orig_path
else:
module = import_from_name(name)
# Find tests.
tests = DocTestFinder().find(module)
if testname is not None:
testname = '%s.%s' % (module.__name__, testname)
tests = [t for t in tests if t.name.startswith(testname)]
if len(tests) == 0:
raise ValueError("test not found")
return tests
def import_from_name(name):
try:
return __import__(name, globals(), locals(), ['*'])
except Exception as e:
raise ValueError(str(e))
except:
raise ValueError('Error importing %r' % name)
def find_module_from_filename(filename):
"""
Given a filename, return a tuple `(basedir, module)`, where
`module` is the module's name, and `basedir` is the directory it
should be loaded from (this directory should be added to the
path to import it). Packages are handled correctly.
"""
(basedir, file) = os.path.split(filename)
(module_name, ext) = os.path.splitext(file)
# If it's a package, then import with the directory name (don't
# use __init__ as the module name).
if module_name == '__init__':
(basedir, module_name) = os.path.split(basedir)
# If it's contained inside a package, then find the base dir.
if (os.path.exists(os.path.join(basedir, '__init__.py')) or
os.path.exists(os.path.join(basedir, '__init__.pyc')) or
os.path.exists(os.path.join(basedir, '__init__.pyw'))):
package = []
while os.path.exists(os.path.join(basedir, '__init__.py')):
(basedir,dir) = os.path.split(basedir)
if dir == '': break
package.append(dir)
package.reverse()
module_name = '.'.join(package+[module_name])
return (basedir, module_name)
def split_pysrc_into_statements(s):
parens = 0 # Number of parens deep we're nested?
quote = None # What type of string are we in (if any)?
statements = [] # List of statements we've found
continuation = False # Did last line end with a backslash?
for line in s.lstrip().split('\n'):
# Check indentation level.
indent = re.match(r'\s*', line).end()
# [DEBUG PRINTF]
#print '%4d %6r %6s %5s %r' % (parens, quote, continuation,
# indent, line[:40])
# Add the line as a new statement or a continuation.
if (parens == 0 and quote is None and indent == 0 and
(not continuation)):
if line.strip():
statements.append(line)
else:
statements[-1] += '\n'+line
# Scan the line, checking for quotes, parens, and comment
# markers (so we can decide when a line is a continuation).
line_has_comment = False
for c in re.findall(r'\\.|"""|\'\'\'|"|\'|\(|\)|\[|\]|\{|\}|\#', line):
if quote:
if c == quote:
quote = None
elif c in '([{':
parens += 1
elif c in ')]}':
parens -= 1
elif c == '#':
line_has_comment = True
break
elif c[0] != '\\':
quote = c
if not line_has_comment:
continuation = line.strip().endswith('\\')
return statements
###########################################################################
# Custom Checker, to ignore [# _foo] callouts in output.
###########################################################################
class MyOutputChecker(OutputChecker):
CALLOUT_RE = re.compile(r' *#[ ]+\[_([\w-]+)\][ ]*$', re.MULTILINE)
def check_output(self, want, got, optionflags):
if OutputChecker.check_output(self, want, got, optionflags):
return True
else:
want = self.CALLOUT_RE.sub('', want)
return OutputChecker.check_output(self, want, got, optionflags)
###########################################################################
# Basic Actions
###########################################################################
class MyDocTestRunner(DocTestRunner):
def __init__(self, checker=None, verbosity=1, optionflags=0,
kbinterrupt_continue=False):
DocTestRunner.__init__(self, checker, (verbosity>2), optionflags)
self._verbosity = verbosity
self._current_test = None
self._term = TerminalController()
self._stderr_term = TerminalController(sys.__stderr__)
self._kbinterrupt_continue = kbinterrupt_continue
def report_start(self, out, test, example):
if 1 <= self._verbosity <= 2:
src = example.source.split('\n')[0]
if len(src) > 60: src = src[:57]+'...'
lineno = test.lineno + example.lineno + 1
if self._verbosity == 1:
if self._stderr_term.CLEAR_LINE:
sys.__stderr__.write(self._stderr_term.CLEAR_LINE)
else:
sys.__stderr__.write('\n')
sys.__stderr__.write('%s [Line %s] %s%s' %
(self._stderr_term.BOLD, lineno,
self._stderr_term.NORMAL, src))
if self._verbosity == 2:
sys.__stderr__.write('\n')
else:
DocTestRunner.report_start(self, out, test, example)
sys.__stdout__.flush()
self._current_test = (test, example)
# Total hack warning: This munges the original source to
# catch any keyboard interrupts, and turn them into special
# ValueError interrupts.
example.original_source = example.source
if self._kbinterrupt_continue:
example.source = ('try:\n%sexcept KeyboardInterrupt:\n '
'raise ValueError("KEYBOARD-INTERRUPT")\n' %
doctest._indent(example.source))
def report_failure(self, out, test, example, got):
example.source = example.original_source
if self._verbosity == 1:
out('\n')
out(self._failure_header(test, example) + self._term.RED+
self._checker.output_difference(example, got, self.optionflags)+
self._term.NORMAL)
def report_unexpected_exception(self, out, test, example, exc_info):
example.source = example.original_source
if self._verbosity == 1:
out('\n')
out(self._failure_header(test, example) + self._term.RED)
if (isinstance(exc_info[1], ValueError) and
exc_info[1].args[0] == 'KEYBOARD-INTERRUPT'):
out(self._term.RED+self._term.BOLD)
out('Keyboard interrupt; Continuing!\n\n' + self._term.NORMAL)
else:
out('Exception raised:\n' + self._term.NORMAL +
_indent(_exception_traceback(exc_info)))
def _failure_header(self, test, example):
out = (self._term.CYAN+self._term.BOLD+'*'*75+self._term.NORMAL+'\n')
out += (self._term.GREEN)
if test.filename:
if test.lineno is not None and example.lineno is not None:
lineno = test.lineno + example.lineno + 1
else:
lineno = '?'
out += ('File "%s", line %s, in %s\n' %
(test.filename, lineno, test.name))
else:
out += ('Line %s, in %s\n' % (example.lineno+1, test.name))
out += (self._term.RED)
out += ('Failed example:\n')
source = example.source
out += (_indent(source))
assert isinstance(out, str)
return out
def run(self, test, compileflags=None, out=None, clear_globs=True):
save_stderr = sys.stderr
#sys.stderr = _SpoofOut()
fails = tries = 0
if self._verbosity > 0:
print((
self._stderr_term.CYAN+self._stderr_term.BOLD+
'Testing %s...'%test.name+self._stderr_term.NORMAL), file=save_stderr)
try:
fails, tries = DocTestRunner.run(self, test, compileflags,
out, clear_globs)
except KeyboardInterrupt:
if self._current_test is None: raise
print(self._failure_header(*self._current_test), file=save_stderr)
print((
self._stderr_term.RED+self._stderr_term.BOLD+
'Keyboard Interrupt!'+self._stderr_term.NORMAL), file=save_stderr)
if self._verbosity == 1:
save_stderr.write(self._stderr_term.CLEAR_LINE)
if self._verbosity > 0:
if fails:
print((
self._stderr_term.RED+self._stderr_term.BOLD+
' %d example(s) failed!'%fails+self._stderr_term.NORMAL), file=save_stderr)
else:
print((
self._stderr_term.GREEN+self._stderr_term.BOLD+
' All examples passed'+self._stderr_term.NORMAL), file=save_stderr)
print(file=save_stderr)
sys.stderr = save_stderr
def run(names, optionflags, verbosity, kbinterrupt_continue):
checker = MyOutputChecker()
runner = MyDocTestRunner(checker=checker, verbosity=verbosity,
optionflags=optionflags,
kbinterrupt_continue=kbinterrupt_continue)
for name in names:
try: tests = find(name)
except ValueError as e:
print(('%s: Error processing %s -- %s' %
(sys.argv[0], name, e)), file=sys.stderr)
continue
for test in tests:
runner.run(test, COMPILER_FLAGS)
if verbosity == 1:
sys.stdout.write('.')
sys.stdout.flush(); sys.stderr.flush()
return runner
# temporary hack:
# for name in names:
# testfile(name, optionflags=optionflags, verbose=True,
# module_relative=False)
# return
suite = unittest.TestSuite()
for name in names:
try:
for test in find(name):
suite.addTest(DocTestCase(test, optionflags))
except ValueError as e:
print(('%s: Error processing %s -- %s' %
(sys.argv[0], name, e)), file=sys.stderr)
unittest.TextTestRunner(verbosity=verbosity).run(suite)
def debug(names, optionflags, verbosity, pm=True):
debugger = Debugger()
for name in names:
try:
for test in find(name):
debugger.debug(test, pm)
except ValueError as e:
raise
print(('%s: Error processing %s -- %s' %
(sys.argv[0], name, e)), file=sys.stderr)
def update(names, optionflags, verbosity):
runner = UpdateRunner(verbose=True)
for name in names:
try:
# Make sure we're running on a text file.
tests = find(name)
if len(tests) != 1 or tests[0].lineno != 0:
raise ValueError('update can only be used with text files')
test = tests[0]
# Run the updater!
(failures, tries) = runner.run(test)
# Confirm the changes.
if failures == 0:
print('No updates needed!')
else:
print('*'*70)
print('%d examples updated.' % failures)
print('-'*70)
sys.stdout.write('Accept updates? [y/N] ')
sys.stdout.flush()
if sys.stdin.readline().lower().strip() in ('y', 'yes'):
# Make a backup of the original contents.
backup = test.filename+'.bak'
print('Renaming %s -> %s' % (name, backup))
os.rename(test.filename, backup)
# Write the new contents.
print('Writing updated version to %s' % test.filename)
out = open(test.filename, 'w')
out.write(test.docstring)
out.close()
else:
print('Updates rejected!')
except ValueError as e:
raise
print(('%s: Error processing %s -- %s' %
(sys.argv[0], name, e)), file=sys.stderr)
######################################################################
## Terminal Controler
## Ruthlessly stolen from epydoc:
## http://epydoc.sourceforge.net/
## Epydoc is released under the MIT open-source license:
## http://epydoc.sourceforge.net/license.html
######################################################################
class TerminalController:
"""
A class that can be used to portably generate formatted output to
a terminal. See U{http://code.activestate.com/recipes/475116/}
for documentation. (This is a somewhat stripped-down version.)
"""
BOL = '' #: Move the cursor to the beginning of the line
UP = '' #: Move the cursor up one line
DOWN = '' #: Move the cursor down one line
LEFT = '' #: Move the cursor left one char
RIGHT = '' #: Move the cursor right one char
CLEAR_EOL = '' #: Clear to the end of the line.
CLEAR_LINE = '' #: Clear the current line; cursor to BOL.
BOLD = '' #: Turn on bold mode
NORMAL = '' #: Turn off all modes
COLS = 75 #: Width of the terminal (default to 75)
UNDERLINE = '' #: Underline the text
REVERSE = '' #: Reverse the foreground & background
BLACK = BLUE = GREEN = CYAN = RED = MAGENTA = YELLOW = WHITE = ''
_STRING_CAPABILITIES = """
BOL=cr UP=cuu1 DOWN=cud1 LEFT=cub1 RIGHT=cuf1 REVERSE=rev
CLEAR_EOL=el BOLD=bold UNDERLINE=smul NORMAL=sgr0""".split()
_COLORS = """BLACK BLUE GREEN CYAN RED MAGENTA YELLOW WHITE""".split()
_ANSICOLORS = "BLACK RED GREEN YELLOW BLUE MAGENTA CYAN WHITE".split()
#: If this is set to true, then new TerminalControllers will
#: assume that the terminal is not capable of doing manipulation
#: of any kind.
FORCE_SIMPLE_TERM = False
def __init__(self, term_stream=sys.stdout):
# If the stream isn't a tty, then assume it has no capabilities.
if not term_stream.isatty(): return
if self.FORCE_SIMPLE_TERM: return
# Curses isn't available on all platforms
try: import curses
except:
# If it's not available, then try faking enough to get a
# simple progress bar.
self.BOL = '\r'
self.CLEAR_LINE = '\r' + ' '*self.COLS + '\r'
# Check the terminal type. If we fail, then assume that the
# terminal has no capabilities.
try: curses.setupterm()
except: return
# Look up numeric capabilities.
self.COLS = curses.tigetnum('cols')
# Look up string capabilities.
for capability in self._STRING_CAPABILITIES:
(attrib, cap_name) = capability.split('=')
s = self._tigetstr(cap_name) or ''
if isinstance(s, bytes): s = s.decode('utf-8')
setattr(self, attrib, s)
if self.BOL and self.CLEAR_EOL:
self.CLEAR_LINE = self.BOL+self.CLEAR_EOL
# Colors
set_fg = self._tigetstr('setf')
if set_fg:
for i,color in enumerate(self._COLORS):
s = curses.tparm(b(set_fg), i) or ''
if isinstance(s, bytes): s = s.decode('utf-8')
setattr(self, color, s)
set_fg_ansi = self._tigetstr('setaf')
if set_fg_ansi:
for i,color in enumerate(self._ANSICOLORS):
s = curses.tparm(b(set_fg_ansi), i) or ''
if isinstance(s, bytes): s = s.decode('utf-8')
setattr(self, color, s)
def _tigetstr(self, cap_name):
# String capabilities can include "delays" of the form "$<2>".
# For any modern terminal, we should be able to just ignore
# these, so strip them out.
import curses
cap = curses.tigetstr(cap_name)
cap = cap.decode("ascii") if hasattr(cap, "decode") else ""
return re.sub(r'\$<\d+>[/*]?', '', cap)
def render(self, template):
"""
Replace each $-substitutions in the given template string with
the corresponding terminal control string (if it's defined) or
'' (if it's not).
"""
return re.sub(r'\$\$|\${\w+}', self._render_sub, template)
def _render_sub(self, match):
s = match.group()
if s == '$$': return s
else: return getattr(self, s[2:-1])
###########################################################################
# Main script
###########################################################################
# Action options
CHECK_OPT = Option("--check",
action="store_const", dest="action", const="check",
default="check",
help="Verify the output of the doctest examples in the "
"given files.")
UPDATE_OPT = Option("--update", "-u",