doc_status.py 13 KB

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