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
|
#!/usr/bin/env python
# --------------------------------------------------------------------------------------------
# Copyright (c) Microsoft Corporation. All rights reserved.
# Licensed under the MIT License. See License.txt in the project root for license information.
# --------------------------------------------------------------------------------------------
#
# This script is used to generate history notes for the commits on dev branch since last release.
# The history notes are generated based on the title/description of the Pull Requests for the commits.
# Make sure you have added the remote repository as upstream and fetched the latest code, i.e. you
# have done:
# git remote add upstream git@github.com:Azure/azure-cli.git
# git fetch upstream
import fileinput
import json
import os
import re
import subprocess
import requests
from requests.auth import HTTPBasicAuth
base_url = 'https://api.github.com/repos/azure/azure-cli'
commit_pr_url = '{}/commits/commit_id/pulls'.format(base_url)
history_line_breaker = '==============='
# A dict of {component name:list of notes} pairs
history_notes = {}
# key is lower case and removed spaces of a component
# value is the recommended format of a component
customized_dict = {
"privatedns": "Private DNS",
"appconfig": "App Config",
}
# This dict will be filled with all historical components.
# key is lower case and removed spaces of a component
# value is the recommended format of a component, when there're multiple formats,
# the one with spaces will be picked, i.e. pick 'Key Vault' over 'KeyVault'.
# If the key also exists in customized_dict, the value will be overwritten with customized_dict[key].
component_dict = {}
def get_component_dict():
with open('src/azure-cli/HISTORY.rst', 'r', encoding="utf-8") as history_file:
for line in history_file:
result = re.search(r'^\*\*(.*)\*\*$', line)
if result is not None:
comp = result.group(1)
key = comp.lower().replace(' ', '')
if key in customized_dict:
component_dict[key] = customized_dict[key]
elif key in component_dict:
if ' ' not in component_dict[key] and ' ' in comp:
component_dict[key] = comp
else:
component_dict[key] = comp
print('Component name mappings:')
print(component_dict)
def generate_history_notes():
get_component_dict()
dev_commits = get_commits()
print("Get PRs for {} commits.".format(len(dev_commits)))
for commit in dev_commits:
print("{} {}".format(commit['sha'], commit['subject']))
prs = get_prs_for_commit(commit['sha'])
# parse PR if one commit is mapped to one PR
if len(prs) == 1:
process_pr(prs[0])
else:
process_commit(commit)
cli_history = ''
core_history = ''
for component in sorted(history_notes, key=str.casefold):
if component.casefold() == 'core':
core_history += construct_core_history(component)
else:
cli_history += construct_cli_history(component)
if core_history == '':
core_history = '* Minor fixes\n'
else:
core_history = core_history[:-1] # remove last \n
print("azure-cli history notes:")
print(cli_history)
print("azure-cli-core history notes:")
print(core_history)
cli_history = cli_history[:-1] # remove last \n
with fileinput.FileInput('src/azure-cli/HISTORY.rst',
inplace=True) as file:
modify_history_file(file, cli_history)
with fileinput.FileInput('src/azure-cli-core/HISTORY.rst',
inplace=True) as file:
modify_history_file(file, core_history)
def modify_history_file(file: fileinput.FileInput, new_history: str):
write = True
for line in file:
if line == '{}\n'.format(history_line_breaker):
print(line.replace(
history_line_breaker,
'{}\n\n{}'.format(history_line_breaker, new_history)),
end='')
write = False
else:
# remove any history notes written above previous release version
# make the generation of history notes idempotent
if re.match(r'^[0-9]+\.[0-9]+\.[0-9]+$', line):
write = True
if write:
print(line, end='')
def construct_cli_history(component: str):
history = ['**{}**\n'.format(component)]
non_breaking_change_notes = []
for note in history_notes[component]:
if 'BREAKING CHANGE' in note.upper():
history.append('* {}'.format(note))
else:
non_breaking_change_notes.append(note)
for note in non_breaking_change_notes:
history.append('* {}'.format(note))
history.append('\n')
return '\n'.join(history)
def construct_core_history(component: str):
history = []
for note in history_notes[component]:
history.append('* {}'.format(note))
history.append('\n')
return '\n'.join(history)
def get_commits():
last_release = 'azure-cli-{}'.format(os.getenv('PRE_VERSION')) if os.getenv('PRE_VERSION') else 'upstream/release'
out = subprocess.Popen([
'git', 'log', '{}..upstream/dev'.format(last_release),
'--pretty=format:"%H %s"'
],
stdout=subprocess.PIPE,
stderr=subprocess.STDOUT)
stdout, _ = out.communicate()
output = stdout.decode()
if out.returncode != 0:
raise Exception(output)
dev_commits = []
for line in output.splitlines():
words = line.strip('"').split(None, 1)
sha = words[0]
subject = words[1]
dev_commits.append({'sha': sha, 'subject': subject})
dev_commits.reverse()
return dev_commits
def get_prs_for_commit(commit: str):
headers = {'Accept': 'application/vnd.github.groot-preview+json'}
url = commit_pr_url.replace('commit_id', commit)
response = requests.get(url, headers=headers, auth=HTTPBasicAuth('anything', os.environ.get('PAT_TOKEN')))
if response.status_code != 200:
raise Exception("Request to {} failed with {}".format(
url, response.status_code))
prs = json.loads(response.content.decode('utf-8'))
return prs
def process_pr(pr):
lines = [pr['title']]
body = pr['body'] or ''
content = ''
search_result = re.search(r'\*\*History Notes\*\*(.*)---',
body,
flags=re.DOTALL)
if search_result is None:
search_result = re.search(r'\*\*History Notes\*\*(.*)',
body,
flags=re.DOTALL)
if search_result is not None:
content = search_result.group(1)
else:
content = search_result.group(1)
if content:
lines.extend(content.splitlines())
process_lines(lines, pr['number'])
def process_commit(commit):
lines = commit['subject'].splitlines()
process_lines(lines)
def process_lines(lines: [str], pr_num: str = None):
# do not put note of hotfix here since it's for last release
if re.search('hotfix', lines[0], re.IGNORECASE):
return
note_in_desc = False
for desc in lines[1:]:
component, note = parse_message(desc, pr_num)
if component is not None:
note_in_desc = True
component = process_component(component)
history_notes.setdefault(component, []).append(note)
# if description has no history notes, parse PR title/commit message
# otherwise should skip PR title/commit message
if not note_in_desc:
component, note = parse_message(lines[0], pr_num)
if component is not None:
component = process_component(component)
history_notes.setdefault(component, []).append(note)
def process_component(component):
key = component.lower().replace(' ', '')
if key in component_dict:
if ' ' not in component_dict[key] and ' ' in component:
component_dict[key] = component
else:
component = component_dict[key]
return component
def parse_message(message: str, pr_num: str = None) -> (str, str):
# do not include template
if message.startswith('[Component Name'):
return None, None
m = re.search(r'^\[(.+?)\](.+)$', message)
if m is not None:
component = m.group(1)
note = m.group(2).strip()
if not pr_number_appended(note) and pr_num:
note = '{} (#{})'.format(note, pr_num)
note = re.sub('BREAKING CHANGE:',
'[BREAKING CHANGE]',
note,
flags=re.IGNORECASE)
note = re.sub(r"^'(az .*?)':", r"`\1`:", note)
note = re.sub(r"^(az .*?):", r"`\1`:", note)
if not note.startswith('az') and not ':' in note:
note = note[0].capitalize() + note[1:]
if note.endswith('.'):
note = note[:-1]
return component, note
return None, None
def pr_number_appended(line):
m = re.search(r' \(#[0-9]+\)$', line)
return m is not None
if __name__ == "__main__":
generate_history_notes()
|