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

"""This plugin provides test results in the standard XUnit XML format. 

 

It's designed for the `Jenkins`_ (previously Hudson) continuous build 

system, but will probably work for anything else that understands an 

XUnit-formatted XML representation of test results. 

 

Add this shell command to your builder :: 

 

nosetests --with-xunit 

 

And by default a file named nosetests.xml will be written to the 

working directory. 

 

In a Jenkins builder, tick the box named "Publish JUnit test result report" 

under the Post-build Actions and enter this value for Test report XMLs:: 

 

**/nosetests.xml 

 

If you need to change the name or location of the file, you can set the 

``--xunit-file`` option. 

 

If you need to change the name of the test suite, you can set the 

``--xunit-testsuite-name`` option. 

 

Here is an abbreviated version of what an XML test report might look like:: 

 

<?xml version="1.0" encoding="UTF-8"?> 

<testsuite name="nosetests" tests="1" errors="1" failures="0" skip="0"> 

<testcase classname="path_to_test_suite.TestSomething" 

name="test_it" time="0"> 

<error type="exceptions.TypeError" message="oops, wrong type"> 

Traceback (most recent call last): 

... 

TypeError: oops, wrong type 

</error> 

</testcase> 

</testsuite> 

 

.. _Jenkins: http://jenkins-ci.org/ 

 

""" 

import codecs 

import doctest 

import os 

import sys 

import traceback 

import re 

import inspect 

from io import StringIO 

from time import time 

from xml.sax import saxutils 

 

from nose.plugins.base import Plugin 

from nose.exc import SkipTest 

from nose.pyversion import force_unicode, format_exception 

 

# Invalid XML characters, control characters 0-31 sans \t, \n and \r 

CONTROL_CHARACTERS = re.compile(r"[\000-\010\013\014\016-\037]") 

 

TEST_ID = re.compile(r'^(.*?)(\(.*\))$') 

 

def xml_safe(value): 

"""Replaces invalid XML characters with '?'.""" 

return CONTROL_CHARACTERS.sub('?', value) 

 

def escape_cdata(cdata): 

"""Escape a string for an XML CDATA section.""" 

return xml_safe(cdata).replace(']]>', ']]>]]&gt;<![CDATA[') 

 

def id_split(idval): 

m = TEST_ID.match(idval) 

if m: 

name, fargs = m.groups() 

head, tail = name.rsplit(".", 1) 

return [head, tail+fargs] 

else: 

return idval.rsplit(".", 1) 

 

def nice_classname(obj): 

"""Returns a nice name for class object or class instance. 

 

>>> nice_classname(Exception()) # doctest: +ELLIPSIS 

'...Exception' 

>>> nice_classname(Exception) # doctest: +ELLIPSIS 

'...Exception' 

 

""" 

if inspect.isclass(obj): 

cls_name = obj.__name__ 

else: 

cls_name = obj.__class__.__name__ 

mod = inspect.getmodule(obj) 

if mod: 

name = mod.__name__ 

# jython 

if name.startswith('org.python.core.'): 

name = name[len('org.python.core.'):] 

return "%s.%s" % (name, cls_name) 

else: 

return cls_name 

 

def exc_message(exc_info): 

"""Return the exception's message.""" 

exc = exc_info[1] 

if exc is None: 

# str exception 

result = exc_info[0] 

else: 

try: 

result = str(exc) 

except UnicodeEncodeError: 

try: 

result = str(exc) 

except UnicodeError: 

# Fallback to args as neither str nor 

# unicode(Exception(u'\xe6')) work in Python < 2.6 

result = exc.args[0] 

result = force_unicode(result, 'UTF-8') 

return xml_safe(result) 

 

class Tee(object): 

def __init__(self, encoding, *args): 

self._encoding = encoding 

self._streams = args 

 

def write(self, data): 

data = force_unicode(data, self._encoding) 

for s in self._streams: 

s.write(data) 

 

def writelines(self, lines): 

for line in lines: 

self.write(line) 

 

def flush(self): 

for s in self._streams: 

s.flush() 

 

def isatty(self): 

return False 

 

 

class Xunit(Plugin): 

"""This plugin provides test results in the standard XUnit XML format.""" 

name = 'xunit' 

score = 1500 

encoding = 'UTF-8' 

error_report_file = None 

 

def __init__(self): 

super(Xunit, self).__init__() 

self._capture_stack = [] 

self._currentStdout = None 

self._currentStderr = None 

 

def _timeTaken(self): 

if hasattr(self, '_timer'): 

taken = time() - self._timer 

else: 

# test died before it ran (probably error in setup()) 

# or success/failure added before test started probably 

# due to custom TestResult munging 

taken = 0.0 

return taken 

 

def _quoteattr(self, attr): 

"""Escape an XML attribute. Value can be unicode.""" 

attr = xml_safe(attr) 

return saxutils.quoteattr(attr) 

 

def options(self, parser, env): 

"""Sets additional command line options.""" 

Plugin.options(self, parser, env) 

parser.add_option( 

'--xunit-file', action='store', 

dest='xunit_file', metavar="FILE", 

default=env.get('NOSE_XUNIT_FILE', 'nosetests.xml'), 

help=("Path to xml file to store the xunit report in. " 

"Default is nosetests.xml in the working directory " 

"[NOSE_XUNIT_FILE]")) 

 

parser.add_option( 

'--xunit-testsuite-name', action='store', 

dest='xunit_testsuite_name', metavar="PACKAGE", 

default=env.get('NOSE_XUNIT_TESTSUITE_NAME', 'nosetests'), 

help=("Name of the testsuite in the xunit xml, generated by plugin. " 

"Default test suite name is nosetests.")) 

 

def configure(self, options, config): 

"""Configures the xunit plugin.""" 

Plugin.configure(self, options, config) 

self.config = config 

if self.enabled: 

self.stats = {'errors': 0, 

'failures': 0, 

'passes': 0, 

'skipped': 0 

} 

self.errorlist = [] 

self.error_report_file_name = os.path.realpath(options.xunit_file) 

self.xunit_testsuite_name = options.xunit_testsuite_name 

 

def report(self, stream): 

"""Writes an Xunit-formatted XML file 

 

The file includes a report of test errors and failures. 

 

""" 

self.error_report_file = codecs.open(self.error_report_file_name, 'w', 

self.encoding, 'replace') 

self.stats['encoding'] = self.encoding 

self.stats['testsuite_name'] = self.xunit_testsuite_name 

self.stats['total'] = (self.stats['errors'] + self.stats['failures'] 

+ self.stats['passes'] + self.stats['skipped']) 

self.error_report_file.write( 

'<?xml version="1.0" encoding="%(encoding)s"?>' 

'<testsuite name="%(testsuite_name)s" tests="%(total)d" ' 

'errors="%(errors)d" failures="%(failures)d" ' 

'skip="%(skipped)d">' % self.stats) 

self.error_report_file.write(''.join([force_unicode(e, self.encoding) 

for e in self.errorlist])) 

self.error_report_file.write('</testsuite>') 

self.error_report_file.close() 

if self.config.verbosity > 1: 

stream.writeln("-" * 70) 

stream.writeln("XML: %s" % self.error_report_file.name) 

 

def _startCapture(self): 

self._capture_stack.append((sys.stdout, sys.stderr)) 

self._currentStdout = StringIO() 

self._currentStderr = StringIO() 

sys.stdout = Tee(self.encoding, self._currentStdout, sys.stdout) 

sys.stderr = Tee(self.encoding, self._currentStderr, sys.stderr) 

 

def startContext(self, context): 

self._startCapture() 

 

def stopContext(self, context): 

self._endCapture() 

 

def beforeTest(self, test): 

"""Initializes a timer before starting a test.""" 

self._timer = time() 

self._startCapture() 

 

def _endCapture(self): 

if self._capture_stack: 

sys.stdout, sys.stderr = self._capture_stack.pop() 

 

def afterTest(self, test): 

self._endCapture() 

self._currentStdout = None 

self._currentStderr = None 

 

def finalize(self, test): 

while self._capture_stack: 

self._endCapture() 

 

def _getCapturedStdout(self): 

if self._currentStdout: 

value = self._currentStdout.getvalue() 

if value: 

return '<system-out><![CDATA[%s]]></system-out>' % escape_cdata( 

value) 

return '' 

 

def _getCapturedStderr(self): 

if self._currentStderr: 

value = self._currentStderr.getvalue() 

if value: 

return '<system-err><![CDATA[%s]]></system-err>' % escape_cdata( 

value) 

return '' 

 

def addError(self, test, err, capt=None): 

"""Add error output to Xunit report. 

""" 

taken = self._timeTaken() 

 

if issubclass(err[0], SkipTest): 

type = 'skipped' 

self.stats['skipped'] += 1 

else: 

type = 'error' 

self.stats['errors'] += 1 

 

tb = format_exception(err, self.encoding) 

id = test.id() 

 

self.errorlist.append( 

'<testcase classname=%(cls)s name=%(name)s time="%(taken).3f">' 

'<%(type)s type=%(errtype)s message=%(message)s><![CDATA[%(tb)s]]>' 

'</%(type)s>%(systemout)s%(systemerr)s</testcase>' % 

{'cls': self._quoteattr(id_split(id)[0]), 

'name': self._quoteattr(id_split(id)[-1]), 

'taken': taken, 

'type': type, 

'errtype': self._quoteattr(nice_classname(err[0])), 

'message': self._quoteattr(exc_message(err)), 

'tb': escape_cdata(tb), 

'systemout': self._getCapturedStdout(), 

'systemerr': self._getCapturedStderr(), 

}) 

 

def addFailure(self, test, err, capt=None, tb_info=None): 

"""Add failure output to Xunit report. 

""" 

taken = self._timeTaken() 

tb = format_exception(err, self.encoding) 

self.stats['failures'] += 1 

id = test.id() 

 

self.errorlist.append( 

'<testcase classname=%(cls)s name=%(name)s time="%(taken).3f">' 

'<failure type=%(errtype)s message=%(message)s><![CDATA[%(tb)s]]>' 

'</failure>%(systemout)s%(systemerr)s</testcase>' % 

{'cls': self._quoteattr(id_split(id)[0]), 

'name': self._quoteattr(id_split(id)[-1]), 

'taken': taken, 

'errtype': self._quoteattr(nice_classname(err[0])), 

'message': self._quoteattr(exc_message(err)), 

'tb': escape_cdata(tb), 

'systemout': self._getCapturedStdout(), 

'systemerr': self._getCapturedStderr(), 

}) 

 

def addSuccess(self, test, capt=None): 

"""Add success output to Xunit report. 

""" 

taken = self._timeTaken() 

self.stats['passes'] += 1 

id = test.id() 

self.errorlist.append( 

'<testcase classname=%(cls)s name=%(name)s ' 

'time="%(taken).3f">%(systemout)s%(systemerr)s</testcase>' % 

{'cls': self._quoteattr(id_split(id)[0]), 

'name': self._quoteattr(id_split(id)[-1]), 

'taken': taken, 

'systemout': self._getCapturedStdout(), 

'systemerr': self._getCapturedStderr(), 

})