bumpver/src/pycalver/config.py

377 lines
9.6 KiB
Python
Raw Normal View History

2018-09-02 21:48:12 +02:00
# This file is part of the pycalver project
# https://github.com/mbarkhau/pycalver
#
2018-11-06 21:45:33 +01:00
# Copyright (c) 2018 Manuel Barkhau (@mbarkhau) - MIT License
2018-09-02 21:48:12 +02:00
# SPDX-License-Identifier: MIT
2018-11-15 22:16:16 +01:00
"""Parse setup.cfg or pycalver.cfg files."""
2018-09-02 21:48:12 +02:00
import io
import os
import toml
2018-09-02 21:48:12 +02:00
import configparser
import typing as typ
import pathlib2 as pl
2018-09-02 21:48:12 +02:00
import datetime as dt
import logging
from .parse import PYCALVER_RE
from . import version
2018-09-02 21:48:12 +02:00
log = logging.getLogger("pycalver.config")
2018-11-15 22:16:16 +01:00
PatternsByFilePath = typ.Dict[str, typ.List[str]]
2018-09-02 21:48:12 +02:00
class ProjectContext(typ.NamedTuple):
"""Container class for project info."""
path : pl.Path
config_filepath: pl.Path
config_format : str
vcs_type : typ.Optional[str]
def init_project_ctx(project_path: typ.Union[str, pl.Path, None] = ".") -> ProjectContext:
"""Initialize ProjectContext from a path."""
if isinstance(project_path, str):
path = pl.Path(project_path)
else:
path = project_path
if (path / "pyproject.toml").exists():
config_filepath = path / "pyproject.toml"
config_format = 'toml'
if (path / "setup.cfg").exists():
config_filepath = path / "setup.cfg"
config_format = 'cfg'
else:
config_filepath = path / "pycalver.toml"
config_format = 'toml'
if (path / ".git").exists():
vcs_type = 'git'
elif (path / ".hg").exists():
vcs_type = 'hg'
else:
vcs_type = None
return ProjectContext(path, config_filepath, config_format, vcs_type)
RawConfig = typ.Dict[str, typ.Any]
2018-09-03 22:23:51 +02:00
class Config(typ.NamedTuple):
"""Container for parameters parsed from a config file."""
2018-09-03 22:23:51 +02:00
2018-11-04 21:11:42 +01:00
current_version: str
pep440_version : str
2018-09-03 22:23:51 +02:00
2018-11-04 21:11:42 +01:00
tag : bool
commit: bool
push: bool
2018-09-03 22:23:51 +02:00
2018-11-15 22:16:16 +01:00
file_patterns: PatternsByFilePath
2018-09-02 21:48:12 +02:00
2018-09-03 22:23:51 +02:00
def _debug_str(cfg: Config) -> str:
cfg_str_parts = [
f"Config Parsed: Config(",
f"current_version='{cfg.current_version}'",
f"pep440_version='{cfg.pep440_version}'",
f"tag={cfg.tag}",
f"commit={cfg.commit}",
f"push={cfg.push}",
f"file_patterns={{",
]
2018-09-03 22:23:51 +02:00
for filepath, patterns in cfg.file_patterns.items():
for pattern in patterns:
cfg_str_parts.append(f"\n '{filepath}': '{pattern}'")
2018-09-03 22:23:51 +02:00
cfg_str_parts += ["\n})"]
return ", ".join(cfg_str_parts)
2018-09-02 21:48:12 +02:00
2018-11-11 15:08:46 +01:00
MaybeConfig = typ.Optional[Config]
2018-09-02 21:48:12 +02:00
2018-11-11 15:08:46 +01:00
FilePatterns = typ.Dict[str, typ.List[str]]
2018-09-02 21:48:12 +02:00
def _parse_cfg_file_patterns(
cfg_parser: configparser.RawConfigParser,
) -> FilePatterns:
2018-09-02 21:48:12 +02:00
2018-11-11 15:08:46 +01:00
file_patterns: FilePatterns = {}
2018-09-02 21:48:12 +02:00
for filepath, patterns_str in cfg_parser.items("pycalver:file_patterns"):
patterns: typ.List[str] = []
for line in patterns_str.splitlines():
pattern = line.strip()
if pattern:
patterns.append(pattern)
2018-09-02 21:48:12 +02:00
file_patterns[filepath] = patterns
2018-09-02 21:48:12 +02:00
return file_patterns
2018-09-02 21:48:12 +02:00
2018-11-11 15:08:46 +01:00
def _parse_cfg_option(option_name):
# preserve uppercase filenames
return option_name
2018-11-11 15:08:46 +01:00
def _parse_cfg(cfg_buffer: typ.TextIO) -> RawConfig:
2018-11-11 15:08:46 +01:00
cfg_parser = configparser.RawConfigParser()
cfg_parser.optionxform = _parse_cfg_option
2018-11-11 15:08:46 +01:00
if hasattr(cfg_parser, 'read_file'):
cfg_parser.read_file(cfg_buffer)
else:
cfg_parser.readfp(cfg_buffer) # python2 compat
2018-11-11 15:08:46 +01:00
if not cfg_parser.has_section("pycalver"):
log.error("Missing [pycalver] section.")
2018-11-11 15:08:46 +01:00
return None
raw_cfg = dict(cfg_parser.items("pycalver"))
2018-11-11 15:08:46 +01:00
raw_cfg['commit'] = raw_cfg.get('commit', False)
raw_cfg['tag' ] = raw_cfg.get('tag' , None)
raw_cfg['push' ] = raw_cfg.get('push' , None)
2018-11-11 15:08:46 +01:00
if isinstance(raw_cfg['commit'], str):
raw_cfg['commit'] = raw_cfg['commit'].lower() in ("yes", "true", "1", "on")
if isinstance(raw_cfg['tag'], str):
raw_cfg['tag'] = raw_cfg['tag'].lower() in ("yes", "true", "1", "on")
if isinstance(raw_cfg['push'], str):
raw_cfg['push'] = raw_cfg['push'].lower() in ("yes", "true", "1", "on")
2018-11-11 15:08:46 +01:00
raw_cfg['file_patterns'] = _parse_cfg_file_patterns(cfg_parser)
2018-11-11 15:08:46 +01:00
return raw_cfg
2018-11-11 15:08:46 +01:00
def _parse_toml(cfg_buffer: typ.TextIO) -> RawConfig:
raw_full_cfg = toml.load(cfg_buffer)
raw_cfg = raw_full_cfg.get('pycalver', {})
raw_cfg['commit'] = raw_cfg.get('commit', False)
raw_cfg['tag' ] = raw_cfg.get('tag' , None)
raw_cfg['push' ] = raw_cfg.get('push' , None)
return raw_cfg
def _parse_config(raw_cfg: RawConfig) -> Config:
if 'current_version' not in raw_cfg:
raise ValueError("Missing 'pycalver.current_version'")
version_str = raw_cfg['current_version']
version_str = raw_cfg['current_version'] = version_str.strip("'\" ")
if PYCALVER_RE.match(version_str) is None:
raise ValueError(f"Invalid current_version = {version_str}")
pep440_version = version.pycalver_to_pep440(version_str)
commit = raw_cfg['commit']
tag = raw_cfg['tag']
push = raw_cfg['push']
if tag is None:
tag = raw_cfg['tag'] = False
if push is None:
push = raw_cfg['push'] = False
2018-11-11 15:08:46 +01:00
2018-11-11 15:15:14 +01:00
if tag and not commit:
raise ValueError("pycalver.commit = true required if pycalver.tag = true")
2018-11-11 15:15:14 +01:00
if push and not commit:
raise ValueError("pycalver.commit = true required if pycalver.push = true")
2018-11-11 15:08:46 +01:00
file_patterns = raw_cfg['file_patterns']
2018-09-02 21:48:12 +02:00
for filepath in file_patterns.keys():
if not os.path.exists(filepath):
log.warning(f"Invalid configuration, no such file: {filepath}")
2018-09-02 21:48:12 +02:00
cfg = Config(version_str, pep440_version, tag, commit, push, file_patterns)
log.debug(_debug_str(cfg))
return cfg
2018-09-02 21:48:12 +02:00
2018-11-11 15:08:46 +01:00
def parse(ctx: ProjectContext) -> MaybeConfig:
"""Parse config file if available."""
if not ctx.config_filepath.exists():
log.error(f"File not found: {ctx.config_filepath}")
2018-09-03 22:23:51 +02:00
return None
raw_cfg: typ.Optional[RawConfig]
try:
with ctx.config_filepath.open(mode="rt", encoding="utf-8") as fh:
if ctx.config_format == 'toml':
raw_cfg = _parse_toml(fh)
elif ctx.config_format == 'cfg':
raw_cfg = _parse_cfg(fh)
else:
return None
2018-09-03 22:23:51 +02:00
return _parse_config(raw_cfg)
except ValueError as ex:
log.error(f"Error parsing {ctx.config_filepath}: {str(ex)}")
return None
2018-11-11 15:08:46 +01:00
DEFAULT_CONFIGPARSER_BASE_STR = """
2018-11-11 15:08:46 +01:00
[pycalver]
current_version = "{initial_version}"
2018-11-11 15:08:46 +01:00
commit = True
tag = True
push = True
[pycalver:file_patterns]
"""
DEFAULT_CONFIGPARSER_SETUP_CFG_STR = """
setup.cfg =
current_version = "{{version}}"
"""
2018-11-11 15:08:46 +01:00
DEFAULT_CONFIGPARSER_SETUP_PY_STR = """
setup.py =
"{version}"
"{pep440_version}"
"""
DEFAULT_CONFIGPARSER_README_RST_STR = """
README.rst =
"{version}"
"{pep440_version}"
2018-11-11 15:08:46 +01:00
"""
DEFAULT_CONFIGPARSER_README_MD_STR = """
README.md =
2018-11-11 15:08:46 +01:00
"{version}"
"{pep440_version}"
"""
DEFAULT_TOML_BASE_STR = """
[pycalver]
current_version = "{initial_version}"
commit = true
tag = true
push = true
[pycalver.file_patterns]
"""
DEFAULT_TOML_PYCALVER_STR = """
"pycalver.toml" = [
'current_version = "{{version}}"',
]
"""
DEFAULT_TOML_PYPROJECT_STR = """
"pyproject.toml" = [
'current_version = "{{version}}"',
]
"""
DEFAULT_TOML_SETUP_PY_STR = """
"setup.py" = [
"{version}",
"{pep440_version}",
]
"""
DEFAULT_TOML_README_RST_STR = """
"README.rst" = [
"{version}",
"{pep440_version}",
]
2018-11-11 15:08:46 +01:00
"""
DEFAULT_TOML_README_MD_STR = """
"README.md" = [
"{version}",
"{pep440_version}",
]
2018-11-11 15:08:46 +01:00
"""
2018-09-03 22:23:51 +02:00
def default_config(ctx: ProjectContext) -> str:
"""Generate initial default config."""
if ctx.config_format == 'cfg':
base_str = DEFAULT_CONFIGPARSER_BASE_STR
default_pattern_strs_by_filename = {
"setup.cfg" : DEFAULT_CONFIGPARSER_SETUP_CFG_STR,
"setup.py" : DEFAULT_CONFIGPARSER_SETUP_PY_STR,
"README.rst": DEFAULT_CONFIGPARSER_README_RST_STR,
"README.md" : DEFAULT_CONFIGPARSER_README_MD_STR,
}
elif ctx.config_format == 'toml':
base_str = DEFAULT_TOML_BASE_STR
default_pattern_strs_by_filename = {
"pyproject.toml": DEFAULT_TOML_PYPROJECT_STR,
"pycalver.toml" : DEFAULT_TOML_PYCALVER_STR,
"setup.py" : DEFAULT_TOML_SETUP_PY_STR,
"README.rst" : DEFAULT_TOML_README_RST_STR,
"README.md" : DEFAULT_TOML_README_MD_STR,
}
else:
raise ValueError(f"Invalid fmt='{fmt}', must be either 'toml' or 'cfg'.")
2018-09-02 21:48:12 +02:00
initial_version = dt.datetime.now().strftime("v%Y%m.0001-dev")
cfg_str = base_str.format(initial_version=initial_version)
2018-11-11 15:08:46 +01:00
for filename, default_str in default_pattern_strs_by_filename.items():
if (ctx.path / filename).exists():
cfg_str += default_str
2018-09-02 21:48:12 +02:00
has_config_file = (
(ctx.path / "setup.cfg").exists() or
(ctx.path / "pyproject.toml").exists() or
(ctx.path / "pycalver.toml").exists()
)
2018-09-02 21:48:12 +02:00
if not has_config_file:
if ctx.config_format == 'cfg':
cfg_str += DEFAULT_CONFIGPARSER_SETUP_CFG_STR
if ctx.config_format == 'toml':
cfg_str += DEFAULT_TOML_PYCALVER_STR
2018-09-02 21:48:12 +02:00
cfg_str += "\n"
2018-11-11 15:08:46 +01:00
return cfg_str
2018-09-02 21:48:12 +02:00
def write_content(cfg: Config) -> None:
cfg_content = "\n" + "\n".join(cfg_lines)
if os.path.exists("pyproject.toml"):
with io.open("pyproject.toml", mode="at", encoding="utf-8") as fh:
fh.write(cfg_content)
print("Updated pyproject.toml")
elif os.path.exists("setup.cfg"):
with io.open("setup.cfg", mode="at", encoding="utf-8") as fh:
fh.write(cfg_content)
print("Updated setup.cfg")
else:
cfg_content = "\n".join(cfg_lines)
with io.open("pycalver.toml", mode="at", encoding="utf-8") as fh:
fh.write(cfg_content)
print("Created pycalver.toml")