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
|
from __future__ import annotations
import codecs
import datetime
import functools
import keyword
import logging
import operator
import os
import os.path
import re
import sys
import warnings
from collections.abc import Iterable, MutableSequence
from io import StringIO
from itertools import zip_longest
from pathlib import Path
logger = logging.getLogger('tatsu')
logger.setLevel(logging.DEBUG)
ch = logging.StreamHandler()
formatter = logging.Formatter('%(message)s')
ch.setFormatter(formatter)
logger.addHandler(ch)
ESCAPE_SEQUENCE_RE = re.compile(
r"""
( \\U........ # 8-digit Unicode escapes
| \\u.... # 4-digit Unicode escapes
| \\x.. # 2-digit Unicode escapes
| \\[0-7]{1,3} # Octal character escapes
| \\N\{[^}]+\} # Unicode characters by name
| \\[\\'"abfnrtv] # Single-character escapes
)""",
re.UNICODE | re.VERBOSE,
)
def program_name():
import __main__ as main
if package := main.__package__:
return package
return Path(main.__file__).name
def is_posix():
return os.name == 'posix'
def _prints(*args, **kwargs):
with StringIO() as f:
kwargs['file'] = f
kwargs['end'] = ''
print(*args, **kwargs)
return f.getvalue()
def info(*args, **kwargs):
logger.info(_prints(*args, **kwargs))
def debug(*args, **kwargs):
logger.debug(_prints(*args, **kwargs))
def warning(*args, **kwargs):
logger.warning(_prints(*args, **kwargs))
def error(*args, **kwargs):
logger.error(_prints(*args, **kwargs))
def identity(*args):
if len(args) == 1:
return args[0]
return args
def is_list(o):
return type(o) is list
def to_list(o):
if o is None:
return []
elif isinstance(o, list):
return o
else:
return [o]
def is_namedtuple(obj) -> bool:
return (
len(type(obj).__bases__) == 1
and isinstance(obj, tuple)
and hasattr(obj, '_asdict')
and hasattr(obj, '_fields')
and all(isinstance(f, str) for f in getattr(obj, '_fields', ()))
)
def simplify_list(x):
if isinstance(x, list) and len(x) == 1:
return simplify_list(x[0])
return x
def extend_list(x, n, default=None):
def _null():
pass
default = default or _null
missing = max(0, 1 + n - len(x))
x.extend(default() for _ in range(missing))
def contains_sublist(lst, sublst):
n = len(sublst)
return any(sublst == lst[i: i + n] for i in range(1 + len(lst) - n))
def join_lists(lists):
return functools.reduce(operator.iadd, lists, [])
def flatten(o):
if not isinstance(o, MutableSequence):
yield o
return
for item in o:
yield from flatten(item)
def compress_seq(seq):
seen = set()
result = []
for x in seq:
if x not in seen:
result.append(x)
seen.add(x)
return result
def eval_escapes(s):
"""
Given a string, evaluate escape sequences starting with backslashes as
they would be evaluated in Python source code. For a list of these
sequences, see: https://docs.python.org/3/reference/lexical_analysis.html
This is not the same as decoding the whole string with the 'unicode-escape'
codec, because that provides no way to handle non-ASCII characters that are
literally present in the string.
"""
# by Rob Speer
def decode_match(match):
return codecs.decode(match.group(0), 'unicode-escape')
return ESCAPE_SEQUENCE_RE.sub(decode_match, s)
def isiter(value):
return isinstance(value, Iterable) and not isinstance(
value, str | bytes | bytearray,
)
def trim(text, tabwidth=4):
"""
Trim text of common, leading whitespace.
Based on the trim algorithm of PEP 257:
http://www.python.org/dev/peps/pep-0257/
"""
if not text:
return ''
lines = text.expandtabs(tabwidth).splitlines()
maxindent = len(text)
indent = maxindent
for line in lines[1:]:
stripped = line.lstrip()
if stripped:
indent = min(indent, len(line) - len(stripped))
trimmed = [lines[0].strip()] + [
line[indent:].rstrip() for line in lines[1:]
]
i = 0
while i < len(trimmed) and not trimmed[i]:
i += 1
return '\n'.join(trimmed[i:])
def indent(text, indent=1, multiplier=4):
"""Indent the given block of text by indent*4 spaces"""
if text is None:
return ''
text = str(text)
if indent >= 0:
sindent = ' ' * multiplier * indent
text = '\n'.join((sindent + t).rstrip() for t in text.splitlines())
return text
def format_if(fmt, values):
return fmt % values if values else ''
def notnone(value, default=None):
return value if value is not None else default
def timestamp():
return '.'.join(
'%2.2d' % t for t in datetime.datetime.utcnow().utctimetuple()[:-2]
)
def prune_dict(d, predicate):
"""Remove all items x where predicate(x, d[x])"""
keys = [k for k, v in d.items() if predicate(k, v)]
for k in keys:
del d[k]
def safe_name(name):
if keyword.iskeyword(name):
return name + '_'
return name
def chunks(iterable, size, fillvalue=None):
return zip_longest(*[iter(iterable)] * size, fillvalue=fillvalue)
def generic_main(custom_main, parser_class, name='Unknown'):
import argparse
class ListRules(argparse.Action):
def __call__(self, parser, namespace, values, option_string=None):
print('Rules:')
for r in parser_class.rule_list():
print(r)
print()
sys.exit(0)
argp = argparse.ArgumentParser(description=f'Simple parser for {name}.')
addarg = argp.add_argument
addarg(
'-c',
'--color',
help='use color in traces (requires the colorama library)',
action='store_true',
)
addarg(
'-l',
'--list',
action=ListRules,
nargs=0,
help='list all rules and exit',
)
addarg(
'-n',
'--no-nameguard',
action='store_true',
dest='no_nameguard',
help="disable the 'nameguard' feature",
)
addarg(
'-t', '--trace', action='store_true', help='output trace information',
)
addarg(
'-w',
'--whitespace',
type=str,
default=None,
help='whitespace specification',
)
addarg(
'file',
metavar='FILE',
help="the input file to parse or '-' for standard input",
nargs='?',
default='-',
)
addarg(
'startrule',
metavar='STARTRULE',
nargs='?',
help='the start rule for parsing',
default=None,
)
args = argp.parse_args()
try:
return custom_main(
args.file,
start=args.startrule,
trace=args.trace,
whitespace=args.whitespace,
nameguard=not args.no_nameguard,
colorize=args.color,
)
except KeyboardInterrupt:
pass
# decorator
def deprecated(fun):
@functools.wraps(fun)
def wrapper(*args, **kwargs):
warnings.filterwarnings('default', category=DeprecationWarning)
msg = 'Call to deprecated function {}.'
warnings.warn(
msg.format(fun.__name__), category=DeprecationWarning, stacklevel=2,
)
return fun(*args, **kwargs)
return wrapper
def left_assoc(elements):
if not elements:
return ()
it = iter(elements)
expre = next(it)
for e in it:
op = e
expre = (op, expre, next(it))
return expre
def right_assoc(elements):
if not elements:
return ()
def assoc(it):
left = next(it)
try:
op = next(it)
except StopIteration:
return left
else:
return (op, left, assoc(it))
return assoc(iter(elements))
try:
import psutil
except ImportError:
def memory_use():
return 0
else:
def memory_use():
process = psutil.Process(os.getpid())
return process.memory_info().rss
def try_read(filename):
if isinstance(filename, Path):
filename = str(filename)
for e in ['utf-16', 'utf-8', 'latin-1', 'cp1252', 'ascii']:
try:
with Path(filename).open(encoding=e) as f:
return f.read()
except UnicodeError:
pass
raise UnicodeDecodeError(f"cannot find the encoding for '{filename}'")
def filelist_from_patterns(patterns, ignore=None, base='.', sizesort=False):
base = Path(base or '.').expanduser()
filenames = set()
for pattern in patterns or []:
path = base / pattern
if path.is_file():
filenames.add(path)
continue
if path.is_dir():
path += '/*'
parts = path.parts[1:] if path.is_absolute() else path.parts
joined_pattern = str(Path().joinpath(*parts))
filenames.update(
p for p in Path(path.root).glob(joined_pattern) if not p.is_dir()
)
filenames = list(filenames)
def excluded(path):
if any(path.match(ex) for ex in ignore):
return True
return any(
any(Path(part).match(ex) for ex in ignore) for part in path.parts
)
if ignore:
filenames = [path for path in filenames if not excluded(path)]
if sizesort:
filenames.sort(key=lambda f: f.stat().st_size)
return filenames
def short_relative_path(path, base='.'):
path = Path(path)
base = Path(base)
common = Path(os.path.commonpath([base.resolve(), path.resolve()]))
if common == path.root:
return path
elif common == Path.home():
up = Path('~')
elif common == base:
up = Path()
else:
n = len(base.parts) - len(common.parts)
up = Path('../' * n)
rel = str(up / path.resolve().relative_to(common))
if len(rel) < len(str(path)):
return rel
else:
return str(path)
|