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
|
from __future__ import absolute_import
import args
import sys
import os
import textwrap
# Ugly stuff to have curses called ONLY once, instead of for each
# new Configure object created (and flashing the screen)
global LineWidth
global RemoveDirectory
global backupRemoveDirectory
LineWidth = -1
RemoveDirectory = os.path.join(os.getcwd(),'')
backupRemoveDirectory = ''
__global_divider_length = 93
def get_global_divider_length():
"""
Get the divider length for each banner in the form
==============================... (or ********************...)
FOO BAR
==============================...
"""
return __global_divider_length
def set_global_divider_length(new_len):
"""
Set the divider length for each banner in the form
==============================... (or ********************...)
FOO BAR
==============================...
"""
global __global_divider_length
old_len = __global_divider_length
__global_divider_length = new_len
return old_len
def build_multiline_message(sup_title, text, divider_char = None, length = None, prefix = None, **kwargs):
def center_line(line):
return line.center(length).rstrip()
if length is None:
length = get_global_divider_length()
if prefix is None:
prefix = ' '*2
kwargs.setdefault('break_on_hyphens',False)
kwargs.setdefault('break_long_words',False)
kwargs.setdefault('width',length-2)
kwargs.setdefault('initial_indent',prefix)
kwargs.setdefault('subsequent_indent',prefix)
wrapped = [
line for para in text.splitlines() for line in textwrap.wrap(textwrap.dedent(para),**kwargs)
]
if len(wrapped) == 1:
# center-justify single lines, and remove the bogus prefix
wrapped[0] = center_line(wrapped[0].lstrip())
if divider_char:
# add the divider if we are making a message like
#
# =====================
# BIG SCARY TITLE
# --------------------- <- divider_char is '-'
# foo bar
divider_char = str(divider_char)
assert len(divider_char) == 1
wrapped.insert(0, divider_char * length)
if sup_title:
# add the super title if we are making a message like
#
# =====================
# BIG SCARY TITLE <- sup_title is 'BIG SCARY TITLE'
# ---------------------
# foo bar
# add the banner
wrapped.insert(0, center_line(str(sup_title)))
return '\n'.join(wrapped)
def build_multiline_error_message(sup_title, text, **kwargs):
kwargs.setdefault('divider_char', '-')
kwargs.setdefault('length', get_global_divider_length())
if not text.endswith('\n'):
text += '\n'
banner_line = kwargs['length']*'*'
return '\n'.join([
banner_line,
build_multiline_message(sup_title, text, **kwargs),
banner_line,
'' # to add an additional newline at the end
])
class Logger(args.ArgumentProcessor):
'''This class creates a shared log and provides methods for writing to it'''
defaultLog = None
defaultOut = sys.stdout
def __init__(self, clArgs = None, argDB = None, log = None, out = defaultOut, debugLevel = None, debugSections = None, debugIndent = None):
args.ArgumentProcessor.__init__(self, clArgs, argDB)
self.logName = None
self.log = log
self.out = out
self.debugLevel = debugLevel
self.debugSections = debugSections
self.debugIndent = debugIndent
self.getRoot()
return
def __getstate__(self):
'''We do not want to pickle the default log stream'''
d = args.ArgumentProcessor.__getstate__(self)
if 'logBkp' in d:
del d['logBkp']
if 'log' in d:
if d['log'] is Logger.defaultLog:
del d['log']
else:
d['log'] = None
if 'out' in d:
if d['out'] is Logger.defaultOut:
del d['out']
else:
d['out'] = None
return d
def __setstate__(self, d):
'''We must create the default log stream'''
args.ArgumentProcessor.__setstate__(self, d)
if not 'log' in d:
self.log = self.createLog(None)
if not 'out' in d:
self.out = Logger.defaultOut
self.__dict__.update(d)
return
def setupArguments(self, argDB):
'''Setup types in the argument database'''
import nargs
argDB = args.ArgumentProcessor.setupArguments(self, argDB)
argDB.setType('log', nargs.Arg(None, 'buildsystem.log', 'The filename for the log'))
argDB.setType('logAppend', nargs.ArgBool(None, 0, 'The flag determining whether we backup or append to the current log', isTemporary = 1))
argDB.setType('debugLevel', nargs.ArgInt(None, 3, 'Integer 0 to 4, where a higher level means more detail', 0, 5))
argDB.setType('debugSections', nargs.Arg(None, [], 'Message types to print, e.g. [compile,link,hg,install]'))
argDB.setType('debugIndent', nargs.Arg(None, ' ', 'The string used for log indentation'))
argDB.setType('scrollOutput', nargs.ArgBool(None, 0, 'Flag to allow output to scroll rather than overwriting a single line'))
argDB.setType('noOutput', nargs.ArgBool(None, 0, 'Flag to suppress output to the terminal'))
return argDB
def setup(self):
'''Setup the terminal output and filtering flags'''
self.log = self.createLog(self.logName, self.log)
args.ArgumentProcessor.setup(self)
if self.argDB['noOutput']:
self.out = None
if self.debugLevel is None:
self.debugLevel = self.argDB['debugLevel']
if self.debugSections is None:
self.debugSections = self.argDB['debugSections']
if self.debugIndent is None:
self.debugIndent = self.argDB['debugIndent']
return
def checkLog(self, logName):
import nargs
import os
if logName is None:
logName = nargs.Arg.findArgument('log', self.clArgs)
if logName is None:
if not self.argDB is None and 'log' in self.argDB:
logName = self.argDB['log']
else:
logName = 'default.log'
self.logName = logName
self.logExists = os.path.exists(self.logName)
return self.logExists
def createLog(self, logName, initLog = None):
'''Create a default log stream, unless initLog is given'''
import nargs
if not initLog is None:
log = initLog
else:
if Logger.defaultLog is None:
appendArg = nargs.Arg.findArgument('logAppend', self.clArgs)
if self.checkLog(logName):
if not self.argDB is None and ('logAppend' in self.argDB and self.argDB['logAppend']) or (not appendArg is None and bool(appendArg)):
Logger.defaultLog = open(self.logName, 'a')
else:
try:
import os
os.rename(self.logName, self.logName+'.bkp')
Logger.defaultLog = open(self.logName, 'w')
except OSError:
sys.stdout.write('WARNING: Cannot backup log file, appending instead.\n')
Logger.defaultLog = open(self.logName, 'a')
else:
Logger.defaultLog = open(self.logName, 'w')
log = Logger.defaultLog
return log
def closeLog(self):
'''Closes the log file'''
self.log.close()
def saveLog(self):
if self.debugLevel <= 3: return
import io
self.logBkp = self.log
self.log = io.StringIO()
def restoreLog(self):
if self.debugLevel <= 3: return
s = self.log.getvalue()
self.log.close()
self.log = self.logBkp
del(self.logBkp)
return s
def getLinewidth(self):
global LineWidth
if not hasattr(self, '_linewidth'):
if self.out is None or not self.out.isatty() or self.argDB['scrollOutput']:
self._linewidth = -1
else:
if LineWidth == -1:
try:
import curses
try:
curses.setupterm()
(y, self._linewidth) = curses.initscr().getmaxyx()
curses.endwin()
except curses.error:
self._linewidth = -1
except:
self._linewidth = -1
LineWidth = self._linewidth
else:
self._linewidth = LineWidth
return self._linewidth
def setLinewidth(self, linewidth):
self._linewidth = linewidth
return
linewidth = property(getLinewidth, setLinewidth, doc = 'The maximum number of characters per log line')
def checkWrite(self, f, debugLevel, debugSection, writeAll = 0):
'''Check whether the log line should be written
- If writeAll is true, return true
- If debugLevel >= current level, and debugSection in current section or sections is empty, return true'''
if not isinstance(debugLevel, int):
raise RuntimeError('Debug level must be an integer: '+str(debugLevel))
if f is None:
return False
if writeAll:
return True
if self.debugLevel >= debugLevel and (not len(self.debugSections) or debugSection in self.debugSections):
return True
return False
def checkANSIEscapeSequences(self, ostream):
"""
Return True if the stream supports ANSI escape sequences, False otherwise
"""
try:
# _io.TextIoWrapper use 'name' attribute to store the file name
key = ostream.name
except AttributeError:
return False
try:
return self._ansi_esc_seq_cache[key]
except KeyError:
pass # have not processed this stream before
except AttributeError:
# have never done this before
self._ansi_esc_seq_cache = {}
is_a_tty = hasattr(ostream,'isatty') and ostream.isatty()
return self._ansi_esc_seq_cache.setdefault(key,is_a_tty and (
sys.platform != 'win32' or os.environ.get('TERM','').startswith(('xterm','ANSI')) or
# Windows Terminal supports VT codes.
'WT_SESSION' in os.environ or
# Microsoft Visual Studio Code's built-in terminal supports colors.
os.environ.get('TERM_PROGRAM') == 'vscode'
))
def logIndent(self, debugLevel = -1, debugSection = None, comm = None):
'''Write the proper indentation to the log streams'''
import traceback
indentLevel = len(traceback.extract_stack())-5
for writeAll, f in enumerate([self.out, self.log]):
if self.checkWrite(f, debugLevel, debugSection, writeAll):
if not comm is None:
f.write('[')
f.write(str(comm.rank()))
f.write(']')
for i in range(indentLevel):
f.write(self.debugIndent)
return
def logBack(self):
'''Backup the current line if we are not scrolling output'''
if self.out is not None and self.linewidth > 0:
self.out.write('\r')
return
def logClear(self):
'''Clear the current line if we are not scrolling output'''
out,lw = self.out,self.linewidth
if out is not None and lw > 0:
out.write('\r\033[K' if self.checkANSIEscapeSequences(out) else ' '*lw)
try:
out.flush()
except AttributeError:
pass
return
def logPrintDivider(self, single = False, length = None, **kwargs):
if length is None:
length = get_global_divider_length()
kwargs.setdefault('rmDir',False)
kwargs.setdefault('indent',False)
kwargs.setdefault('forceScroll',False)
kwargs.setdefault('forceNewLine',True)
divider = ('-' if single else '=')*length
return self.logPrint(divider, **kwargs)
def logPrintWarning(self, msg, title = None, **kwargs):
if title is None:
title = 'WARNING'
return self.logPrintBox(msg,title='***** {} *****'.format(title),**kwargs)
def logPrintBox(self, msg, debugLevel = -1, debugSection = 'screen', indent = 1, comm = None, rmDir = 1, prefix = None, title = None):
if rmDir:
rmDir = build_multiline_message(title, self.logStripDirectory(msg), prefix=prefix)
msg = build_multiline_message(title, msg, prefix=prefix)
self.logClear()
self.logPrintDivider(debugLevel = debugLevel, debugSection = debugSection)
self.logPrint(msg, debugLevel = debugLevel, debugSection = debugSection, rmDir = rmDir, forceNewLine = True, forceScroll = True, indent = 0)
self.logPrintDivider(debugLevel = debugLevel, debugSection = debugSection)
return
def logStripDirectory(self,msg):
return msg.replace(RemoveDirectory,'')
def logClearRemoveDirectory(self):
global RemoveDirectory
global backupRemoveDirectory
backupRemoveDirectory = RemoveDirectory
RemoveDirectory = ''
def logResetRemoveDirectory(self):
global RemoveDirectory
global backupRemoveDirectory
RemoveDirectory = backupRemoveDirectory
def logWrite(self, msg, debugLevel = -1, debugSection = None, forceScroll = 0, rmDir = 1):
'''Write the message to the log streams'''
'''Generally goes to the file but not the screen'''
if not msg: return
for writeAll, f in enumerate([self.out, self.log]):
if self.checkWrite(f, debugLevel, debugSection, writeAll):
if rmDir:
if isinstance(rmDir,str):
clean_msg = rmDir
else:
clean_msg = self.logStripDirectory(msg)
else:
clean_msg = msg
if not forceScroll and not writeAll and self.linewidth > 0:
self.logClear()
for ms in clean_msg.splitlines():
f.write(ms[:self.linewidth])
else:
if writeAll or not msg.startswith('TESTING:') or f.isatty():
if not debugSection is None and not debugSection == 'screen' and len(msg):
f.write(str(debugSection))
f.write(': ')
f.write(msg if writeAll else clean_msg)
if hasattr(f, 'flush'):
f.flush()
return
def logPrint(self, msg, debugLevel = -1, debugSection = None, indent = 1, comm = None, forceScroll = 0, rmDir = 1, forceNewLine = False):
'''Write the message to the log streams with proper indentation and a newline'''
'''Generally goes to the file and the screen'''
if indent:
self.logIndent(debugLevel, debugSection, comm)
self.logWrite(msg, debugLevel, debugSection, forceScroll = forceScroll, rmDir = rmDir)
for writeAll, f in enumerate([self.out, self.log]):
if self.checkWrite(f, debugLevel, debugSection, writeAll):
if forceNewLine or writeAll:
f.write('\n')
return
def getRoot(self):
'''Return the directory containing this module
- This has the problem that when we reload a module of the same name, this gets screwed up
Therefore, we call it in the initializer, and stash it'''
#print ' In getRoot'
#print hasattr(self, '__root')
#print ' done checking'
if not hasattr(self, '__root'):
import os
import sys
# Work around a bug with pdb in 2.3
if hasattr(sys.modules[self.__module__], '__file__') and not os.path.basename(sys.modules[self.__module__].__file__) == 'pdb.py':
self.__root = os.path.abspath(os.path.dirname(sys.modules[self.__module__].__file__))
else:
self.__root = os.getcwd()
#print ' Exiting getRoot'
return self.__root
def setRoot(self, root):
self.__root = root
return
root = property(getRoot, setRoot, doc = 'The directory containing this module')
|