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
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
|
"""Generate vcxproj and vcxproj.filters files for browsing code in Visual Studio 2015.
To build mongodb, you must use scons. You can use this project to navigate code during debugging.
HOW TO USE
First, you need a compile_commands.json file, to generate run the following command:
scons compiledb
Next, run the following command
python buildscripts/make_vcxproj.py FILE_NAME
where FILE_NAME is the of the file to generate e.g., "mongod"
"""
import io
import json
import os
import re
import sys
import uuid
import argparse
import xml.etree.ElementTree as ET
VCXPROJ_FOOTER = r"""
<ItemGroup>
<None Include="src\mongo\db\mongo.ico" />
</ItemGroup>
<ItemGroup>
<ResourceCompile Include="src\mongo\db\db.rc" />
</ItemGroup>
<ItemGroup>
<Natvis Include="buildscripts\win\mongodb.natvis" />
<Natvis Include="src\third_party\yaml-cpp\yaml-cpp\src\contrib\yaml-cpp.natvis" />
</ItemGroup>
<Import Project="$(VCTargetsPath)\Microsoft.Cpp.targets" />
<ImportGroup Label="ExtensionTargets"></ImportGroup>
</Project>
"""
VCXPROJ_NAMESPACE = 'http://schemas.microsoft.com/developer/msbuild/2003'
# We preserve certain fields by saving them and restoring between file generations
VCXPROJ_FIELDS_TO_PRESERVE = [
"NMakeBuildCommandLine",
"NMakeOutput",
"NMakeCleanCommandLine",
"NMakeReBuildCommandLine",
]
VCXPROJ_TOOLSVERSION = {
"14.1": "15.0",
"14.2": "16.0",
"14.3": "17.0",
}
VCXPROJ_PLATFORM_TOOLSET = {
"14.1": "v141",
"14.2": "v142",
"14.3": "v143",
}
VCXPROJ_WINDOWS_TARGET_SDK = {
"14.1": "10.0.17763.0",
"14.2": "10.0.18362.0",
"14.3": "10.0.19041.0",
}
VCXPROJ_MSVC_DEFAULT_VERSION = "14.3" # Visual Studio 2022
def get_defines(args):
"""Parse a compiler argument list looking for defines."""
ret = set()
for arg in args:
if arg.startswith('/D'):
ret.add(arg[2:])
return ret
def get_includes(args):
"""Parse a compiler argument list looking for includes."""
ret = set()
for arg in args:
if arg.startswith('/I'):
ret.add(arg[2:])
return ret
def _read_vcxproj(file_name):
"""Parse a vcxproj file and look for "NMake" prefixed elements in PropertyGroups."""
# Skip if this the first run
if not os.path.exists(file_name):
return None
tree = ET.parse(file_name)
interesting_tags = ['{%s}%s' % (VCXPROJ_NAMESPACE, tag) for tag in VCXPROJ_FIELDS_TO_PRESERVE]
save_elements = {}
for parent in tree.getroot():
for child in parent:
if child.tag in interesting_tags:
cond = parent.attrib['Condition']
save_elements[(parent.tag, child.tag, cond)] = child.text
return save_elements
def _replace_vcxproj(file_name, restore_elements):
"""Parse a vcxproj file, and replace elememts text nodes with values saved before."""
# Skip if this the first run
if not restore_elements:
return
tree = ET.parse(file_name)
interesting_tags = ['{%s}%s' % (VCXPROJ_NAMESPACE, tag) for tag in VCXPROJ_FIELDS_TO_PRESERVE]
for parent in tree.getroot():
for child in parent:
if child.tag in interesting_tags:
# Match PropertyGroup elements based on their condition
cond = parent.attrib['Condition']
saved_value = restore_elements[(parent.tag, child.tag, cond)]
child.text = saved_value
stream = io.StringIO()
tree.write(stream, encoding='unicode')
str_value = stream.getvalue()
# Strip the "ns0:" namespace prefix because ElementTree does not support default namespaces.
str_value = str_value.replace("<ns0:", "<").replace("</ns0:", "</").replace(
"xmlns:ns0", "xmlns")
with io.open(file_name, mode='w') as file_handle:
file_handle.write(str_value)
class ProjFileGenerator(object):
"""Generate a .vcxproj and .vcxprof.filters file."""
def __init__(self, target, vs_version):
"""Initialize ProjFileGenerator."""
# we handle DEBUG in the vcxproj header:
self.common_defines = set()
self.common_defines.add("DEBUG")
self.common_defines.add("_DEBUG")
self.includes = set()
self.target = target
self.compiles = []
self.files = set()
self.all_defines = set()
self.vcxproj = None
self.filters = None
self.all_defines = set(self.common_defines)
self.vcxproj_file_name = self.target + ".vcxproj"
self.tools_version = VCXPROJ_TOOLSVERSION[vs_version]
self.platform_toolset = VCXPROJ_PLATFORM_TOOLSET[vs_version]
self.windows_target_sdk = VCXPROJ_WINDOWS_TARGET_SDK[vs_version]
self.existing_build_commands = _read_vcxproj(self.vcxproj_file_name)
def __enter__(self):
return self
def __exit__(self, exc_type, exc_value, traceback):
self.vcxproj = open(
self.vcxproj_file_name,
"w",
)
with open('buildscripts/vcxproj.header', 'r') as header_file:
header_str = header_file.read()
header_str = header_str.replace("%_TARGET_%", self.target)
header_str = header_str.replace("%ToolsVersion%", self.tools_version)
header_str = header_str.replace("%PlatformToolset%", self.platform_toolset)
header_str = header_str.replace("%WindowsTargetPlatformVersion%",
self.windows_target_sdk)
header_str = header_str.replace("%AdditionalIncludeDirectories%", ';'.join(
sorted(self.includes)))
self.vcxproj.write(header_str)
common_defines = self.all_defines
for comp in self.compiles:
common_defines = common_defines.intersection(comp['defines'])
self.vcxproj.write("<!-- common_defines -->\n")
self.vcxproj.write("<ItemDefinitionGroup><ClCompile><PreprocessorDefinitions>" +
';'.join(common_defines) + ";%(PreprocessorDefinitions)\n")
self.vcxproj.write("</PreprocessorDefinitions></ClCompile></ItemDefinitionGroup>\n")
self.vcxproj.write(" <ItemGroup>\n")
for command in self.compiles:
defines = command["defines"].difference(common_defines)
if defines:
self.vcxproj.write(" <ClCompile Include=\"" + command["file"] +
"\"><PreprocessorDefinitions>" + ';'.join(defines) +
";%(PreprocessorDefinitions)" +
"</PreprocessorDefinitions></ClCompile>\n")
else:
self.vcxproj.write(" <ClCompile Include=\"" + command["file"] + "\" />\n")
self.vcxproj.write(" </ItemGroup>\n")
self.filters = open(self.target + ".vcxproj.filters", "w")
self.filters.write("<?xml version='1.0' encoding='utf-8'?>\n")
self.filters.write("<Project ToolsVersion='14.0' " +
"xmlns='http://schemas.microsoft.com/developer/msbuild/2003'>\n")
self.__write_filters()
self.vcxproj.write(VCXPROJ_FOOTER)
self.vcxproj.close()
self.filters.write("</Project>\n")
self.filters.close()
# Replace build commands
_replace_vcxproj(self.vcxproj_file_name, self.existing_build_commands)
def parse_line(self, line):
"""Parse a build line."""
if line.startswith("cl"):
self.__parse_cl_line(line[3:])
def __parse_cl_line(self, line):
"""Parse a compiler line."""
# Get the file we are compilong
file_name = re.search(r"/c ([\w\\.-]+) ", line).group(1)
# Skip files made by scons for configure testing
if "sconf_temp" in file_name:
return
self.files.add(file_name)
args = line.split(' ')
file_defines = set()
for arg in get_defines(args):
if arg not in self.common_defines:
file_defines.add(arg)
self.all_defines = self.all_defines.union(file_defines)
for arg in get_includes(args):
self.includes.add(arg)
self.compiles.append({"file": file_name, "defines": file_defines})
@staticmethod
def __is_header(name):
"""Return True if this a header file."""
headers = [".h", ".hpp", ".hh", ".hxx"]
for header in headers:
if name.endswith(header):
return True
return False
@staticmethod
def __cpp_file(name):
"""Return True if this a C++ header or source file."""
file_exts = [".cpp", ".c", ".cxx", ".h", ".hpp", ".hh", ".hxx"]
file_ext = os.path.splitext(name)[1]
if file_ext in file_exts:
return True
return False
def __write_filters(self):
"""Generate the vcxproj.filters file."""
# 1. get a list of directories for all the files
# 2. get all the C++ files in each of these dirs
# 3. Output these lists of files to vcxproj and vcxproj.headers
# Note: order of these lists does not matter, VS will sort them anyway
dirs = set()
scons_files = set()
for file_name in self.files:
dirs.add(os.path.dirname(file_name))
base_dirs = set()
for directory in dirs:
if not os.path.exists(directory):
print(("Warning: skipping include file scan for directory '%s'" +
" because it does not exist.") % str(directory))
continue
# Get all the C++ files
for file_name in os.listdir(directory):
if self.__cpp_file(file_name):
self.files.add(directory + "\\" + file_name)
# Make sure the set also includes the base directories
# (i.e. src/mongo and src as examples)
base_name = os.path.dirname(directory)
while base_name:
base_dirs.add(base_name)
base_name = os.path.dirname(base_name)
dirs = dirs.union(base_dirs)
# Get all the scons files
for directory in dirs:
if os.path.exists(directory):
for file_name in os.listdir(directory):
if file_name == "SConstruct" or "SConscript" in file_name:
scons_files.add(directory + "\\" + file_name)
scons_files.add("SConstruct")
# Write a list of directory entries with unique guids
self.filters.write(" <ItemGroup>\n")
for file_name in sorted(dirs):
self.filters.write(" <Filter Include='%s'>\n" % file_name)
self.filters.write(" <UniqueIdentifier>{%s}</UniqueIdentifier>\n" % uuid.uuid4())
self.filters.write(" </Filter>\n")
self.filters.write(" </ItemGroup>\n")
# Write a list of files to compile
self.filters.write(" <ItemGroup>\n")
for file_name in sorted(self.files):
if not self.__is_header(file_name):
self.filters.write(" <ClCompile Include='%s'>\n" % file_name)
self.filters.write(" <Filter>%s</Filter>\n" % os.path.dirname(file_name))
self.filters.write(" </ClCompile>\n")
self.filters.write(" </ItemGroup>\n")
# Write a list of headers
self.filters.write(" <ItemGroup>\n")
for file_name in sorted(self.files):
if self.__is_header(file_name):
self.filters.write(" <ClInclude Include='%s'>\n" % file_name)
self.filters.write(" <Filter>%s</Filter>\n" % os.path.dirname(file_name))
self.filters.write(" </ClInclude>\n")
self.filters.write(" </ItemGroup>\n")
# Write a list of scons files
self.filters.write(" <ItemGroup>\n")
for file_name in sorted(scons_files):
self.filters.write(" <None Include='%s'>\n" % file_name)
self.filters.write(" <Filter>%s</Filter>\n" % os.path.dirname(file_name))
self.filters.write(" </None>\n")
self.filters.write(" </ItemGroup>\n")
# Write a list of headers into the vcxproj
self.vcxproj.write(" <ItemGroup>\n")
for file_name in sorted(self.files):
if self.__is_header(file_name):
self.vcxproj.write(" <ClInclude Include='%s' />\n" % file_name)
self.vcxproj.write(" </ItemGroup>\n")
# Write a list of scons files into the vcxproj
self.vcxproj.write(" <ItemGroup>\n")
for file_name in sorted(scons_files):
self.vcxproj.write(" <None Include='%s' />\n" % file_name)
self.vcxproj.write(" </ItemGroup>\n")
def main():
"""Execute Main program."""
parser = argparse.ArgumentParser(description='VS Project File Generator.')
parser.add_argument('--version', type=str, nargs='?', help="MSVC Toolchain version",
default=VCXPROJ_MSVC_DEFAULT_VERSION)
parser.add_argument('target', type=str, help="File to generate")
args = parser.parse_args()
with ProjFileGenerator(args.target, args.version) as projfile:
with open("compile_commands.json", "rb") as sjh:
contents = sjh.read().decode('utf-8')
commands = json.loads(contents)
for command in commands:
command_str = command["command"]
projfile.parse_line(command_str)
main()
|