-
Notifications
You must be signed in to change notification settings - Fork 38
/
swig_nested_fix.py
executable file
·240 lines (190 loc) · 8.09 KB
/
swig_nested_fix.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
# 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.
"""Groups scattered swig generated classes under a single class.
"""
import os
import re
from absl import app
from absl import flags
from absl import logging
FLAGS = flags.FLAGS
flags.DEFINE_string("csharp_dir", None,
"Path with generated csharp proxy classes to be processed.")
NAMESPACE_RE = re.compile(r"^\s*namespace\s+(.*)\s+{\s*$", re.MULTILINE)
class NamespaceException(Exception):
pass
class TargetMismatchException(Exception):
pass
class TargetMissingException(Exception):
pass
def reparent_files(target_class_filename, extra_files_list):
"""Moves the implemenation of C# classes, structs, and enums.
SWIG is hard-coded to extract all classes in the c++ headers to separate
files, and instead we want those classes to be nested under the created
target class which contains otherwise global functions and members.
This provides better isolated scope that's more natural for C# APIs in many
cases.
Here we'll parse all of the C# ".cs" files produced from the swig generation,
and strip off the surrounding namespace:
namespace Firebase {
// Capture from here...
public class Goodies {
}
// To here.
}
If there is no outter namespace, we'll assume the whole file contains the
class.
Then, we'll put all of these classes at the end of the module class which swig
generates to contain any global scope functions and variables (or the target
class if the module is intended to be empty).
Depending on whether or not we expect a namespace, we can simply count
trailing }'s to find out where to insert everything, because C# files should
always just contain one top level class.
Args:
target_class_filename: This is the name of the target file to be modified.
extra_files_list: This is a list of filenames that should be absorbed
into the target_class_filename.
Raises:
NamespaceException: This is raised if there are namespaces in any of the
files that are inconsistent with each other.
"""
target_extras = ""
common_namespace = ""
for cs_filename in extra_files_list:
with open(cs_filename, "r") as cs_file:
file_buffer = cs_file.read()
# cut off the surrounding brackets from the namespace, if there is one.
ns_start = file_buffer.find("{")
match = NAMESPACE_RE.search(file_buffer[:ns_start+1])
if match:
namespace_name = match.groups()[0]
common_namespace = common_namespace or namespace_name
if common_namespace != namespace_name:
raise NamespaceException(
"Inconsistent namespace in file %s vs %s. Expected %s found %s" %
(cs_filename, str(extra_files_list), common_namespace,
namespace_name))
file_buffer = file_buffer[ns_start+1:file_buffer.rfind("}")]
# Split into lines to indent everything one level.
file_buffer = "\n".join([" " + line for line in file_buffer.splitlines()])
target_extras += file_buffer + "\n"
with open(target_class_filename, "r") as target_class_file:
target_class = target_class_file.read()
match = NAMESPACE_RE.search(target_class[:target_class.find("{")+1])
if match:
namespace_name = match.groups()[0]
common_namespace = common_namespace or namespace_name
if common_namespace != namespace_name:
raise NamespaceException(
"Inconsistent namespace in file %s vs %s. Expected %s found %s" %
(target_class_filename, str(extra_files_list), common_namespace,
namespace_name))
end_namespace_pos = target_class.rfind("}")
else:
end_namespace_pos = len(target_class)
end_class_pos = target_class.rfind("}", 0, end_namespace_pos)
target_class = (target_class[:end_class_pos] +
target_extras +
target_class[end_class_pos:])
with open(target_class_filename, "w") as target_class_file:
target_class_file.write(target_class)
# We'll cleanup here, in a second pass, so that there's less risk of losing
# content if things break.
for cs_filename in extra_files_list:
os.remove(cs_filename)
def main(unused_argv):
"""Moves swig generated classes to a common container class.
The .csproj filename is used to find the .cs file (with the same name) which
will contain all of the other SWIG generated classes.
Args:
unused_argv: Extra arguments not consumed by the config flags.
Returns:
The exit code status; 1 for error, 0 for success.
Raises:
TargetMismatchException: This is raised if the .csproj name does not match
the basename of a .cs file in the folder. For example, App.csproj must have
an App.cs file present.
TargetMissingException: This is raised if files are missing that are used
for determining the target container class.
"""
cs_dir = FLAGS.csharp_dir
# Get all of the files in the proxy dir.
files = [f for f in os.listdir(cs_dir)
if not os.path.isdir(os.path.join(cs_dir, f))]
# Find the name of the target file by finding the .csproj file.
# Find the name of the moudle file by looking for the PINVOKE file.
module_name = ""
target_name = ""
for f in files:
filename, extension = os.path.splitext(f)
if extension == ".csproj":
target_name = filename
if filename.endswith("PINVOKE"):
module_name = filename[:-7]
if not target_name:
raise TargetMissingException(
"No \".csproj\" file found in the csharp_dir.")
if not module_name:
raise TargetMissingException(
"No \"*PINVOKE.cs\" file found in the csharp_dir.")
# Now remove the target name related files, and what's left should all be
# classes, enums, and structs stripped out of the C++ API, we want to fix.
if (target_name + ".cs") not in files:
raise TargetMismatchException(
("%s.cs does not exist.\n"
"Make sure that the -n argument of build_plugin.sh (currently:%s) "
"matches either the %%module property in your SWIG file or a class "
"name you're exporting and want to be the primary interface." %
(target_name, target_name)))
files.remove(target_name + ".csproj")
files.remove(target_name + ".cs")
files.remove(module_name + "PINVOKE.cs")
files.remove("AssemblyInfo.cs")
logging.info(("The contents of the following files %s are being moved to "
"%s.cs."), str(files), target_name)
# Make the list into full paths.
paths = [os.path.join(FLAGS.csharp_dir, f) for f in files]
if paths:
reparent_files(os.path.join(FLAGS.csharp_dir, target_name + ".cs"),
paths)
with open(os.path.join(FLAGS.csharp_dir, target_name + ".csproj"),
"r+") as csproj:
csproj_lines = csproj.readlines()
csproj.seek(0)
for line in csproj_lines:
if not any([i in line for i in files]):
csproj.write(line)
csproj.truncate()
# For the files moved, update the PInvoke file so that references to the
# classes as parameters include the target class with the path.
classes = []
for f in files:
base, ext = os.path.splitext(f)
if ext == ".cs":
classes.append(base)
class_re = re.compile(r"((%s)( |\.\S* )[a-zA-Z_][a-zA-Z_0-9]*)" %
"|".join(classes))
replacement = target_name + r".\1"
with open(os.path.join(FLAGS.csharp_dir, module_name +"PINVOKE.cs"),
"r+") as pinvoke:
pinvoke_lines = pinvoke.readlines()
pinvoke.seek(0)
for line in pinvoke_lines:
line = class_re.sub(replacement, line)
pinvoke.write(line)
pinvoke.truncate()
return 0
if __name__ == "__main__":
flags.mark_flag_as_required("csharp_dir")
app.run(main)