Files @ 2cf4fdcfadf7
Branch filter:

Location: NPO-Accounting/conservancy_beancount/conservancy_beancount/cliutil.py

Brett Smith
pdfforms.fill: New module+tool.

After you edit the YAML generated by pdfform-extract,
you can re-fill the original PDF with pdfform-fill.
  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
"""cliutil - Utilities for CLI tools"""
PKGNAME = 'conservancy_beancount'
LICENSE = """
Copyright © 2020  Brett Smith and other contributors

This program is free software: you can redistribute it and/or modify it.
Refer to the LICENSE.txt that came with the software for details.

This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE."""

import argparse
import datetime
import enum
import io
import logging
import operator
import os
import pkg_resources
import re
import signal
import subprocess
import sys
import traceback
import types

from pathlib import Path

import rt.exceptions as rt_error

from . import data
from . import filters
from . import rtutil

from typing import (
    cast,
    Any,
    BinaryIO,
    Callable,
    Container,
    IO,
    Iterable,
    NamedTuple,
    NoReturn,
    Optional,
    Sequence,
    TextIO,
    Type,
    Union,
)
from .beancount_types import (
    MetaKey,
)

OutputFile = Union[int, IO]

CPU_COUNT = len(os.sched_getaffinity(0))
STDSTREAM_PATH = Path('-')
VERSION = pkg_resources.require(PKGNAME)[0].version

class ExceptHook:
    def __init__(self, logger: Optional[logging.Logger]=None) -> None:
        if logger is None:
            logger = logging.getLogger()
        self.logger = logger

    def __call__(self,
                 exc_type: Type[BaseException],
                 exc_value: BaseException,
                 exc_tb: types.TracebackType,
    ) -> NoReturn:
        error_type = type(exc_value).__name__
        msg = ": ".join(str(arg) for arg in exc_value.args)
        if isinstance(exc_value, KeyboardInterrupt):
            signal.signal(signal.SIGINT, signal.SIG_DFL)
            os.kill(0, signal.SIGINT)
            signal.pause()
        elif isinstance(exc_value, (
                rt_error.AuthorizationError,
                rt_error.NotAllowed,
        )):
            exitcode = os.EX_NOPERM
            error_type = "RT access denied"
        elif isinstance(exc_value, rt_error.ConnectionError):
            exitcode = os.EX_TEMPFAIL
            error_type = "RT connection error"
        elif isinstance(exc_value, rt_error.RtError):
            exitcode = os.EX_UNAVAILABLE
            error_type = f"RT {error_type}"
        elif isinstance(exc_value, OSError):
            if exc_value.filename is None:
                exitcode = os.EX_OSERR
                error_type = "OS error"
                msg = exc_value.strerror
            else:
                # There are more specific exit codes for input problems vs.
                # output problems, but without knowing how the file was
                # intended to be used, we can't use them.
                exitcode = os.EX_IOERR
                error_type = "I/O error"
                msg = f"{exc_value.filename}: {exc_value.strerror}"
        else:
            exitcode = os.EX_SOFTWARE
            error_type = f"internal {error_type}"
        self.logger.critical("%s%s%s", error_type, ": " if msg else "", msg)
        self.logger.debug(
            ''.join(traceback.format_exception(exc_type, exc_value, exc_tb)),
        )
        raise SystemExit(exitcode)


class ExitCode(enum.IntEnum):
    # BSD exit codes commonly used
    NoConfiguration = os.EX_CONFIG
    NoConfig = NoConfiguration
    NoDataFiltered = os.EX_DATAERR
    NoDataLoaded = os.EX_NOINPUT
    RewriteRulesError = os.EX_DATAERR

    # Our own exit codes, working down from that range
    BeancountErrors = 63


class InfoAction(argparse.Action):
    def __call__(self,
                 parser: argparse.ArgumentParser,
                 namespace: argparse.Namespace,
                 values: Union[Sequence[Any], str, None]=None,
                 option_string: Optional[str]=None,
    ) -> NoReturn:
        if isinstance(self.const, str):
            info = self.const
            exitcode = 0
        else:
            info, exitcode = self.const
        print(info)
        raise SystemExit(exitcode)


class LogLevel(enum.IntEnum):
    DEBUG = logging.DEBUG
    INFO = logging.INFO
    WARNING = logging.WARNING
    ERROR = logging.ERROR
    CRITICAL = logging.CRITICAL
    WARN = WARNING
    ERR = ERROR
    CRIT = CRITICAL

    @classmethod
    def from_arg(cls, arg: str) -> int:
        try:
            return cls[arg.upper()].value
        except KeyError:
            raise ValueError(f"unknown loglevel {arg!r}") from None

    @classmethod
    def choices(cls) -> Iterable[str]:
        for level in sorted(cls, key=operator.attrgetter('value')):
            yield level.name.lower()


class SearchTerm(NamedTuple):
    """NamedTuple representing a user's metadata filter

    SearchTerm knows how to parse and store posting metadata filters provided
    by the user in `key=value` format. Reporting tools can use this to filter
    postings that match the user's criteria, to report on subsets of the books.

    Typical usage looks like::

      argument_parser.add_argument(
        'search_terms',
        type=SearchTerm.arg_parser(),
        …,
      )

      args = argument_parser.parse_args(…)
      for query in args.search_terms:
        postings = query.filter_postings(postings)
    """
    meta_key: MetaKey
    pattern: str

    @classmethod
    def arg_parser(cls,
                   default_key: Optional[str]=None,
                   ticket_default_key: Optional[str]=None,
    ) -> Callable[[str], 'SearchTerm']:
        """Build a SearchTerm parser

        This method returns a function that can parse strings in ``key=value``
        format and return a corresponding SearchTerm.

        If you specify a default key, then strings that just specify a ``value``
        will be parsed as if they said ``default_key=value``. Otherwise,
        parsing strings without a metadata key will raise a ValueError.

        If you specify a default key ticket links, then values in the format
        ``number``, ``rt:number``, or ``rt://ticket/number`` will be parsed as
        if they said ``ticket_default_key=value``.
        """
        if ticket_default_key is None:
            ticket_default_key = default_key
        def parse_search_term(arg: str) -> 'SearchTerm':
            key: Optional[str] = None
            if re.match(r'^[a-z][-\w]*=', arg):
                key, _, raw_link = arg.partition('=')
            else:
                raw_link = arg
            rt_ids = rtutil.RT.parse(raw_link)
            if rt_ids is None:
                rt_ids = rtutil.RT.parse('rt:' + raw_link)
            if rt_ids is None:
                if key is None:
                    key = default_key
                pattern = r'(?:^|\s){}(?:\s|$)'.format(re.escape(raw_link))
            else:
                ticket_id, attachment_id = rt_ids
                if key is None:
                    if attachment_id is None:
                        key = ticket_default_key
                    else:
                        key = default_key
                pattern = rtutil.RT.metadata_regexp(
                    ticket_id,
                    attachment_id,
                    first_link_only=key == 'rt-id' and attachment_id is None,
                )
            if key is None:
                raise ValueError(f"invalid search term {arg!r}: no metadata key")
            return cls(key, pattern)
        return parse_search_term

    def filter_postings(self, postings: Iterable[data.Posting]) -> Iterable[data.Posting]:
        return filters.filter_meta_match(
            postings, self.meta_key, re.compile(self.pattern),
        )

def add_jobs_argument(parser: argparse.ArgumentParser) -> argparse.Action:
    return parser.add_argument(
        '--jobs', '-j',
        metavar='NUM',
        type=jobs_arg,
        default=CPU_COUNT,
        help="""Maximum number of processes to run concurrently.
Can specify a positive integer or a percentage of CPU cores. Default all cores.
""")

def add_loglevel_argument(parser: argparse.ArgumentParser,
                          default: LogLevel=LogLevel.INFO) -> argparse.Action:
    return parser.add_argument(
        '--loglevel',
        metavar='LEVEL',
        default=default.value,
        type=LogLevel.from_arg,
        help="Show logs at this level and above."
        f" Specify one of {', '.join(LogLevel.choices())}."
        f" Default {default.name.lower()}.",
    )

def add_rewrite_rules_argument(parser: argparse.ArgumentParser) -> argparse.Action:
    return parser.add_argument(
        '--rewrite-rules', '--rewrites', '-r',
        action='append',
        default=[],
        metavar='PATH',
        type=Path,
        help="""Use rewrite rules from the given YAML file. You can specify
this option multiple times to load multiple sets of rewrite rules in order.
""")

def add_version_argument(parser: argparse.ArgumentParser) -> argparse.Action:
    progname = parser.prog or sys.argv[0]
    return parser.add_argument(
        '--version', '--copyright', '--license',
        action=InfoAction,
        nargs=0,
        const=f"{progname} version {VERSION}\n{LICENSE}",
        help="Show program version and license information",
    )

def can_run(
        cmd: Sequence[str],
        stdout: Optional[int]=subprocess.DEVNULL,
        stderr: Optional[int]=None,
        ok_returncodes: Container[int]=frozenset([0]),
) -> bool:
    try:
        with subprocess.Popen(cmd, stdin=subprocess.PIPE, stdout=stdout, stderr=stderr) as proc:
            # Typing says this can be None, but I don't think that's true
            # given that we passed stdin=PIPE.
            proc.stdin.close()  # type:ignore[union-attr]
    except (OSError, subprocess.SubprocessError):
        return False
    else:
        return proc.returncode in ok_returncodes

def date_arg(arg: str) -> datetime.date:
    return datetime.datetime.strptime(arg, '%Y-%m-%d').date()

def diff_year(date: datetime.date, diff: int) -> datetime.date:
    new_year = date.year + diff
    try:
        return date.replace(year=new_year)
    except ValueError:
        # The original date is Feb 29, which doesn't exist in the new year.
        if diff < 0:
            return datetime.date(new_year, 2, 28)
        else:
            return datetime.date(new_year, 3, 1)

def year_or_date_arg(arg: str) -> Union[int, datetime.date]:
    """Get either a date or a year (int) from an argument string

    This is a useful argument type for arguments that will be passed into
    Books loader methods which can accept either a fiscal year or a full date.
    """
    try:
        year = int(arg, 10)
    except ValueError:
        ok = False
    else:
        ok = datetime.MINYEAR <= year <= datetime.MAXYEAR
    if ok:
        return year
    else:
        return date_arg(arg)

def jobs_arg(arg: str) -> int:
    if arg.endswith('%'):
        arg_n = round(CPU_COUNT * 100 / int(arg[:-1]))
    else:
        arg_n = int(arg)
    if arg_n < 1:
        raise ValueError("--jobs argument must be a positive integer or percentage")
    else:
        return arg_n

def make_entry_point(mod_name: str, prog_name: str=sys.argv[0]) -> Callable[[], int]:
    """Create an entry_point function for a tool

    The returned function is suitable for use as an entry_point in setup.py.
    It sets up the root logger and excepthook, then calls the module's main
    function.
    """
    def entry_point():  # type:ignore
        prog_mod = sys.modules[mod_name]
        setup_logger()
        prog_mod.logger = logging.getLogger(prog_name)
        sys.excepthook = ExceptHook(prog_mod.logger)
        return prog_mod.main()
    return entry_point

def setup_logger(logger: Union[str, logging.Logger]='',
                 stream: TextIO=sys.stderr,
                 fmt: str='%(name)s: %(levelname)s: %(message)s',
) -> logging.Logger:
    """Set up a logger with a StreamHandler with the given format"""
    if isinstance(logger, str):
        logger = logging.getLogger(logger)
    formatter = logging.Formatter(fmt)
    handler = logging.StreamHandler(stream)
    handler.setFormatter(formatter)
    logger.addHandler(handler)
    return logger

def set_loglevel(logger: logging.Logger, loglevel: int=logging.INFO) -> None:
    """Set the loglevel for a tool or module

    If the given logger is not under a hierarchy, this function sets the
    loglevel for the root logger, along with some specific levels for libraries
    used by reporting tools. Otherwise, it's the same as
    ``logger.setLevel(loglevel)``.
    """
    if '.' not in logger.name:
        logger = logging.getLogger()
        if loglevel <= logging.DEBUG:
            # At the debug level, the rt module logs the full body of every
            # request and response. That's too much.
            logging.getLogger('rt.rt').setLevel(logging.INFO)
    logger.setLevel(loglevel)

def bytes_output(path: Optional[Path]=None,
                 default: OutputFile=sys.stdout,
                 mode: str='w',
) -> BinaryIO:
    """Get a file-like object suitable for binary output

    If ``path`` is ``None`` or ``-``, returns a file-like object backed by
    ``default``. If ``default`` is a file descriptor or text IO object, this
    method returns a file-like object that writes to the same place.

    Otherwise, returns ``path.open(mode)``.
    """
    mode = f'{mode}b'
    if path is None or path == STDSTREAM_PATH:
        if isinstance(default, int):
            retval = open(default, mode)
        elif isinstance(default, TextIO):
            retval = default.buffer
        else:
            retval = default
    else:
        retval = path.open(mode)
    return cast(BinaryIO, retval)

def text_output(path: Optional[Path]=None,
                default: OutputFile=sys.stdout,
                mode: str='w',
                encoding: Optional[str]=None,
) -> TextIO:
    """Get a file-like object suitable for text output

    If ``path`` is ``None`` or ``-``, returns a file-like object backed by
    ``default``. If ``default`` is a file descriptor or binary IO object, this
    method returns a file-like object that writes to the same place.

    Otherwise, returns ``path.open(mode)``.
    """
    if path is None or path == STDSTREAM_PATH:
        if isinstance(default, int):
            retval = open(default, mode, encoding=encoding)
        elif isinstance(default, BinaryIO):
            retval = io.TextIOWrapper(default, encoding=encoding)
        else:
            retval = default
    else:
        retval = path.open(mode, encoding=encoding)
    return cast(TextIO, retval)