]> git.uio.no Git - u/mrichter/AliRoot.git/blame - doxygen/thtml2doxy.py
doxy: support more comments per line
[u/mrichter/AliRoot.git] / doxygen / thtml2doxy.py
CommitLineData
f329fa92 1#!/usr/bin/env python
2
06ccae0f 3## @package thtml2doxy_clang
4# Translates THtml C++ comments to Doxygen using libclang as parser.
5#
6# This code relies on Python bindings for libclang: libclang's interface is pretty unstable, and
7# its Python bindings are unstable as well.
8#
9# AST (Abstract Source Tree) traversal is performed entirely using libclang used as a C++ parser,
10# instead of attempting to write a parser ourselves.
11#
12# This code (expecially AST traversal) was inspired by:
13#
14# - [Implementing a code generator with libclang](http://szelei.me/code-generator/)
15# (this refers to API calls used here)
16# - [Parsing C++ in Python with Clang](http://eli.thegreenplace.net/2011/07/03/parsing-c-in-python-with-clang)
17# (outdated, API calls described there do not work anymore, but useful to understand some basic
18# concepts)
19#
20# Usage:
21#
22# `thtml2doxy_clang [--stdout|-o] [-d] [--debug=DEBUG_LEVEL] file1 [file2 [file3...]]`
23#
24# Parameters:
25#
26# - `--stdout|-o`: output all on standard output instead of writing files in place
27# - `-d`: enable debug mode (very verbose output)
28# - `--debug=DEBUG_LEVEL`: set debug level to one of `DEBUG`, `INFO`, `WARNING`, `ERROR`,
29# `CRITICAL`
30#
31# @author Dario Berzano, CERN
32# @date 2014-12-05
33
34
f329fa92 35import sys
36import os
37import re
06ccae0f 38import logging
39import getopt
ee1793c7 40import hashlib
06ccae0f 41import clang.cindex
42
43
44## Brain-dead color output for terminal.
45class Colt(str):
46
47 def red(self):
48 return self.color('\033[31m')
49
50 def green(self):
51 return self.color('\033[32m')
52
53 def yellow(self):
54 return self.color('\033[33m')
55
56 def blue(self):
57 return self.color('\033[34m')
58
59 def magenta(self):
60 return self.color('\033[35m')
61
62 def cyan(self):
63 return self.color('\033[36m')
64
65 def color(self, c):
66 return c + self + '\033[m'
67
f329fa92 68
06ccae0f 69## Comment.
42d5b6da 70class Comment(object):
06ccae0f 71
c03aba1e 72 def __init__(self, lines, first_line, first_col, last_line, last_col, indent, func, \
73 append_empty=True):
74
3896b0ea 75 assert first_line > 0 and last_line >= first_line, 'Wrong line numbers'
06ccae0f 76 self.lines = lines
77 self.first_line = first_line
78 self.first_col = first_col
79 self.last_line = last_line
80 self.last_col = last_col
81 self.indent = indent
82 self.func = func
c03aba1e 83 self.append_empty = append_empty
06ccae0f 84
85 def has_comment(self, line):
86 return line >= self.first_line and line <= self.last_line
87
88 def __str__(self):
42d5b6da 89 return "<%s for %s: [%d,%d:%d,%d] %s>" % ( \
90 self.__class__.__name__, self.func,
91 self.first_line, self.first_col, self.last_line, self.last_col,
92 self.lines)
93
94
95## Prepend comment.
96class PrependComment(Comment):
97
48a1eb94 98 def __init__(self, lines, first_line, first_col, last_line, last_col, indent, func, \
99 append_empty=False):
42d5b6da 100 super(PrependComment, self).__init__( \
48a1eb94 101 lines, first_line, first_col, last_line, last_col, indent, func, append_empty)
06ccae0f 102
103
104## A data member comment.
105class MemberComment:
106
21689d7a 107 def __init__(self, text, comment_flag, array_size, first_line, first_col, func):
3896b0ea 108 assert first_line > 0, 'Wrong line number'
21689d7a 109 assert comment_flag is None or comment_flag == '!' or comment_flag in [ '!', '||', '->' ]
06ccae0f 110 self.lines = [ text ]
21689d7a 111 self.comment_flag = comment_flag
06ccae0f 112 self.array_size = array_size
113 self.first_line = first_line
114 self.first_col = first_col
115 self.func = func
116
21689d7a 117 def is_transient(self):
118 return self.comment_flag == '!'
119
120 def is_dontsplit(self):
121 return self.comment_flag == '||'
122
123 def is_ptr(self):
124 return self.comment_flag == '->'
125
06ccae0f 126 def has_comment(self, line):
127 return line == self.first_line
128
129 def __str__(self):
130
21689d7a 131 if self.is_transient():
06ccae0f 132 tt = '!transient! '
21689d7a 133 elif self.is_dontsplit():
134 tt = '!dontsplit! '
135 elif self.is_ptr():
136 tt = '!ptr! '
06ccae0f 137 else:
138 tt = ''
139
140 if self.array_size is not None:
141 ars = '[%s] ' % self.array_size
142 else:
143 ars = ''
144
145 return "<MemberComment for %s: [%d,%d] %s%s%s>" % (self.func, self.first_line, self.first_col, tt, ars, self.lines[0])
146
147
148## A dummy comment that removes comment lines.
149class RemoveComment(Comment):
150
151 def __init__(self, first_line, last_line):
3896b0ea 152 assert first_line > 0 and last_line >= first_line, 'Wrong line numbers'
06ccae0f 153 self.first_line = first_line
154 self.last_line = last_line
155 self.func = '<remove>'
156
157 def __str__(self):
158 return "<RemoveComment: [%d,%d]>" % (self.first_line, self.last_line)
159
160
161## Parses method comments.
f329fa92 162#
06ccae0f 163# @param cursor Current libclang parser cursor
164# @param comments Array of comments: new ones will be appended there
165def comment_method(cursor, comments):
166
167 # we are looking for the following structure: method -> compound statement -> comment, i.e. we
168 # need to extract the first comment in the compound statement composing the method
169
170 in_compound_stmt = False
171 expect_comment = False
172 emit_comment = False
173
174 comment = []
175 comment_function = cursor.spelling or cursor.displayname
176 comment_line_start = -1
177 comment_line_end = -1
178 comment_col_start = -1
179 comment_col_end = -1
180 comment_indent = -1
181
182 for token in cursor.get_tokens():
183
184 if token.cursor.kind == clang.cindex.CursorKind.COMPOUND_STMT:
185 if not in_compound_stmt:
186 in_compound_stmt = True
187 expect_comment = True
188 comment_line_end = -1
189 else:
190 if in_compound_stmt:
191 in_compound_stmt = False
192 emit_comment = True
193
194 # tkind = str(token.kind)[str(token.kind).index('.')+1:]
195 # ckind = str(token.cursor.kind)[str(token.cursor.kind).index('.')+1:]
196
197 if in_compound_stmt:
198
199 if expect_comment:
200
201 extent = token.extent
202 line_start = extent.start.line
203 line_end = extent.end.line
204
205 if token.kind == clang.cindex.TokenKind.PUNCTUATION and token.spelling == '{':
206 pass
207
208 elif token.kind == clang.cindex.TokenKind.COMMENT and (comment_line_end == -1 or (line_start == comment_line_end+1 and line_end-line_start == 0)):
209 comment_line_end = line_end
210 comment_col_end = extent.end.column
211
212 if comment_indent == -1 or (extent.start.column-1) < comment_indent:
213 comment_indent = extent.start.column-1
214
215 if comment_line_start == -1:
216 comment_line_start = line_start
217 comment_col_start = extent.start.column
218 comment.extend( token.spelling.split('\n') )
219
220 # multiline comments are parsed in one go, therefore don't expect subsequent comments
221 if line_end - line_start > 0:
222 emit_comment = True
223 expect_comment = False
224
225 else:
226 emit_comment = True
227 expect_comment = False
228
229 if emit_comment:
230
6f0e3bf3 231 if comment_line_start > 0:
06ccae0f 232
ee1793c7 233 comment = refactor_comment( comment, infilename=str(cursor.location.file) )
6f0e3bf3 234
235 if len(comment) > 0:
236 logging.debug("Comment found for function %s" % Colt(comment_function).magenta())
237 comments.append( Comment(comment, comment_line_start, comment_col_start, comment_line_end, comment_col_end, comment_indent, comment_function) )
238 else:
5dccb084 239 logging.debug('Empty comment found for function %s: collapsing' % Colt(comment_function).magenta())
240 comments.append( Comment([''], comment_line_start, comment_col_start, comment_line_end, comment_col_end, comment_indent, comment_function) )
241 #comments.append(RemoveComment(comment_line_start, comment_line_end))
6f0e3bf3 242
243 else:
244 logging.warning('No comment found for function %s' % Colt(comment_function).magenta())
06ccae0f 245
246 comment = []
247 comment_line_start = -1
248 comment_line_end = -1
249 comment_col_start = -1
250 comment_col_end = -1
251 comment_indent = -1
252
253 emit_comment = False
254 break
255
256
257## Parses comments to class data members.
258#
259# @param cursor Current libclang parser cursor
260# @param comments Array of comments: new ones will be appended there
261def comment_datamember(cursor, comments):
262
263 # Note: libclang 3.5 seems to have problems parsing a certain type of FIELD_DECL, so we revert
264 # to a partial manual parsing. When parsing fails, the cursor's "extent" is not set properly,
265 # returning a line range 0-0. We therefore make the not-so-absurd assumption that the datamember
266 # definition is fully on one line, and we take the line number from cursor.location.
267
268 line_num = cursor.location.line
269 raw = None
270 prev = None
271 found = False
272
21689d7a 273 # Huge overkill: current line saved in "raw", previous in "prev"
06ccae0f 274 with open(str(cursor.location.file)) as fp:
275 cur_line = 0
276 for raw in fp:
277 cur_line = cur_line + 1
278 if cur_line == line_num:
279 found = True
280 break
281 prev = raw
282
283 assert found, 'A line that should exist was not found in file' % cursor.location.file
284
c756848b 285 recomm = r'(//(!|\|\||->)|///?)(\[(.+?)\])?<?\s*(.*?)\s*$'
21689d7a 286 recomm_prevline = r'^\s*///\s*(.*?)\s*$'
06ccae0f 287
288 mcomm = re.search(recomm, raw)
289 if mcomm:
54203c62 290 # If it does not match, we do not have a comment
06ccae0f 291 member_name = cursor.spelling;
21689d7a 292 comment_flag = mcomm.group(2)
06ccae0f 293 array_size = mcomm.group(4)
294 text = mcomm.group(5)
295
296 col_num = mcomm.start()+1;
297
298 if array_size is not None and prev is not None:
299 # ROOT arrays with comments already converted to Doxygen have the member description on the
300 # previous line
21689d7a 301 mcomm_prevline = re.search(recomm_prevline, prev)
302 if mcomm_prevline:
303 text = mcomm_prevline.group(1)
06ccae0f 304 comments.append(RemoveComment(line_num-1, line_num-1))
305
306 logging.debug('Comment found for member %s' % Colt(member_name).magenta())
307
308 comments.append( MemberComment(
309 text,
21689d7a 310 comment_flag,
06ccae0f 311 array_size,
312 line_num,
313 col_num,
314 member_name ))
315
06ccae0f 316
317## Parses class description (beginning of file).
318#
319# The clang parser does not work in this case so we do it manually, but it is very simple: we keep
320# the first consecutive sequence of single-line comments (//) we find - provided that it occurs
321# before any other comment found so far in the file (the comments array is inspected to ensure
322# this).
f329fa92 323#
06ccae0f 324# Multi-line comments (/* ... */) are not considered as they are commonly used to display
325# copyright notice.
f329fa92 326#
06ccae0f 327# @param filename Name of the current file
328# @param comments Array of comments: new ones will be appended there
48a1eb94 329# @param look_no_further_than_line Stop before reaching this line when looking for class comment
330def comment_classdesc(filename, comments, look_no_further_than_line):
06ccae0f 331
332 recomm = r'^\s*///?(\s*.*?)\s*/*\s*$'
333
ccf0fca4 334 reclass_doxy = r'(?i)^\s*\\(class|file):?\s*([^.]*)'
06ccae0f 335 class_name_doxy = None
336
ea2f3fcb 337 reauthor = r'(?i)^\s*\\?(authors?|origin):?\s*(.*?)\s*(,?\s*([0-9./-]+))?\s*$'
06ccae0f 338 redate = r'(?i)^\s*\\?date:?\s*([0-9./-]+)\s*$'
339 author = None
340 date = None
341
342 comment_lines = []
343
344 start_line = -1
345 end_line = -1
346
347 line_num = 0
348
ccf0fca4 349 is_macro = filename.endswith('.C')
350
06ccae0f 351 with open(filename, 'r') as fp:
352
353 for raw in fp:
354
355 line_num = line_num + 1
356
48a1eb94 357 if look_no_further_than_line is not None and line_num == look_no_further_than_line:
358 logging.debug('Stopping at line %d while looking for class/file description' % \
359 look_no_further_than_line)
360 break
361
424eef90 362 if raw.strip() == '' and start_line > 0:
06ccae0f 363 # Skip empty lines
06ccae0f 364 continue
365
366 stripped = strip_html(raw)
367 mcomm = re.search(recomm, stripped)
368 if mcomm:
369
424eef90 370 if start_line == -1:
06ccae0f 371
372 # First line. Check that we do not overlap with other comments
373 comment_overlaps = False
374 for c in comments:
375 if c.has_comment(line_num):
376 comment_overlaps = True
377 break
378
379 if comment_overlaps:
380 # No need to look for other comments
381 break
382
383 start_line = line_num
384
dde83b2b 385 end_line = line_num
06ccae0f 386 append = True
387
388 mclass_doxy = re.search(reclass_doxy, mcomm.group(1))
389 if mclass_doxy:
ccf0fca4 390 class_name_doxy = mclass_doxy.group(2)
06ccae0f 391 append = False
392 else:
393 mauthor = re.search(reauthor, mcomm.group(1))
394 if mauthor:
ea2f3fcb 395 author = mauthor.group(2)
06ccae0f 396 if date is None:
397 # Date specified in the standalone \date field has priority
ea2f3fcb 398 date = mauthor.group(4)
06ccae0f 399 append = False
400 else:
401 mdate = re.search(redate, mcomm.group(1))
402 if mdate:
403 date = mdate.group(1)
404 append = False
405
406 if append:
407 comment_lines.append( mcomm.group(1) )
408
409 else:
424eef90 410 if start_line > 0:
06ccae0f 411 break
412
413 if class_name_doxy is None:
414
415 # No \class specified: guess it from file name
416 reclass = r'^(.*/)?(.*?)(\..*)?$'
417 mclass = re.search( reclass, filename )
418 if mclass:
419 class_name_doxy = mclass.group(2)
420 else:
421 assert False, 'Regexp unable to extract classname from file'
422
48a1eb94 423 # Macro or class?
424 if is_macro:
425 file_class_line = '\\file ' + class_name_doxy + '.C'
426 else:
427 file_class_line = '\\class ' + class_name_doxy
428
424eef90 429 if start_line > 0:
06ccae0f 430
ccf0fca4 431 # Prepend \class or \file specifier (and an empty line)
48a1eb94 432 comment_lines[:0] = [ file_class_line ]
424eef90 433 comment_lines.append('')
06ccae0f 434
84039997 435 # Append author and date if they exist
424eef90 436 if author is not None:
437 comment_lines.append( '\\author ' + author )
06ccae0f 438
424eef90 439 if date is not None:
440 comment_lines.append( '\\date ' + date )
441
ee1793c7 442 comment_lines = refactor_comment(comment_lines, do_strip_html=False, infilename=filename)
424eef90 443 logging.debug('Comment found for class %s' % Colt(class_name_doxy).magenta())
444 comments.append(Comment(
445 comment_lines,
446 start_line, 1, end_line, 1,
447 0, class_name_doxy
448 ))
449
450 else:
451
48a1eb94 452 logging.warning('No comment found for class %s: creating a dummy entry at the beginning' % \
453 Colt(class_name_doxy).magenta())
454
455 comments.append(PrependComment(
456 [ file_class_line ],
457 1, 1, 1, 1,
458 0, class_name_doxy, append_empty=True
459 ))
06ccae0f 460
461
b9781053 462## Looks for a special ROOT ClassImp() entry.
463#
464# Doxygen might get confused by `ClassImp()` entries as they are macros normally written without
465# the ending `;`: this function wraps the definition inside a condition in order to make Doxygen
466# ignore it.
467#
468# @param filename Name of the current file
469# @param comments Array of comments: new ones will be appended there
470def comment_classimp(filename, comments):
471
472 recomm = r'^\s*///?(\s*.*?)\s*/*\s*$'
473
474 line_num = 0
f0afbd73 475 reclassimp = r'^(\s*)Class(Imp|Def)\((.*?)\).*$'
b9781053 476
c03aba1e 477 in_classimp_cond = False
478 restartcond = r'^\s*///\s*\\cond\s+CLASSIMP\s*$'
479 reendcond = r'^\s*///\s*\\endcond\s*$'
480
b9781053 481 with open(filename, 'r') as fp:
482
c03aba1e 483 line_classimp = -1
484 line_startcond = -1
485 line_endcond = -1
486 classimp_class = None
487 classimp_indent = None
488
b9781053 489 for line in fp:
490
491 line_num = line_num + 1
c03aba1e 492
b9781053 493 mclassimp = re.search(reclassimp, line)
494 if mclassimp:
495
496 # Adjust indent
c03aba1e 497 classimp_indent = len( mclassimp.group(1) )
b9781053 498
c03aba1e 499 line_classimp = line_num
f0afbd73 500 classimp_class = mclassimp.group(3)
501 imp_or_def = mclassimp.group(2)
b9781053 502 logging.debug(
503 'Comment found for ' +
f0afbd73 504 Colt( 'Class%s(' % imp_or_def ).magenta() +
c03aba1e 505 Colt( classimp_class ).cyan() +
b9781053 506 Colt( ')' ).magenta() )
507
c03aba1e 508 else:
b9781053 509
c03aba1e 510 mstartcond = re.search(restartcond, line)
511 if mstartcond:
512 logging.debug('Found Doxygen opening condition for ClassImp in {%s}' % line)
513 in_classimp_cond = True
514 line_startcond = line_num
515
516 elif in_classimp_cond:
517
518 mendcond = re.search(reendcond, line)
519 if mendcond:
520 logging.debug('Found Doxygen closing condition for ClassImp')
521 in_classimp_cond = False
522 line_endcond = line_num
523
524 # Did we find something?
525 if line_classimp != -1:
526
527 if line_startcond != -1:
528 comments.append(Comment(
529 ['\cond CLASSIMP'],
530 line_startcond, 1, line_startcond, 1,
f0afbd73 531 classimp_indent, 'ClassImp/Def(%s)' % classimp_class,
c03aba1e 532 append_empty=False
533 ))
534 else:
535 comments.append(PrependComment(
536 ['\cond CLASSIMP'],
537 line_classimp, 1, line_classimp, 1,
f0afbd73 538 classimp_indent, 'ClassImp/Def(%s)' % classimp_class
c03aba1e 539 ))
540
541 if line_endcond != -1:
542 comments.append(Comment(
543 ['\endcond'],
544 line_endcond, 1, line_endcond, 1,
f0afbd73 545 classimp_indent, 'ClassImp/Def(%s)' % classimp_class,
c03aba1e 546 append_empty=False
547 ))
548 else:
549 comments.append(PrependComment(
550 ['\endcond'],
551 line_classimp+1, 1, line_classimp+1, 1,
f0afbd73 552 classimp_indent, 'ClassImp/Def(%s)' % classimp_class
c03aba1e 553 ))
b9781053 554
555
06ccae0f 556## Traverse the AST recursively starting from the current cursor.
557#
558# @param cursor A Clang parser cursor
559# @param filename Name of the current file
560# @param comments Array of comments: new ones will be appended there
561# @param recursion Current recursion depth
84039997 562# @param in_func True if we are inside a function or method
48a1eb94 563# @param classdesc_line_limit Do not look for comments after this line
564#
565# @return A tuple containing the classdesc_line_limit as first item
566def traverse_ast(cursor, filename, comments, recursion=0, in_func=False, classdesc_line_limit=None):
06ccae0f 567
568 # libclang traverses included files as well: we do not want this behavior
569 if cursor.location.file is not None and str(cursor.location.file) != filename:
570 logging.debug("Skipping processing of included %s" % cursor.location.file)
571 return
572
573 text = cursor.spelling or cursor.displayname
574 kind = str(cursor.kind)[str(cursor.kind).index('.')+1:]
575
ccf0fca4 576 is_macro = filename.endswith('.C')
577
06ccae0f 578 indent = ''
579 for i in range(0, recursion):
580 indent = indent + ' '
581
2d3fd2ec 582 if cursor.kind in [ clang.cindex.CursorKind.CXX_METHOD, clang.cindex.CursorKind.CONSTRUCTOR,
e215c6c6 583 clang.cindex.CursorKind.DESTRUCTOR, clang.cindex.CursorKind.FUNCTION_DECL ]:
06ccae0f 584
48a1eb94 585 if classdesc_line_limit is None:
586 classdesc_line_limit = cursor.location.line
587
06ccae0f 588 # cursor ran into a C++ method
589 logging.debug( "%5d %s%s(%s)" % (cursor.location.line, indent, Colt(kind).magenta(), Colt(text).blue()) )
590 comment_method(cursor, comments)
84039997 591 in_func = True
06ccae0f 592
84039997 593 elif not is_macro and not in_func and \
594 cursor.kind in [ clang.cindex.CursorKind.FIELD_DECL, clang.cindex.CursorKind.VAR_DECL ]:
06ccae0f 595
48a1eb94 596 if classdesc_line_limit is None:
597 classdesc_line_limit = cursor.location.line
598
06ccae0f 599 # cursor ran into a data member declaration
600 logging.debug( "%5d %s%s(%s)" % (cursor.location.line, indent, Colt(kind).magenta(), Colt(text).blue()) )
601 comment_datamember(cursor, comments)
602
603 else:
604
605 logging.debug( "%5d %s%s(%s)" % (cursor.location.line, indent, kind, text) )
606
607 for child_cursor in cursor.get_children():
48a1eb94 608 classdesc_line_limit = traverse_ast(child_cursor, filename, comments, recursion+1, in_func, classdesc_line_limit)
06ccae0f 609
610 if recursion == 0:
b9781053 611 comment_classimp(filename, comments)
48a1eb94 612 comment_classdesc(filename, comments, classdesc_line_limit)
613
614 return classdesc_line_limit
06ccae0f 615
616
617## Strip some HTML tags from the given string. Returns clean string.
618#
619# @param s Input string
620def strip_html(s):
798167cb 621 rehtml = r'(?i)</?(P|BR)/?>'
06ccae0f 622 return re.sub(rehtml, '', s)
623
624
625## Remove garbage from comments and convert special tags from THtml to Doxygen.
626#
627# @param comment An array containing the lines of the original comment
ee1793c7 628def refactor_comment(comment, do_strip_html=True, infilename=None):
06ccae0f 629
5a3cf816 630 recomm = r'^(/{2,}|/\*)? ?(\s*)(.*?)\s*((/{2,})?\s*|\*/)$'
5eaf1dc7 631 regarbage = r'^(?i)\s*([\s*=_#-]+|(Begin|End)_Html)\s*$'
06ccae0f 632
03a6b7aa 633 # Support for LaTeX blocks spanning on multiple lines
634 relatex = r'(?i)^((.*?)\s+)?(BEGIN|END)_LATEX([.,;:\s]+.*)?$'
635 in_latex = False
636 latex_block = False
637
638 # Support for LaTeX blocks on a single line
9db428b7 639 reinline_latex = r'(?i)(.*)BEGIN_LATEX\s+(.*?)\s+END_LATEX(.*)$'
640
35b193b4 641 # Match <pre> (to turn it into the ~~~ Markdown syntax)
642 reblock = r'(?i)^(\s*)</?PRE>\s*$'
643
ee1793c7 644 # Macro blocks for pictures generation
645 in_macro = False
646 current_macro = []
647 remacro = r'(?i)^\s*(BEGIN|END)_MACRO(\((.*?)\))?\s*$'
648
5a3cf816 649 # Minimum indent level: scale back everything
650 lowest_indent_level = None
651
652 # Indentation threshold: if too much indented, don't indent at all
653 indent_level_threshold = 15
654
06ccae0f 655 new_comment = []
656 insert_blank = False
657 wait_first_non_blank = True
658 for line_comment in comment:
659
ee1793c7 660 # Check if we are in a macro block
661 mmacro = re.search(remacro, line_comment)
662 if mmacro:
663 if in_macro:
664 in_macro = False
665
666 # Dump macro
667 outimg = write_macro(infilename, current_macro) + '.png'
668 current_macro = []
669
670 # Insert image
430c67d2 671 new_comment.append( '![Picture from ROOT macro](%s)' % (os.path.basename(outimg)) )
ee1793c7 672
673 logging.debug( 'Found macro for generating image %s' % Colt(outimg).magenta() )
674
675 else:
676 in_macro = True
677
678 continue
679 elif in_macro:
680 current_macro.append( line_comment )
681 continue
682
06ccae0f 683 # Strip some HTML tags
684 if do_strip_html:
685 line_comment = strip_html(line_comment)
686
687 mcomm = re.search( recomm, line_comment )
688 if mcomm:
5a3cf816 689 new_line_comment = mcomm.group(2) + mcomm.group(3) # indent + comm
690
06ccae0f 691 mgarbage = re.search( regarbage, new_line_comment )
692
5a3cf816 693 if mgarbage is None and not mcomm.group(3).startswith('\\') and mcomm.group(3) != '':
694 # not a special command line: count indent
695 indent_level = len( mcomm.group(2) )
696 if lowest_indent_level is None or indent_level < lowest_indent_level:
697 lowest_indent_level = indent_level
698
699 # if indentation level is too much, consider it zero
700 if indent_level > indent_level_threshold:
701 new_line_comment = mcomm.group(3) # remove ALL indentation
702
06ccae0f 703 if new_line_comment == '' or mgarbage is not None:
704 insert_blank = True
705 else:
706 if insert_blank and not wait_first_non_blank:
707 new_comment.append('')
708 insert_blank = False
709 wait_first_non_blank = False
9db428b7 710
711 # Postprocessing: LaTeX formulas in ROOT format
712 # Marked by BEGIN_LATEX ... END_LATEX and they use # in place of \
713 # There can be several ROOT LaTeX forumlas per line
714 while True:
715 minline_latex = re.search( reinline_latex, new_line_comment )
716 if minline_latex:
717 new_line_comment = '%s\\f$%s\\f$%s' % \
718 ( minline_latex.group(1), minline_latex.group(2).replace('#', '\\'),
719 minline_latex.group(3) )
720 else:
721 break
722
03a6b7aa 723 # ROOT LaTeX: do we have a Begin/End_LaTeX block?
724 # Note: the presence of LaTeX "closures" does not exclude the possibility to have a begin
725 # block here left without a corresponding ending block
726 mlatex = re.search( relatex, new_line_comment )
727 if mlatex:
728
729 # before and after parts have been already stripped
730 l_before = mlatex.group(2)
731 l_after = mlatex.group(4)
732 is_begin = mlatex.group(3).upper() == 'BEGIN' # if not, END
733
734 if l_before is None:
735 l_before = ''
736 if l_after is None:
737 l_after = ''
738
739 if is_begin:
740
741 # Begin of LaTeX part
742
743 in_latex = True
744 if l_before == '' and l_after == '':
745
746 # Opening tag alone: mark the beginning of a block: \f[ ... \f]
747 latex_block = True
748 new_comment.append( '\\f[' )
749
750 else:
751 # Mark the beginning of inline: \f$ ... \f$
752 latex_block = False
753 new_comment.append(
754 '%s \\f$%s' % ( l_before, l_after.replace('#', '\\') )
755 )
756
757 else:
758
759 # End of LaTeX part
760 in_latex = False
761
762 if latex_block:
763
764 # Closing a LaTeX block
765 if l_before != '':
766 new_comment.append( l_before.replace('#', '\\') )
767 new_comment.append( '\\f]' )
768 if l_after != '':
769 new_comment.append( l_after )
770
771 else:
772
773 # Closing a LaTeX inline
774 new_comment.append(
775 '%s\\f$%s' % ( l_before.replace('#', '\\'), l_after )
776 )
777
778 # Prevent appending lines (we have already done that)
779 new_line_comment = None
780
35b193b4 781 # If we are not in a LaTeX block, look for <pre> tags and transform them into Doxygen code
782 # blocks (using ~~~ ... ~~~). Only <pre> tags on a single line are supported
783 if new_line_comment is not None and not in_latex:
784
785 mblock = re.search( reblock, new_line_comment )
786 if mblock:
787 new_comment.append( mblock.group(1)+'~~~' )
788 new_line_comment = None
789
03a6b7aa 790 if new_line_comment is not None:
791 if in_latex:
792 new_line_comment = new_line_comment.replace('#', '\\')
793 new_comment.append( new_line_comment )
06ccae0f 794
795 else:
796 assert False, 'Comment regexp does not match'
797
5a3cf816 798 # Fixing indentation level
799 if lowest_indent_level is not None:
800 logging.debug('Lowest indentation level found: %d' % lowest_indent_level)
801
802 new_comment_indent = []
803 reblankstart = r'^\s+'
804 for line in new_comment:
805 if re.search(reblankstart, line):
806 new_comment_indent.append( line[lowest_indent_level:] )
807 else:
808 new_comment_indent.append( line )
809
810 new_comment = new_comment_indent
811
812 else:
813 logging.debug('No indentation scaling applied')
814
06ccae0f 815 return new_comment
816
817
ee1793c7 818## Dumps an image-generating macro to the correct place. Returns a string with the image path,
819# without the extension.
820#
821# @param infilename File name of the source file
822# @param macro_lines Array of macro lines
823def write_macro(infilename, macro_lines):
824
825 # Calculate hash
826 digh = hashlib.sha1()
827 for l in macro_lines:
828 digh.update(l)
829 digh.update('\n')
830 short_digest = digh.hexdigest()[0:7]
831
832 outdir = '%s/imgdoc' % os.path.dirname(infilename)
833 outprefix = '%s/%s_%s' % (
834 outdir,
835 os.path.basename(infilename).replace('.', '_'),
836 short_digest
837 )
838 outmacro = '%s.C' % outprefix
839
840 # Make directory
841 if not os.path.isdir(outdir):
842 # do not catch: let everything die on error
843 logging.debug('Creating directory %s' % Colt(outdir).magenta())
844 os.mkdir(outdir)
845
846 # Create file (do not catch errors either)
847 with open(outmacro, 'w') as omfp:
848 logging.debug('Writing macro %s' % Colt(outmacro).magenta())
849 for l in macro_lines:
850 omfp.write(l)
851 omfp.write('\n')
852
853 return outprefix
854
855
06ccae0f 856## Rewrites all comments from the given file handler.
857#
858# @param fhin The file handler to read from
859# @param fhout The file handler to write to
860# @param comments Array of comments
861def rewrite_comments(fhin, fhout, comments):
862
863 line_num = 0
864 in_comment = False
865 skip_empty = False
866 comm = None
867 prev_comm = None
b9781053 868 restore_lines = None
06ccae0f 869
870 rindent = r'^(\s*)'
871
b9781053 872 def dump_comment_block(cmt, restore=None):
fc82f9c7 873 text_indent = ''
b9781053 874 ask_skip_empty = False
875
fc82f9c7 876 for i in range(0, cmt.indent):
877 text_indent = text_indent + ' '
878
879 for lc in cmt.lines:
880 fhout.write('%s///' % text_indent )
881 lc = lc.rstrip()
882 if len(lc) != 0:
883 fhout.write(' ')
884 fhout.write(lc)
885 fhout.write('\n')
886
887 # Empty new line at the end of the comment
c03aba1e 888 if cmt.append_empty:
b9781053 889 fhout.write('\n')
890 ask_skip_empty = True
891
892 # Restore lines if possible
893 if restore:
894 for lr in restore:
895 fhout.write(lr)
896 fhout.write('\n')
897
898 # Tell the caller whether it should skip the next empty line found
899 return ask_skip_empty
c0094f3c 900
901
06ccae0f 902 for line in fhin:
903
904 line_num = line_num + 1
905
906 # Find current comment
907 prev_comm = comm
908 comm = None
1fd0e6c3 909 comm_list = []
06ccae0f 910 for c in comments:
911 if c.has_comment(line_num):
912 comm = c
1fd0e6c3 913 comm_list.append(c)
914
915 if len(comm_list) > 1:
916
917 merged = True
918
919 if len(comm_list) == 2:
920 c1,c2 = comm_list
921 if isinstance(c1, Comment) and isinstance(c2, Comment):
922 c1.lines = c1.lines + c2.lines # list merge
923 comm = c1
924 logging.debug('Two adjacent comments merged. Result: {%s}' % Colt(comm).cyan())
925 else:
926 merged = False
927 else:
928 merged = False
929
930 if merged == False:
931 logging.warning('Too many unmergeable comments on the same line (%d), picking the last one' % len(comm_list))
932 for c in comm_list:
933 logging.warning('>> %s' % c)
934 comm = c # considering the last one
06ccae0f 935
936 if comm:
937
b9781053 938 # First thing to check: are we in the same comment as before?
a2245741 939 if comm is not prev_comm and \
940 isinstance(comm, Comment) and \
941 isinstance(prev_comm, Comment) and \
942 not isinstance(prev_comm, RemoveComment):
943
944 # We are NOT in the same comment as before, and this comment is dumpable
b9781053 945
946 skip_empty = dump_comment_block(prev_comm, restore_lines)
947 in_comment = False
948 restore_lines = None
949 prev_comm = None # we have just dumped it: pretend it never existed in this loop
950
951 #
952 # Check type of comment and react accordingly
953 #
954
06ccae0f 955 if isinstance(comm, MemberComment):
c0094f3c 956
957 # end comment block
958 if in_comment:
b9781053 959 skip_empty = dump_comment_block(prev_comm, restore_lines)
c0094f3c 960 in_comment = False
b9781053 961 restore_lines = None
c0094f3c 962
06ccae0f 963 non_comment = line[ 0:comm.first_col-1 ]
964
21689d7a 965 if comm.array_size is not None or comm.is_dontsplit() or comm.is_ptr():
06ccae0f 966
21689d7a 967 # This is a special case: comment will be split in two lines: one before the comment for
968 # Doxygen as "member description", and the other right after the comment on the same line
969 # to be parsed by ROOT's C++ parser
970
971 # Keep indent on the generated line of comment before member definition
06ccae0f 972 mindent = re.search(rindent, line)
21689d7a 973
974 # Get correct comment flag, if any
975 if comm.comment_flag is not None:
976 cflag = comm.comment_flag
977 else:
978 cflag = ''
979
980 # Get correct array size, if any
981 if comm.array_size is not None:
982 asize = '[%s]' % comm.array_size
06ccae0f 983 else:
21689d7a 984 asize = ''
06ccae0f 985
21689d7a 986 # Write on two lines
987 fhout.write('%s/// %s\n%s//%s%s\n' % (
06ccae0f 988 mindent.group(1),
989 comm.lines[0],
990 non_comment,
21689d7a 991 cflag,
992 asize
06ccae0f 993 ))
994
995 else:
996
21689d7a 997 # Single-line comments with the "transient" flag can be kept on one line in a way that
998 # they are correctly interpreted by both ROOT and Doxygen
999
1000 if comm.is_transient():
06ccae0f 1001 tt = '!'
1002 else:
1003 tt = '/'
1004
1005 fhout.write('%s//%s< %s\n' % (
1006 non_comment,
1007 tt,
1008 comm.lines[0]
1009 ))
1010
1011 elif isinstance(comm, RemoveComment):
c0094f3c 1012 # End comment block and skip this line
1013 if in_comment:
b9781053 1014 skip_empty = dump_comment_block(prev_comm, restore_lines)
c0094f3c 1015 in_comment = False
b9781053 1016 restore_lines = None
06ccae0f 1017
22679479 1018 elif restore_lines is None:
c0094f3c 1019
b9781053 1020 # Beginning of a new comment block of type Comment or PrependComment
06ccae0f 1021 in_comment = True
1022
b9781053 1023 if isinstance(comm, PrependComment):
1024 # Prepare array of lines to dump right after the comment
1025 restore_lines = [ line.rstrip('\n') ]
1026 else:
1027 # Extract the non-comment part and print it if it exists
1028 non_comment = line[ 0:comm.first_col-1 ].rstrip()
1029 if non_comment != '':
1030 fhout.write( non_comment + '\n' )
1031
1032 elif isinstance(comm, Comment):
1033
1034 if restore_lines is not None:
1035 # From the 2nd line on of comment to prepend
1036 restore_lines.append( line.rstrip('\n') )
1037
1038 else:
a2245741 1039 assert False, 'Unhandled parser state: line=%d comm={%s} prev_comm={%s}' % \
b9781053 1040 (line_num, comm, prev_comm)
06ccae0f 1041
1042 else:
1043
b9781053 1044 # Not a comment line
1045
06ccae0f 1046 if in_comment:
1047
1048 # We have just exited a comment block of type Comment
b9781053 1049 skip_empty = dump_comment_block(prev_comm, restore_lines)
06ccae0f 1050 in_comment = False
b9781053 1051 restore_lines = None
06ccae0f 1052
b9781053 1053 # Dump the non-comment line
06ccae0f 1054 line_out = line.rstrip('\n')
1055 if skip_empty:
1056 skip_empty = False
1057 if line_out.strip() != '':
1058 fhout.write( line_out + '\n' )
1059 else:
1060 fhout.write( line_out + '\n' )
1061
f329fa92 1062
1063## The main function.
1064#
06ccae0f 1065# Return value is the executable's return value.
f329fa92 1066def main(argv):
1067
06ccae0f 1068 # Setup logging on stderr
1069 log_level = logging.INFO
1070 logging.basicConfig(
1071 level=log_level,
1072 format='%(levelname)-8s %(funcName)-20s %(message)s',
1073 stream=sys.stderr
1074 )
f329fa92 1075
06ccae0f 1076 # Parse command-line options
1077 output_on_stdout = False
7afec95e 1078 include_flags = []
06ccae0f 1079 try:
7afec95e 1080 opts, args = getopt.getopt( argv, 'odI:', [ 'debug=', 'stdout' ] )
06ccae0f 1081 for o, a in opts:
1082 if o == '--debug':
1083 log_level = getattr( logging, a.upper(), None )
1084 if not isinstance(log_level, int):
1085 raise getopt.GetoptError('log level must be one of: DEBUG, INFO, WARNING, ERROR, CRITICAL')
1086 elif o == '-d':
1087 log_level = logging.DEBUG
1088 elif o == '-o' or o == '--stdout':
06ccae0f 1089 output_on_stdout = True
7afec95e 1090 elif o == '-I':
1091 if os.path.isdir(a):
1092 include_flags.extend( [ '-I', a ] )
1093 else:
1094 logging.fatal('Include directory not found: %s' % Colt(a).magenta())
1095 return 2
06ccae0f 1096 else:
1097 assert False, 'Unhandled argument'
1098 except getopt.GetoptError as e:
1099 logging.fatal('Invalid arguments: %s' % e)
1100 return 1
f329fa92 1101
06ccae0f 1102 logging.getLogger('').setLevel(log_level)
f329fa92 1103
06ccae0f 1104 # Attempt to load libclang from a list of known locations
1105 libclang_locations = [
1106 '/usr/lib/llvm-3.5/lib/libclang.so.1',
1107 '/usr/lib/libclang.so',
1108 '/Library/Developer/CommandLineTools/usr/lib/libclang.dylib'
1109 ]
1110 libclang_found = False
f329fa92 1111
06ccae0f 1112 for lib in libclang_locations:
1113 if os.path.isfile(lib):
1114 clang.cindex.Config.set_library_file(lib)
1115 libclang_found = True
1116 break
f329fa92 1117
06ccae0f 1118 if not libclang_found:
1119 logging.fatal('Cannot find libclang')
1120 return 1
1121
1122 # Loop over all files
1123 for fn in args:
1124
1125 logging.info('Input file: %s' % Colt(fn).magenta())
1126 index = clang.cindex.Index.create()
7afec95e 1127 clang_args = [ '-x', 'c++' ]
1128 clang_args.extend( include_flags )
1129 translation_unit = index.parse(fn, args=clang_args)
06ccae0f 1130
1131 comments = []
1132 traverse_ast( translation_unit.cursor, fn, comments )
1133 for c in comments:
1134
1135 logging.debug("Comment found for entity %s:" % Colt(c.func).magenta())
f329fa92 1136
06ccae0f 1137 if isinstance(c, MemberComment):
1138
21689d7a 1139 if c.is_transient():
1140 flag_text = Colt('transient ').yellow()
1141 elif c.is_dontsplit():
1142 flag_text = Colt('dontsplit ').yellow()
1143 elif c.is_ptr():
1144 flag_text = Colt('ptr ').yellow()
06ccae0f 1145 else:
21689d7a 1146 flag_text = ''
06ccae0f 1147
1148 if c.array_size is not None:
1149 array_text = Colt('arraysize=%s ' % c.array_size).yellow()
1150 else:
1151 array_text = ''
1152
1153 logging.debug(
1154 "%s %s%s{%s}" % ( \
1155 Colt("[%d,%d]" % (c.first_line, c.first_col)).green(),
21689d7a 1156 flag_text,
06ccae0f 1157 array_text,
1158 Colt(c.lines[0]).cyan()
1159 ))
1160
1161 elif isinstance(c, RemoveComment):
1162
1163 logging.debug( Colt('[%d,%d]' % (c.first_line, c.last_line)).green() )
1164
1165 else:
1166 for l in c.lines:
1167 logging.debug(
1168 Colt("[%d,%d:%d,%d] " % (c.first_line, c.first_col, c.last_line, c.last_col)).green() +
1169 "{%s}" % Colt(l).cyan()
1170 )
f329fa92 1171
1172 try:
06ccae0f 1173
1174 if output_on_stdout:
1175 with open(fn, 'r') as fhin:
1176 rewrite_comments( fhin, sys.stdout, comments )
1177 else:
1178 fn_back = fn + '.thtml2doxy_backup'
1179 os.rename( fn, fn_back )
1180
1181 with open(fn_back, 'r') as fhin, open(fn, 'w') as fhout:
1182 rewrite_comments( fhin, fhout, comments )
1183
1184 os.remove( fn_back )
1185 logging.info("File %s converted to Doxygen: check differences before committing!" % Colt(fn).magenta())
1186 except (IOError,OSError) as e:
1187 logging.error('File operation failed: %s' % e)
f329fa92 1188
1189 return 0
1190
06ccae0f 1191
f329fa92 1192if __name__ == '__main__':
06ccae0f 1193 sys.exit( main( sys.argv[1:] ) )