- Notifications
You must be signed in to change notification settings - Fork 45
/
Copy pathswig_commenter.py
278 lines (231 loc) · 10.2 KB
/
swig_commenter.py
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
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
# Copyright 2016 Google LLC
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
"""Extract comments from C++ classes and inject comments into C# classes.
Basic Usage: swig_commenter.py -i <cpp_sources> -o <cs_sources>
In SWIG, methods can have comments prepened to them by using the feature
%csmethodmodifiers. No analogous feature exists for classes or enums however,
so this script inserts the C++ comments into the C# files directly.
Currently this assumes that the C++ classes and C# classes have the same name.
If this changes in the future this script will have to be updated.
"""
importre
importsys
fromabslimportapp
fromabslimportflags
FLAGS=flags.FLAGS
flags.DEFINE_spaceseplist(
'input',
None,
'The C++ source files to scan for class comments.',
short_name='i')
flags.DEFINE_spaceseplist(
'output',
None,
'The C# source files which will have comments inserted.',
short_name='o')
flags.DEFINE_string(
'namespace_prefix', '',
'The prefix used to converted the C++ namespace to a C# class.')
# A regex to extract a C++ enum name from a line.
CPP_ENUM_DECLARATION_REGEX=re.compile(r'^\s*enum\s*(?:class\s*)?(\w+)\s*{')
# A regex to extract a C++ enum value identifier from a line. In other words,
# given the line ` kFoo = 1,` this will extract "kFoo".
CPP_ENUM_VALUE_IDENTIFIER_REGEX=re.compile(r'^\s*(\w+).*$')
# A regex to extract a C++ class or struct name from a line.
CPP_CLASS_DECLARATION_REGEX=re.compile(r'^\s*(?:class|struct) (\w+).*$')
# A regex to extract a C++ namespace name from a line.
CPP_NAMESPACE_DECLARATION_REGEX=re.compile(r'^\s*namespace (\w+).*$')
# A regex to extract a C-style global string identifier from a line. This is
# useful as in some cases these get translated into properties on C# classes.
CPP_GLOBAL_STRING_REGEX=re.compile(
r'^(?:static )?\s*const\s+char\s*\*\s*(?:const)?\s+(\w+)')
# A regex to extract a C# namespace name from a line.
# b/36068888: we should support symbol renaming properly
CSHARP_CLASS_DECLARATION_REGEX=re.compile(
r'^\s*(?:public|private) .*(?:class|struct) (?:Firebase)?(\w+).*$')
# A regex to extract a C# enum name from a line.
CSHARP_ENUM_DECLARATION_REGEX=re.compile(
r'^\s*(?:public|private) enum (\w+).*$')
# A regex to extract a C# enum value identifier from a line. This happens to be
# the same for both C++ and C#.
CSHARP_ENUM_VALUE_IDENTIFIER_REGEX=CPP_ENUM_VALUE_IDENTIFIER_REGEX
# A regex to extract a C# property from a line.
CSHARP_PROPERTY_REGEX=re.compile(r'public (?:static)? string (\w+) {')
defsnake_case_to_camel_case(string):
"""Converts a snake case string to a camel case string."""
result=''
capitalize=True
forcinstring:
ifc=='_':
capitalize=True
else:
result+=c.upper() ifcapitalizeelsec
capitalize=False
returnresult
defindentation(line):
"""Returns the number of leading whitespace characters."""
returnlen(line) -len(line.lstrip())
defcorrect_comment_indentation(comment, indent):
"""Ensure each line of a given block of text has the correct indentation."""
result=''
forlineincomment.splitlines():
result+=' '*indent+line.lstrip() +'\n'
returnresult
defextract_regex_captures(captures, regex, string):
"""Fills `captures` with the matches of `regex` in `string`.
This is a convenience function that populates a list with all the matching
substrings of the given regex in the given string and returns if there were
any matches. This is useful for when there are cascading if/elif statements
and you want to find the first regex that matches.
Args:
captures: A list to populate with matches, if any.
regex: The regex to match against.
string: The string to run the regex over.
Returns:
Whether or not there were any matches.
"""
delcaptures[:]
matches=regex.search(string)
ifmatches:
captures.extend(list(matches.groups()))
returnmatchesisnotNone
defscan_input_file(comments, input_filename):
"""Scan a file for comments prepended to classes, structs and namespaces.
Scans each line of the given file, looking for block of Doxygen comments (that
is, lines that start with '///') which appear immediately before a class,
struct or namespace declaration. Each match is stored in the given dict using
the name identifier as the key and the comment as the value.
Namespaces are handled slightly differently. Because our namespaces in C++
map to classes in C# (but with different casing rules) we convert the
namespace name from snake_case to CamelCase.
Args:
comments: A dict mapping C# class names to the comments that should be
prepended to them.
input_filename: The name of the file to scan for comments.
"""
withopen(input_filename, 'r') asinput_file:
most_recent_comment= []
most_recent_enum=None
forlineininput_file:
captures= []
parsing_comment=False
ifline.strip().startswith('///'):
most_recent_comment.append(line)
parsing_comment=True
elifline.strip().startswith('//'):
# Filter out non-doxygen comment lines.
pass
elifextract_regex_captures(captures, CPP_CLASS_DECLARATION_REGEX, line):
class_name=captures[0]
# This handles replacing forward declarations with no docs.
comments['classes'][class_name] =comments['classes'].get(
class_name, '') or''.join(most_recent_comment)
elifextract_regex_captures(captures, CPP_NAMESPACE_DECLARATION_REGEX,
line):
# The C++ namespace is converted to a C# class.
class_name=FLAGS.namespace_prefix+snake_case_to_camel_case(
captures[0])
comments['classes'][class_name] =''.join(most_recent_comment)
elifextract_regex_captures(captures, CPP_ENUM_DECLARATION_REGEX, line):
enum_name=captures[0]
most_recent_enum= {
'comment': ''.join(most_recent_comment),
'values': {}
}
comments['enums'][enum_name] =most_recent_enum
elifextract_regex_captures(captures, CPP_GLOBAL_STRING_REGEX, line):
property_name=captures[0]
comments['properties'][property_name] =''.join(most_recent_comment)
elifmost_recent_enumand'};'inline:
most_recent_enum=None
elifmost_recent_enumandextract_regex_captures(
captures, CPP_ENUM_VALUE_IDENTIFIER_REGEX, line):
identifier=captures[0]
most_recent_enum['values'][identifier] =''.join(most_recent_comment)
ifnotparsing_comment:
most_recent_comment= []
defprocess_output_file(output_filename, comments):
"""Annontates classes in the given file with the Doxygen comments.
Scan a file for classes, and if those class_names appear as keys in the given
class_comments dict, prepend those comments to the class (accounting for
indentation)
Args:
output_filename: The name of the file to insert comments into.
comments: A dict mapping C# class names to the comments that should be
prepended to them.
"""
withopen(output_filename, 'r') asoutput_file:
file_content=output_file.readlines()
try:
withopen(output_filename, 'w') asoutput_file:
most_recent_enum=None
forlineinfile_content:
captures= []
ifmost_recent_enum:
ifextract_regex_captures(captures,
CSHARP_ENUM_VALUE_IDENTIFIER_REGEX, line):
enum_identifier=captures[0]
comment=most_recent_enum['values'].get(enum_identifier)
ifcomment:
output_file.write(
correct_comment_indentation(comment, indentation(line)))
elif'}'inline:
most_recent_enum=None
else:
ifextract_regex_captures(captures, CSHARP_CLASS_DECLARATION_REGEX,
line):
class_name=captures[0]
# b/36068888: we should support symbol renaming properly
comment=comments['classes'].get(class_name) orcomments[
'classes'].get('Firebase'+class_name)
ifcomment:
output_file.write(
correct_comment_indentation(comment, indentation(line)))
elifextract_regex_captures(captures, CSHARP_ENUM_DECLARATION_REGEX,
line):
enum_name=captures[0]
enum_entry=comments['enums'].get(enum_name)
ifenum_entry:
most_recent_enum=enum_entry
output_file.write(
correct_comment_indentation(enum_entry['comment'],
indentation(line)))
elifextract_regex_captures(captures, CSHARP_PROPERTY_REGEX, line):
property_name=captures[0]
comment=comments['properties'].get(property_name)
ifcomment:
output_file.write(
correct_comment_indentation(comment, indentation(line)))
output_file.write(line)
exceptIOError:
sys.stderr.write('Could not open %s for writing'%output_filename)
defmain(unused_argv):
"""Extract comments from C++ classes and inject comments into C# classes.
Scans the list of input files for the Doxygen comments that preceed classes,
structs and namespaces, and then inserts those comments before the appropriate
C# classes and structs.
"""
comments= {
'classes': {},
'enums': {},
'properties': {},
}
forinput_filenameinFLAGS.input:
scan_input_file(comments, input_filename)
foroutput_filenameinFLAGS.output:
process_output_file(output_filename, comments)
if__name__=='__main__':
flags.mark_flag_as_required('input')
flags.mark_flag_as_required('output')
app.run(main)