1 from __future__
import annotations
3 # Allow direct execution
7 sys
.path
.insert(0, os
.path
.dirname(os
.path
.dirname(os
.path
.abspath(__file__
))))
14 from collections
import defaultdict
15 from dataclasses
import dataclass
16 from functools
import lru_cache
17 from pathlib
import Path
19 from devscripts
.utils
import read_file
, run_process
, write_file
21 BASE_URL
= 'https://github.com'
22 LOCATION_PATH
= Path(__file__
).parent
25 logger
= logging
.getLogger(__name__
)
28 class CommitGroup(enum
.Enum
):
29 PRIORITY
= 'Important'
31 EXTRACTOR
= 'Extractor'
32 DOWNLOADER
= 'Downloader'
33 POSTPROCESSOR
= 'Postprocessor'
34 NETWORKING
= 'Networking'
39 def subgroup_lookup(cls
):
60 def group_lookup(cls
):
64 'pp': cls
.POSTPROCESSOR
,
67 result
.update({item
.name
.lower(): item
for item
in iter(cls
)})
71 def get(cls
, value
: str) -> tuple[CommitGroup |
None, str |
None]:
72 group
, _
, subgroup
= (group
.strip().lower() for group
in value
.partition('/'))
74 result
= cls
.group_lookup().get(group
)
79 result
= cls
.subgroup_lookup().get(subgroup
)
81 return result
, subgroup
or None
91 result
= f
'{self.short!r}'
94 result
+= f
' ({self.hash[:HASH_LENGTH]})'
97 authors
= ', '.join(self
.authors
)
98 result
+= f
' by {authors}'
106 sub_details
: tuple[str, ...]
113 return ((self
.details
or '').lower(), self
.sub_details
, self
.message
)
117 return sorted({item
.strip().lower(): item
for item
in items
if item
}.values())
121 MISC_RE
= re
.compile(r
'(?:^|\b)(?:lint(?:ing)?|misc|format(?:ting)?|fixes)(?:\b|$)', re
.IGNORECASE
)
122 ALWAYS_SHOWN
= (CommitGroup
.PRIORITY
,)
124 def __init__(self
, groups
, repo
, collapsible
=False):
125 self
._groups
= groups
127 self
._collapsible
= collapsible
130 return '\n'.join(self
._format
_groups
(self
._groups
)).replace('\t', ' ')
132 def _format_groups(self
, groups
):
134 for item
in CommitGroup
:
135 if self
._collapsible
and item
not in self
.ALWAYS_SHOWN
and first
:
137 yield '\n<details><summary><h3>Changelog</h3></summary>\n'
141 yield self
.format_module(item
.value
, group
)
143 if self
._collapsible
:
146 def format_module(self
, name
, group
):
147 result
= f
'\n#### {name} changes\n' if name
else '\n'
148 return result
+ '\n'.join(self
._format
_group
(group
))
150 def _format_group(self
, group
):
151 sorted_group
= sorted(group
, key
=CommitInfo
.key
)
152 detail_groups
= itertools
.groupby(sorted_group
, lambda item
: (item
.details
or '').lower())
153 for _
, items
in detail_groups
:
155 details
= items
[0].details
157 if details
== 'cleanup':
158 items
= self
._prepare
_cleanup
_misc
_items
(items
)
163 prefix
= f
'- **{details}**:'
165 yield f
'- **{details}**'
168 sub_detail_groups
= itertools
.groupby(items
, lambda item
: tuple(map(str.lower
, item
.sub_details
)))
169 for sub_details
, entries
in sub_detail_groups
:
171 for entry
in entries
:
172 yield f
'{prefix} {self.format_single_change(entry)}'
175 entries
= list(entries
)
176 sub_prefix
= f
'{prefix} {", ".join(entries[0].sub_details)}'
177 if len(entries
) == 1:
178 yield f
'{sub_prefix}: {self.format_single_change(entries[0])}'
182 for entry
in entries
:
183 yield f
'\t{prefix} {self.format_single_change(entry)}'
185 def _prepare_cleanup_misc_items(self
, items
):
186 cleanup_misc_items
= defaultdict(list)
189 if self
.MISC_RE
.search(item
.message
):
190 cleanup_misc_items
[tuple(item
.commit
.authors
)].append(item
)
192 sorted_items
.append(item
)
194 for commit_infos
in cleanup_misc_items
.values():
195 sorted_items
.append(CommitInfo(
196 'cleanup', ('Miscellaneous',), ', '.join(
197 self
._format
_message
_link
(None, info
.commit
.hash)
198 for info
in sorted(commit_infos
, key
=lambda item
: item
.commit
.hash or '')),
199 [], Commit(None, '', commit_infos
[0].commit
.authors
), []))
203 def format_single_change(self
, info
: CommitInfo
):
204 message
, sep
, rest
= info
.message
.partition('\n')
205 if '[' not in message
:
206 # If the message doesn't already contain markdown links, try to add a link to the commit
207 message
= self
._format
_message
_link
(message
, info
.commit
.hash)
210 message
= f
'{message} ({self._format_issues(info.issues)})'
212 if info
.commit
.authors
:
213 message
= f
'{message} by {self._format_authors(info.commit.authors)}'
216 fix_message
= ', '.join(f
'{self._format_message_link(None, fix.hash)}' for fix
in info
.fixes
)
218 authors
= sorted({author
for fix
in info
.fixes
for author
in fix
.authors
}, key
=str.casefold
)
219 if authors
!= info
.commit
.authors
:
220 fix_message
= f
'{fix_message} by {self._format_authors(authors)}'
222 message
= f
'{message} (With fixes in {fix_message})'
224 return message
if not sep
else f
'{message}{sep}{rest}'
226 def _format_message_link(self
, message
, commit_hash
):
227 assert message
or commit_hash
, 'Improperly defined commit message or override'
228 message
= message
if message
else commit_hash
[:HASH_LENGTH
]
229 return f
'[{message}]({self.repo_url}/commit/{commit_hash})' if commit_hash
else message
231 def _format_issues(self
, issues
):
232 return ', '.join(f
'[#{issue}]({self.repo_url}/issues/{issue})' for issue
in issues
)
235 def _format_authors(authors
):
236 return ', '.join(f
'[{author}]({BASE_URL}/{author})' for author
in authors
)
240 return f
'{BASE_URL}/{self._repo}'
245 COMMIT_SEPARATOR
= '-----'
247 AUTHOR_INDICATOR_RE
= re
.compile(r
'Authored by:? ', re
.IGNORECASE
)
248 MESSAGE_RE
= re
.compile(r
'''
249 (?:\[(?P<prefix>[^\]]+)\]\ )?
250 (?:(?P<sub_details>`?[\w.-]+`?): )?
252 (?:\ \((?P<issues>\#\d+(?:,\ \#\d+)*)\))?
253 ''', re
.VERBOSE | re
.DOTALL
)
254 EXTRACTOR_INDICATOR_RE
= re
.compile(r
'(?:Fix|Add)\s+Extractors?', re
.IGNORECASE
)
255 REVERT_RE
= re
.compile(r
'(?:\[[^\]]+\]\s+)?(?i:Revert)\s+([\da-f]{40})')
256 FIXES_RE
= re
.compile(r
'(?i:Fix(?:es)?(?:\s+bugs?)?(?:\s+in|\s+for)?|Revert|Improve)\s+([\da-f]{40})')
257 UPSTREAM_MERGE_RE
= re
.compile(r
'Update to ytdl-commit-([\da-f]+)')
259 def __init__(self
, start
, end
, default_author
=None):
260 self
._start
, self
._end
= start
, end
261 self
._commits
, self
._fixes
= self
._get
_commits
_and
_fixes
(default_author
)
262 self
._commits
_added
= []
265 return iter(itertools
.chain(self
._commits
.values(), self
._commits
_added
))
268 return len(self
._commits
) + len(self
._commits
_added
)
270 def __contains__(self
, commit
):
271 if isinstance(commit
, Commit
):
276 return commit
in self
._commits
278 def _get_commits_and_fixes(self
, default_author
):
279 result
= run_process(
280 self
.COMMAND
, 'log', f
'--format=%H%n%s%n%b%n{self.COMMIT_SEPARATOR}',
281 f
'{self._start}..{self._end}' if self
._start
else self
._end
).stdout
283 commits
, reverts
= {}, {}
284 fixes
= defaultdict(list)
285 lines
= iter(result
.splitlines(False))
286 for i
, commit_hash
in enumerate(lines
):
288 skip
= short
.startswith('Release ') or short
== '[version] update'
290 authors
= [default_author
] if default_author
else []
291 for line
in iter(lambda: next(lines
), self
.COMMIT_SEPARATOR
):
292 match
= self
.AUTHOR_INDICATOR_RE
.match(line
)
294 authors
= sorted(map(str.strip
, line
[match
.end():].split(',')), key
=str.casefold
)
296 commit
= Commit(commit_hash
, short
, authors
)
297 if skip
and (self
._start
or not i
):
298 logger
.debug(f
'Skipped commit: {commit}')
301 logger
.debug(f
'Reached Release commit, breaking: {commit}')
304 revert_match
= self
.REVERT_RE
.fullmatch(commit
.short
)
306 reverts
[revert_match
.group(1)] = commit
309 fix_match
= self
.FIXES_RE
.search(commit
.short
)
311 commitish
= fix_match
.group(1)
312 fixes
[commitish
].append(commit
)
314 commits
[commit
.hash] = commit
316 for commitish
, revert_commit
in reverts
.items():
317 reverted
= commits
.pop(commitish
, None)
319 logger
.debug(f
'{commitish} fully reverted {reverted}')
321 commits
[revert_commit
.hash] = revert_commit
323 for commitish
, fix_commits
in fixes
.items():
324 if commitish
in commits
:
325 hashes
= ', '.join(commit
.hash[:HASH_LENGTH
] for commit
in fix_commits
)
326 logger
.info(f
'Found fix(es) for {commitish[:HASH_LENGTH]}: {hashes}')
327 for fix_commit
in fix_commits
:
328 del commits
[fix_commit
.hash]
330 logger
.debug(f
'Commit with fixes not in changes: {commitish[:HASH_LENGTH]}')
332 return commits
, fixes
334 def apply_overrides(self
, overrides
):
335 for override
in overrides
:
336 when
= override
.get('when')
337 if when
and when
not in self
and when
!= self
._start
:
338 logger
.debug(f
'Ignored {when!r} override')
341 override_hash
= override
.get('hash') or when
342 if override
['action'] == 'add':
343 commit
= Commit(override
.get('hash'), override
['short'], override
.get('authors') or [])
344 logger
.info(f
'ADD {commit}')
345 self
._commits
_added
.append(commit
)
347 elif override
['action'] == 'remove':
348 if override_hash
in self
._commits
:
349 logger
.info(f
'REMOVE {self._commits[override_hash]}')
350 del self
._commits
[override_hash
]
352 elif override
['action'] == 'change':
353 if override_hash
not in self
._commits
:
355 commit
= Commit(override_hash
, override
['short'], override
.get('authors') or [])
356 logger
.info(f
'CHANGE {self._commits[commit.hash]} -> {commit}')
357 self
._commits
[commit
.hash] = commit
359 self
._commits
= dict(reversed(self
._commits
.items()))
362 group_dict
= defaultdict(list)
364 upstream_re
= self
.UPSTREAM_MERGE_RE
.search(commit
.short
)
366 commit
.short
= f
'[upstream] Merged with youtube-dl {upstream_re.group(1)}'
368 match
= self
.MESSAGE_RE
.fullmatch(commit
.short
)
370 logger
.error(f
'Error parsing short commit message: {commit.short!r}')
373 prefix
, sub_details_alt
, message
, issues
= match
.groups()
374 issues
= [issue
.strip()[1:] for issue
in issues
.split(',')] if issues
else []
377 groups
, details
, sub_details
= zip(*map(self
.details_from_prefix
, prefix
.split(',')))
378 group
= next(iter(filter(None, groups
)), None)
379 details
= ', '.join(unique(details
))
380 sub_details
= list(itertools
.chain
.from_iterable(sub_details
))
382 group
= CommitGroup
.CORE
387 sub_details
.append(sub_details_alt
)
388 sub_details
= tuple(unique(sub_details
))
391 if self
.EXTRACTOR_INDICATOR_RE
.search(commit
.short
):
392 group
= CommitGroup
.EXTRACTOR
393 logger
.error(f
'Assuming [ie] group for {commit.short!r}')
395 group
= CommitGroup
.CORE
397 commit_info
= CommitInfo(
398 details
, sub_details
, message
.strip(),
399 issues
, commit
, self
._fixes
[commit
.hash])
401 logger
.debug(f
'Resolved {commit.short!r} to {commit_info!r}')
402 group_dict
[group
].append(commit_info
)
407 def details_from_prefix(prefix
):
409 return CommitGroup
.CORE
, None, ()
411 prefix
, *sub_details
= prefix
.split(':')
413 group
, details
= CommitGroup
.get(prefix
)
414 if group
is CommitGroup
.PRIORITY
and details
:
415 details
= details
.partition('/')[2].strip()
417 if details
and '/' in details
:
418 logger
.error(f
'Prefix is overnested, using first part: {prefix}')
419 details
= details
.partition('/')[0].strip()
421 if details
== 'common':
423 elif group
is CommitGroup
.NETWORKING
and details
== 'rh':
424 details
= 'Request Handler'
426 return group
, details
, sub_details
429 def get_new_contributors(contributors_path
, commits
):
431 if contributors_path
.exists():
432 for line
in read_file(contributors_path
).splitlines():
433 author
, _
, _
= line
.strip().partition(' (')
434 authors
= author
.split('/')
435 contributors
.update(map(str.casefold
, authors
))
437 new_contributors
= set()
438 for commit
in commits
:
439 for author
in commit
.authors
:
440 author_folded
= author
.casefold()
441 if author_folded
not in contributors
:
442 contributors
.add(author_folded
)
443 new_contributors
.add(author
)
445 return sorted(new_contributors
, key
=str.casefold
)
448 def create_changelog(args
):
450 datefmt
='%Y-%m-%d %H-%M-%S', format
='{asctime} | {levelname:<8} | {message}',
451 level
=logging
.WARNING
- 10 * args
.verbosity
, style
='{', stream
=sys
.stderr
)
453 commits
= CommitRange(None, args
.commitish
, args
.default_author
)
455 if not args
.no_override
:
456 if args
.override_path
.exists():
457 overrides
= json
.loads(read_file(args
.override_path
))
458 commits
.apply_overrides(overrides
)
460 logger
.warning(f
'File {args.override_path.as_posix()} does not exist')
462 logger
.info(f
'Loaded {len(commits)} commits')
464 new_contributors
= get_new_contributors(args
.contributors_path
, commits
)
466 if args
.contributors
:
467 write_file(args
.contributors_path
, '\n'.join(new_contributors
) + '\n', mode
='a')
468 logger
.info(f
'New contributors: {", ".join(new_contributors)}')
470 return Changelog(commits
.groups(), args
.repo
, args
.collapsible
)
476 parser
= argparse
.ArgumentParser(
477 description
='Create a changelog markdown from a git commit range')
479 'commitish', default
='HEAD', nargs
='?',
480 help='The commitish to create the range from (default: %(default)s)')
482 '-v', '--verbosity', action
='count', default
=0,
483 help='increase verbosity (can be used twice)')
485 '-c', '--contributors', action
='store_true',
486 help='update CONTRIBUTORS file (default: %(default)s)')
488 '--contributors-path', type=Path
, default
=LOCATION_PATH
.parent
/ 'CONTRIBUTORS',
489 help='path to the CONTRIBUTORS file')
491 '--no-override', action
='store_true',
492 help='skip override json in commit generation (default: %(default)s)')
494 '--override-path', type=Path
, default
=LOCATION_PATH
/ 'changelog_override.json',
495 help='path to the changelog_override.json file')
497 '--default-author', default
='pukkandan',
498 help='the author to use without a author indicator (default: %(default)s)')
500 '--repo', default
='yt-dlp/yt-dlp',
501 help='the github repository to use for the operations (default: %(default)s)')
503 '--collapsible', action
='store_true',
504 help='make changelog collapsible (default: %(default)s)')
509 if __name__
== '__main__':
510 print(create_changelog(create_parser().parse_args()))