2018-09-02 21:48:12 +02:00
|
|
|
# This file is part of the pycalver project
|
2020-09-06 20:20:36 +00:00
|
|
|
# https://github.com/mbarkhau/pycalver
|
2018-09-02 21:48:12 +02:00
|
|
|
#
|
2020-09-06 20:20:36 +00:00
|
|
|
# Copyright (c) 2018-2020 Manuel Barkhau (mbarkhau@gmail.com) - MIT License
|
2018-09-02 21:48:12 +02:00
|
|
|
# SPDX-License-Identifier: MIT
|
2018-12-09 14:49:13 +01:00
|
|
|
"""Parse PyCalVer strings from files."""
|
2018-09-02 21:48:12 +02:00
|
|
|
|
|
|
|
|
import typing as typ
|
|
|
|
|
|
2020-09-08 20:59:52 +00:00
|
|
|
import pycalver.patterns as v1patterns
|
2018-09-03 09:19:27 +02:00
|
|
|
|
2018-09-02 21:48:12 +02:00
|
|
|
|
|
|
|
|
class PatternMatch(typ.NamedTuple):
|
2018-11-15 22:16:16 +01:00
|
|
|
"""Container to mark a version string in a file."""
|
2018-09-02 21:48:12 +02:00
|
|
|
|
2018-11-06 21:45:33 +01:00
|
|
|
lineno : int # zero based
|
|
|
|
|
line : str
|
2020-09-08 20:59:52 +00:00
|
|
|
pattern: v1patterns.Pattern
|
2018-11-06 21:45:33 +01:00
|
|
|
span : typ.Tuple[int, int]
|
|
|
|
|
match : str
|
2018-09-02 21:48:12 +02:00
|
|
|
|
2018-12-05 09:38:27 +01:00
|
|
|
|
|
|
|
|
PatternMatches = typ.Iterable[PatternMatch]
|
|
|
|
|
|
2018-12-20 15:28:11 +01:00
|
|
|
|
2020-09-08 20:59:52 +00:00
|
|
|
def _iter_for_pattern(lines: typ.List[str], pattern: v1patterns.Pattern) -> PatternMatches:
|
2018-12-05 09:38:27 +01:00
|
|
|
for lineno, line in enumerate(lines):
|
2020-09-08 20:59:52 +00:00
|
|
|
match = pattern.regexp.search(line)
|
2018-12-05 09:38:27 +01:00
|
|
|
if match:
|
|
|
|
|
yield PatternMatch(lineno, line, pattern, match.span(), match.group(0))
|
|
|
|
|
|
|
|
|
|
|
2020-09-08 20:59:52 +00:00
|
|
|
def iter_matches(lines: typ.List[str], patterns: typ.List[v1patterns.Pattern]) -> PatternMatches:
|
2018-12-05 09:38:27 +01:00
|
|
|
"""Iterate over all matches of any pattern on any line.
|
|
|
|
|
|
2020-09-08 20:59:52 +00:00
|
|
|
>>> import pycalver.patterns as v1patterns
|
2018-12-05 09:38:27 +01:00
|
|
|
>>> lines = ["__version__ = 'v201712.0002-alpha'"]
|
2019-01-06 14:38:20 +01:00
|
|
|
>>> patterns = ["{pycalver}", "{pep440_pycalver}"]
|
2020-09-08 20:59:52 +00:00
|
|
|
>>> patterns = [v1patterns.compile_pattern(p) for p in patterns]
|
2018-12-05 09:38:27 +01:00
|
|
|
>>> matches = list(iter_matches(lines, patterns))
|
|
|
|
|
>>> assert matches[0] == PatternMatch(
|
|
|
|
|
... lineno = 0,
|
|
|
|
|
... line = "__version__ = 'v201712.0002-alpha'",
|
2020-09-08 20:59:52 +00:00
|
|
|
... pattern= v1patterns.compile_pattern("{pycalver}"),
|
2018-12-05 09:38:27 +01:00
|
|
|
... span = (15, 33),
|
|
|
|
|
... match = "v201712.0002-alpha",
|
|
|
|
|
... )
|
|
|
|
|
"""
|
|
|
|
|
for pattern in patterns:
|
|
|
|
|
for match in _iter_for_pattern(lines, pattern):
|
|
|
|
|
yield match
|