????

Your IP : 216.73.216.120


Current Path : C:/opt/pgsql/pgAdmin 4/python/Lib/site-packages/portalocker/
Upload File :
Current File : C:/opt/pgsql/pgAdmin 4/python/Lib/site-packages/portalocker/__main__.py

import argparse
import logging
import os
import pathlib
import re

base_path = pathlib.Path(__file__).parent.parent
src_path = base_path / 'portalocker'
dist_path = base_path / 'dist'
_default_output_path = base_path / 'dist' / 'portalocker.py'

_RELATIVE_IMPORT_RE = re.compile(r'^from \. import (?P<names>.+)$')
_USELESS_ASSIGNMENT_RE = re.compile(r'^(?P<name>\w+) = \1\n$')

_TEXT_TEMPLATE = """'''
{}
'''

"""

logger = logging.getLogger(__name__)


def main(argv=None):
    parser = argparse.ArgumentParser()

    subparsers = parser.add_subparsers(required=True)
    combine_parser = subparsers.add_parser(
        'combine',
        help='Combine all Python files into a single unified `portalocker.py` '
        'file for easy distribution',
    )
    combine_parser.add_argument(
        '--output-file',
        '-o',
        type=argparse.FileType('w'),
        default=str(_default_output_path),
    )

    combine_parser.set_defaults(func=combine)
    args = parser.parse_args(argv)
    args.func(args)


def _read_file(path, seen_files):
    if path in seen_files:
        return

    names = set()
    seen_files.add(path)
    for line in path.open():
        if match := _RELATIVE_IMPORT_RE.match(line):
            for name in match.group('names').split(','):
                name = name.strip()
                names.add(name)
                yield from _read_file(src_path / f'{name}.py', seen_files)
        else:
            yield _clean_line(line, names)


def _clean_line(line, names):
    # Replace `some_import.spam` with `spam`
    if names:
        joined_names = '|'.join(names)
        line = re.sub(fr'\b({joined_names})\.', '', line)

    # Replace useless assignments (e.g. `spam = spam`)
    return _USELESS_ASSIGNMENT_RE.sub('', line)


def combine(args):
    output_file = args.output_file
    pathlib.Path(output_file.name).parent.mkdir(parents=True, exist_ok=True)

    output_file.write(
        _TEXT_TEMPLATE.format((base_path / 'README.rst').read_text()),
    )
    output_file.write(
        _TEXT_TEMPLATE.format((base_path / 'LICENSE').read_text()),
    )

    seen_files = set()
    for line in _read_file(src_path / '__init__.py', seen_files):
        output_file.write(line)

    output_file.flush()
    output_file.close()

    logger.info(f'Wrote combined file to {output_file.name}')
    # Run black and ruff if available. If not then just run the file.
    os.system(f'black {output_file.name}')
    os.system(f'ruff --fix {output_file.name}')
    os.system(f'python3 {output_file.name}')


if __name__ == '__main__':
    logging.basicConfig(level=logging.INFO)
    main()