/usr/lib/python2.7/dist-packages/commando/util.py is in python-commando 0.3.4-1.1.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
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 | """
Logging and other aspects.
"""
# pylint: disable-msg=C0103
import logging
import sys
from logging import NullHandler
from subprocess import check_call, check_output, Popen
class CommandoLoaderException(Exception):
"""
Exception raised when `load_python_object` fails.
"""
pass
def load_python_object(name):
"""
Loads a python module from string
"""
logger = getLoggerWithNullHandler('commando.load_python_object')
(module_name, _, object_name) = name.rpartition(".")
if module_name == '':
(module_name, object_name) = (object_name, module_name)
try:
logger.debug('Loading module [%s]' % module_name)
module = __import__(module_name)
except ImportError:
raise CommandoLoaderException(
"Module [%s] cannot be loaded." % module_name)
if object_name == '':
return module
try:
module = sys.modules[module_name]
except KeyError:
raise CommandoLoaderException(
"Error occured when loading module [%s]" % module_name)
try:
logger.debug('Getting object [%s] from module [%s]' %
(object_name, module_name))
return getattr(module, object_name)
except AttributeError:
raise CommandoLoaderException(
"Cannot load object [%s]. "
"Module [%s] does not contain object [%s]. "
"Please fix the configuration or "
"ensure that the module is installed properly" %
(
name,
module_name,
object_name
)
)
class ShellCommand(object):
"""
Provides a simpler interface for calling shell commands.
Wraps `subprocess`.
"""
def __init__(self, cwd=None, cmd=None):
self.cwd = cwd
self.cmd = cmd
def __process__(self, *args, **kwargs):
if self.cmd and not kwargs.get('shell', False):
new_args = [self.cmd]
new_args.extend(args)
args = new_args
args = [arg for arg in args if arg]
if self.cwd and 'cwd' not in kwargs:
kwargs['cwd'] = self.cwd
return (args, kwargs)
def call(self, *args, **kwargs):
"""
Delegates to `subprocess.check_call`.
"""
args, kwargs = self.__process__(*args, **kwargs)
return check_call(args, **kwargs)
def get(self, *args, **kwargs):
"""
Delegates to `subprocess.check_output`.
"""
args, kwargs = self.__process__(*args, **kwargs)
return check_output(args, **kwargs)
def open(self, *args, **kwargs):
"""
Delegates to `subprocess.Popen`.
"""
args, kwargs = self.__process__(*args, **kwargs)
return Popen(args, **kwargs)
def getLoggerWithConsoleHandler(logger_name=None):
"""
Gets a logger object with a pre-initialized console handler.
"""
logger = logging.getLogger(logger_name)
logger.setLevel(logging.INFO)
if not logger.handlers:
handler = logging.StreamHandler(sys.stdout)
if sys.platform == 'win32':
formatter = logging.Formatter(
fmt="%(asctime)s %(name)s %(message)s",
datefmt='%H:%M:%S')
else:
formatter = ColorFormatter(fmt="$RESET %(asctime)s "
"$BOLD$COLOR%(name)s$RESET "
"%(message)s", datefmt='%H:%M:%S')
handler.setFormatter(formatter)
logger.addHandler(handler)
return logger
def getLoggerWithNullHandler(logger_name):
"""
Gets the logger initialized with the `logger_name`
and a NullHandler.
"""
logger = logging.getLogger(logger_name)
if not logger.handlers:
logger.addHandler(NullHandler())
return logger
## Code stolen from :
## http://stackoverflow.com/q/384076
##
BLACK, RED, GREEN, YELLOW, BLUE, MAGENTA, CYAN, WHITE = range(8)
COLORS = {
'WARNING': YELLOW,
'INFO': WHITE,
'DEBUG': BLUE,
'CRITICAL': YELLOW,
'ERROR': RED,
'RED': RED,
'GREEN': GREEN,
'YELLOW': YELLOW,
'BLUE': BLUE,
'MAGENTA': MAGENTA,
'CYAN': CYAN,
'WHITE': WHITE,
}
RESET_SEQ = "\033[0m" # pylint: disable-msg=W1401
COLOR_SEQ = "\033[1;%dm" # pylint: disable-msg=W1401
BOLD_SEQ = "\033[1m" # pylint: disable-msg=W1401
class ColorFormatter(logging.Formatter):
"""
Basic formatter to show colorful log lines.
"""
def __init__(self, *args, **kwargs):
# can't do super(...) here because Formatter is an old school class
logging.Formatter.__init__(self, *args, **kwargs)
def format(self, record):
levelname = record.levelname
color = COLOR_SEQ % (30 + COLORS[levelname])
message = logging.Formatter.format(self, record)
message = message.replace("$RESET", RESET_SEQ)\
.replace("$BOLD", BOLD_SEQ)\
.replace("$COLOR", color)
for key, value in COLORS.items():
message = message.replace("$" + key, COLOR_SEQ % (value + 30))\
.replace("$BG" + key, COLOR_SEQ % (value + 40))\
.replace("$BG-" + key, COLOR_SEQ % (value + 40))
return message + RESET_SEQ
logging.ColorFormatter = ColorFormatter
__all__ = [
'CommandoLoaderException',
'load_python_object',
'ShellCommand',
'ColorFormatter',
'getLoggerWithNullHandler',
'getLoggerWithConsoleHandler'
]
|