list_issues.py 6.8 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217
  1. #!/usr/bin/env python3
  2. #
  3. # Copyright (c) 2019 Intel Corporation
  4. #
  5. # SPDX-License-Identifier: Apache-2.0
  6. # Lists all closes issues since a given date
  7. import argparse
  8. import sys
  9. import os
  10. import re
  11. import time
  12. import threading
  13. import requests
  14. args = None
  15. class Spinner:
  16. busy = False
  17. delay = 0.1
  18. @staticmethod
  19. def spinning_cursor():
  20. while 1:
  21. for cursor in '|/-\\':
  22. yield cursor
  23. def __init__(self, delay=None):
  24. self.spinner_generator = self.spinning_cursor()
  25. if delay and float(delay):
  26. self.delay = delay
  27. def spinner_task(self):
  28. while self.busy:
  29. sys.stdout.write(next(self.spinner_generator))
  30. sys.stdout.flush()
  31. time.sleep(self.delay)
  32. sys.stdout.write('\b')
  33. sys.stdout.flush()
  34. def __enter__(self):
  35. self.busy = True
  36. threading.Thread(target=self.spinner_task).start()
  37. def __exit__(self, exception, value, tb):
  38. self.busy = False
  39. time.sleep(self.delay)
  40. if exception is not None:
  41. return False
  42. class Issues:
  43. def __init__(self, org, repo, token):
  44. self.repo = repo
  45. self.org = org
  46. self.issues_url = "https://github.com/%s/%s/issues" % (
  47. self.org, self.repo)
  48. self.github_url = 'https://api.github.com/repos/%s/%s' % (
  49. self.org, self.repo)
  50. self.api_token = token
  51. self.headers = {}
  52. self.headers['Authorization'] = 'token %s' % self.api_token
  53. self.headers['Accept'] = 'application/vnd.github.golden-comet-preview+json'
  54. self.items = []
  55. def get_pull(self, pull_nr):
  56. url = ("%s/pulls/%s" % (self.github_url, pull_nr))
  57. response = requests.get("%s" % (url), headers=self.headers)
  58. if response.status_code != 200:
  59. raise RuntimeError(
  60. "Failed to get issue due to unexpected HTTP status code: {}".format(
  61. response.status_code)
  62. )
  63. item = response.json()
  64. return item
  65. def get_issue(self, issue_nr):
  66. url = ("%s/issues/%s" % (self.github_url, issue_nr))
  67. response = requests.get("%s" % (url), headers=self.headers)
  68. if response.status_code != 200:
  69. return None
  70. item = response.json()
  71. return item
  72. def list_issues(self, url):
  73. response = requests.get("%s" % (url), headers=self.headers)
  74. if response.status_code != 200:
  75. raise RuntimeError(
  76. "Failed to get issue due to unexpected HTTP status code: {}".format(
  77. response.status_code)
  78. )
  79. self.items = self.items + response.json()
  80. try:
  81. print("Getting more items...")
  82. next_issues = response.links["next"]
  83. if next_issues:
  84. next_url = next_issues['url']
  85. self.list_issues(next_url)
  86. except KeyError:
  87. pass
  88. def issues_since(self, date, state="closed"):
  89. self.list_issues("%s/issues?state=%s&since=%s" %
  90. (self.github_url, state, date))
  91. def pull_requests(self, base='v1.14-branch', state='closed'):
  92. self.list_issues("%s/pulls?state=%s&base=%s" %
  93. (self.github_url, state, base))
  94. def parse_args():
  95. global args
  96. parser = argparse.ArgumentParser(
  97. description=__doc__,
  98. formatter_class=argparse.RawDescriptionHelpFormatter)
  99. parser.add_argument("-o", "--org", default="zephyrproject-rtos",
  100. help="Github organisation")
  101. parser.add_argument("-r", "--repo", default="zephyr",
  102. help="Github repository")
  103. parser.add_argument("-f", "--file", required=True,
  104. help="Name of output file.")
  105. parser.add_argument("-s", "--issues-since",
  106. help="""List issues since date where date
  107. is in the format 2019-09-01.""")
  108. parser.add_argument("-b", "--issues-in-pulls",
  109. help="List issues in pulls for a given branch")
  110. parser.add_argument("-c", "--commits-file",
  111. help="""File with all commits (git log a..b) to
  112. be parsed for fixed bugs.""")
  113. args = parser.parse_args()
  114. def main():
  115. parse_args()
  116. token = os.environ.get('GH_TOKEN', None)
  117. if not token:
  118. sys.exit("""Github token not set in environment,
  119. set the env. variable GH_TOKEN please and retry.""")
  120. i = Issues(args.org, args.repo, token)
  121. if args.issues_since:
  122. i.issues_since(args.issues_since)
  123. count = 0
  124. with open(args.file, "w") as f:
  125. for issue in i.items:
  126. if 'pull_request' not in issue:
  127. # * :github:`8193` - STM32 config BUILD_OUTPUT_HEX fail
  128. f.write("* :github:`{}` - {}\n".format(
  129. issue['number'], issue['title']))
  130. count = count + 1
  131. elif args.issues_in_pulls:
  132. i.pull_requests(base=args.issues_in_pulls)
  133. count = 0
  134. bugs = set()
  135. backports = []
  136. for issue in i.items:
  137. if not isinstance(issue['body'], str):
  138. continue
  139. match = re.findall(r"(Fixes|Closes|Fixed|close):? #([0-9]+)",
  140. issue['body'], re.MULTILINE)
  141. if match:
  142. for mm in match:
  143. bugs.add(mm[1])
  144. else:
  145. match = re.findall(
  146. r"Backport #([0-9]+)", issue['body'], re.MULTILINE)
  147. if match:
  148. backports.append(match[0])
  149. # follow PRs to their origin (backports)
  150. with Spinner():
  151. for p in backports:
  152. item = i.get_pull(p)
  153. match = re.findall(r"(Fixes|Closes|Fixed|close):? #([0-9]+)",
  154. item['body'], re.MULTILINE)
  155. for mm in match:
  156. bugs.add(mm[1])
  157. # now open commits
  158. if args.commits_file:
  159. print("Open commits file and parse for fixed bugs...")
  160. with open(args.commits_file, "r") as commits:
  161. content = commits.read()
  162. match = re.findall(r"(Fixes|Closes|Fixed|close):? #([0-9]+)",
  163. str(content), re.MULTILINE)
  164. for mm in match:
  165. bugs.add(mm[1])
  166. print("Create output file...")
  167. with Spinner():
  168. with open(args.file, "w") as f:
  169. for m in sorted(bugs):
  170. item = i.get_issue(m)
  171. if item:
  172. # * :github:`8193` - STM32 config BUILD_OUTPUT_HEX fail
  173. f.write("* :github:`{}` - {}\n".format(
  174. item['number'], item['title']))
  175. if __name__ == '__main__':
  176. main()