doc_status.py 13 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431
  1. #!/usr/bin/python3
  2. import sys
  3. import re
  4. import math
  5. import platform
  6. import xml.etree.ElementTree as ET
  7. ################################################################################
  8. # Config #
  9. ################################################################################
  10. flags = {
  11. 'c': platform.platform() != 'Windows', # Disable by default on windows, since we use ANSI escape codes
  12. 'b': False,
  13. 'g': False,
  14. 's': False,
  15. 'u': False,
  16. 'h': False,
  17. 'p': False,
  18. 'o': True,
  19. 'i': False,
  20. }
  21. flag_descriptions = {
  22. 'c': 'Toggle colors when outputting.',
  23. 'b': 'Toggle showing only not fully described classes.',
  24. 'g': 'Toggle showing only completed classes.',
  25. 's': 'Toggle showing comments about the status.',
  26. 'u': 'Toggle URLs to docs.',
  27. 'h': 'Show help and exit.',
  28. 'p': 'Toggle showing percentage as well as counts.',
  29. 'o': 'Toggle overall column.',
  30. 'i': 'Toggle collapse of class items columns.',
  31. }
  32. long_flags = {
  33. 'colors': 'c',
  34. 'use-colors': 'c',
  35. 'bad': 'b',
  36. 'only-bad': 'b',
  37. 'good': 'g',
  38. 'only-good': 'g',
  39. 'comments': 's',
  40. 'status': 's',
  41. 'urls': 'u',
  42. 'gen-url': 'u',
  43. 'help': 'h',
  44. 'percent': 'p',
  45. 'use-percentages': 'p',
  46. 'overall': 'o',
  47. 'use-overall': 'o',
  48. 'items': 'i',
  49. 'collapse': 'i',
  50. }
  51. table_columns = ['name', 'brief_description', 'description', 'methods', 'constants', 'members', 'signals']
  52. table_column_names = ['Name', 'Brief Desc.', 'Desc.', 'Methods', 'Constants', 'Members', 'Signals']
  53. colors = {
  54. 'name': [36], # cyan
  55. 'part_big_problem': [4, 31], # underline, red
  56. 'part_problem': [31], # red
  57. 'part_mostly_good': [33], # yellow
  58. 'part_good': [32], # green
  59. 'url': [4, 34], # underline, blue
  60. 'section': [1, 4], # bold, underline
  61. 'state_off': [36], # cyan
  62. 'state_on': [1, 35], # bold, magenta/plum
  63. }
  64. overall_progress_description_weigth = 10
  65. ################################################################################
  66. # Utils #
  67. ################################################################################
  68. def validate_tag(elem, tag):
  69. if elem.tag != tag:
  70. print('Tag mismatch, expected "' + tag + '", got ' + elem.tag)
  71. sys.exit(255)
  72. def color(color, string):
  73. if flags['c']:
  74. color_format = ''
  75. for code in colors[color]:
  76. color_format += '\033[' + str(code) + 'm'
  77. return color_format + string + '\033[0m'
  78. else:
  79. return string
  80. ansi_escape = re.compile(r'\x1b[^m]*m')
  81. def nonescape_len(s):
  82. return len(ansi_escape.sub('', s))
  83. ################################################################################
  84. # Classes #
  85. ################################################################################
  86. class ClassStatusProgress:
  87. def __init__(self, described = 0, total = 0):
  88. self.described = described
  89. self.total = total
  90. def __add__(self, other):
  91. return ClassStatusProgress(self.described + other.described, self.total + other.total)
  92. def increment(self, described):
  93. if described:
  94. self.described += 1
  95. self.total += 1
  96. def is_ok(self):
  97. return self.described >= self.total
  98. def to_configured_colored_string(self):
  99. if flags['p']:
  100. return self.to_colored_string('{percent}% ({has}/{total})', '{pad_percent}{pad_described}{s}{pad_total}')
  101. else:
  102. return self.to_colored_string()
  103. def to_colored_string(self, format='{has}/{total}', pad_format='{pad_described}{s}{pad_total}'):
  104. ratio = self.described/self.total if self.total != 0 else 1
  105. percent = round(100*ratio)
  106. s = format.format(has = str(self.described), total = str(self.total), percent = str(percent))
  107. if self.described >= self.total:
  108. s = color('part_good', s)
  109. elif self.described >= self.total/4*3:
  110. s = color('part_mostly_good', s)
  111. elif self.described > 0:
  112. s = color('part_problem', s)
  113. else:
  114. s = color('part_big_problem', s)
  115. pad_size = max(len(str(self.described)), len(str(self.total)))
  116. pad_described = ''.ljust(pad_size - len(str(self.described)))
  117. pad_percent = ''.ljust(3 - len(str(percent)))
  118. pad_total = ''.ljust(pad_size - len(str(self.total)))
  119. return pad_format.format(pad_described = pad_described, pad_total = pad_total, pad_percent = pad_percent, s = s)
  120. class ClassStatus:
  121. def __init__(self, name=''):
  122. self.name = name
  123. self.has_brief_description = True
  124. self.has_description = True
  125. self.progresses = {
  126. 'methods': ClassStatusProgress(),
  127. 'constants': ClassStatusProgress(),
  128. 'members': ClassStatusProgress(),
  129. 'signals': ClassStatusProgress()
  130. }
  131. def __add__(self, other):
  132. new_status = ClassStatus()
  133. new_status.name = self.name
  134. new_status.has_brief_description = self.has_brief_description and other.has_brief_description
  135. new_status.has_description = self.has_description and other.has_description
  136. for k in self.progresses:
  137. new_status.progresses[k] = self.progresses[k] + other.progresses[k]
  138. return new_status
  139. def is_ok(self):
  140. ok = True
  141. ok = ok and self.has_brief_description
  142. ok = ok and self.has_description
  143. for k in self.progresses:
  144. ok = ok and self.progresses[k].is_ok()
  145. return ok
  146. def make_output(self):
  147. output = {}
  148. output['name'] = color('name', self.name)
  149. ok_string = color('part_good', 'OK')
  150. missing_string = color('part_big_problem', 'MISSING')
  151. output['brief_description'] = ok_string if self.has_brief_description else missing_string
  152. output['description'] = ok_string if self.has_description else missing_string
  153. description_progress = ClassStatusProgress(
  154. (self.has_brief_description + self.has_description) * overall_progress_description_weigth,
  155. 2 * overall_progress_description_weigth
  156. )
  157. items_progress = ClassStatusProgress()
  158. for k in ['methods', 'constants', 'members', 'signals']:
  159. items_progress += self.progresses[k]
  160. output[k] = self.progresses[k].to_configured_colored_string()
  161. output['items'] = items_progress.to_configured_colored_string()
  162. output['overall'] = (description_progress + items_progress).to_colored_string('{percent}%', '{pad_percent}{s}')
  163. if self.name.startswith('Total'):
  164. output['url'] = color('url', 'http://docs.godotengine.org/en/latest/classes/_classes.html')
  165. if flags['s']:
  166. output['comment'] = color('part_good', 'ALL OK')
  167. else:
  168. output['url'] = color('url', 'http://docs.godotengine.org/en/latest/classes/class_{name}.html'.format(name=self.name.lower()))
  169. if flags['s'] and not flags['g'] and self.is_ok():
  170. output['comment'] = color('part_good', 'ALL OK')
  171. return output
  172. def generate_for_class(c):
  173. status = ClassStatus()
  174. status.name = c.attrib['name']
  175. for tag in list(c):
  176. if tag.tag == 'brief_description':
  177. status.has_brief_description = len(tag.text.strip()) > 0
  178. elif tag.tag == 'description':
  179. status.has_description = len(tag.text.strip()) > 0
  180. elif tag.tag in ['methods', 'signals']:
  181. for sub_tag in list(tag):
  182. descr = sub_tag.find('description')
  183. status.progresses[tag.tag].increment(len(descr.text.strip()) > 0)
  184. elif tag.tag in ['constants', 'members']:
  185. for sub_tag in list(tag):
  186. status.progresses[tag.tag].increment(len(sub_tag.text.strip()) > 0)
  187. elif tag.tag in ['theme_items']:
  188. pass #Ignore those tags, since they seem to lack description at all
  189. else:
  190. print(tag.tag, tag.attrib)
  191. return status
  192. ################################################################################
  193. # Arguments #
  194. ################################################################################
  195. input_file_list = []
  196. input_class_list = []
  197. for arg in sys.argv[1:]:
  198. if arg.startswith('--'):
  199. flags[long_flags[arg[2:]]] = not flags[long_flags[arg[2:]]]
  200. elif arg.startswith('-'):
  201. for f in arg[1:]:
  202. flags[f] = not flags[f]
  203. elif arg.endswith('.xml'):
  204. input_file_list.append(arg)
  205. else:
  206. input_class_list.append(arg)
  207. if flags['i']:
  208. for r in ['methods', 'constants', 'members', 'signals']:
  209. index = table_columns.index(r)
  210. del table_column_names[index]
  211. del table_columns[index]
  212. table_column_names.append('Items')
  213. table_columns.append('items')
  214. if flags['o'] == (not flags['i']):
  215. table_column_names.append('Overall')
  216. table_columns.append('overall')
  217. if flags['u']:
  218. table_column_names.append('Docs URL')
  219. table_columns.append('url')
  220. ################################################################################
  221. # Help #
  222. ################################################################################
  223. if len(input_file_list) < 1 or flags['h']:
  224. if not flags['h']:
  225. print(color('section', 'Invalid usage') + ': At least one classes.xml file is required')
  226. print(color('section', 'Usage') + ': doc_status.py [flags] <classes.xml> [class names]')
  227. print('\t< and > signify required parameters, while [ and ] signify optional parameters.')
  228. print('\tNote that you can give more than one classes file, in which case they will be merged on-the-fly.')
  229. print(color('section', 'Available flags') + ':')
  230. possible_synonym_list = list(long_flags)
  231. possible_synonym_list.sort()
  232. flag_list = list(flags)
  233. flag_list.sort()
  234. for flag in flag_list:
  235. synonyms = [color('name', '-' + flag)]
  236. for synonym in possible_synonym_list:
  237. if long_flags[synonym] == flag:
  238. synonyms.append(color('name', '--' + synonym))
  239. print(('{synonyms} (Currently '+color('state_'+('on' if flags[flag] else 'off'), '{value}')+')\n\t{description}').format(
  240. synonyms = ', '.join(synonyms),
  241. value = ('on' if flags[flag] else 'off'),
  242. description = flag_descriptions[flag]
  243. ))
  244. sys.exit(0)
  245. ################################################################################
  246. # Parse class list #
  247. ################################################################################
  248. class_names = []
  249. classes = {}
  250. for file in input_file_list:
  251. tree = ET.parse(file)
  252. doc = tree.getroot()
  253. if 'version' not in doc.attrib:
  254. print('Version missing from "doc"')
  255. sys.exit(255)
  256. version = doc.attrib['version']
  257. for c in list(doc):
  258. if c.attrib['name'] in class_names:
  259. continue
  260. class_names.append(c.attrib['name'])
  261. classes[c.attrib['name']] = c
  262. class_names.sort()
  263. if len(input_class_list) < 1:
  264. input_class_list = class_names
  265. ################################################################################
  266. # Make output table #
  267. ################################################################################
  268. table = [table_column_names]
  269. table_row_chars = '+- '
  270. table_column_chars = '|'
  271. total_status = ClassStatus('Total')
  272. for cn in input_class_list:
  273. if not cn in classes:
  274. print('Cannot find class ' + cn + '!')
  275. sys.exit(255)
  276. c = classes[cn]
  277. validate_tag(c, 'class')
  278. status = ClassStatus.generate_for_class(c)
  279. if flags['b'] and status.is_ok():
  280. continue
  281. if flags['g'] and not status.is_ok():
  282. continue
  283. total_status = total_status + status
  284. out = status.make_output()
  285. row = []
  286. for column in table_columns:
  287. if column in out:
  288. row.append(out[column])
  289. else:
  290. row.append('')
  291. if 'comment' in out and out['comment'] != '':
  292. row.append(out['comment'])
  293. table.append(row)
  294. ################################################################################
  295. # Print output table #
  296. ################################################################################
  297. if len(table) == 1:
  298. print(color('part_big_problem', 'No classes suitable for printing!'))
  299. sys.exit(0)
  300. if len(table) > 2:
  301. total_status.name = 'Total = {0}'.format(len(table) - 1)
  302. out = total_status.make_output()
  303. row = []
  304. for column in table_columns:
  305. if column in out:
  306. row.append(out[column])
  307. else:
  308. row.append('')
  309. table.append(row)
  310. table_column_sizes = []
  311. for row in table:
  312. for cell_i, cell in enumerate(row):
  313. if cell_i >= len(table_column_sizes):
  314. table_column_sizes.append(0)
  315. table_column_sizes[cell_i] = max(nonescape_len(cell), table_column_sizes[cell_i])
  316. divider_string = table_row_chars[0]
  317. for cell_i in range(len(table[0])):
  318. divider_string += table_row_chars[1] * (table_column_sizes[cell_i] + 2) + table_row_chars[0]
  319. print(divider_string)
  320. for row_i, row in enumerate(table):
  321. row_string = table_column_chars
  322. for cell_i, cell in enumerate(row):
  323. padding_needed = table_column_sizes[cell_i] - nonescape_len(cell) + 2
  324. if cell_i == 0:
  325. row_string += table_row_chars[2] + cell + table_row_chars[2]*(padding_needed-1)
  326. else:
  327. row_string += table_row_chars[2]*math.floor(padding_needed/2) + cell + table_row_chars[2]*math.ceil((padding_needed/2))
  328. row_string += table_column_chars
  329. print(row_string)
  330. if row_i == 0 or row_i == len(table) - 2:
  331. print(divider_string)
  332. print(divider_string)
  333. if total_status.is_ok() and not flags['g']:
  334. print('All listed classes are ' + color('part_good', 'OK') + '!')