ccompiler.py 17 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392
  1. # -*- Mode: Python -*-
  2. # GObject-Introspection - a framework for introspecting GObject libraries
  3. # Copyright (C) 2014 Chun-wei Fan
  4. #
  5. # This library is free software; you can redistribute it and/or
  6. # modify it under the terms of the GNU Lesser General Public
  7. # License as published by the Free Software Foundation; either
  8. # version 2 of the License, or (at your option) any later version.
  9. #
  10. # This library is distributed in the hope that it will be useful,
  11. # but WITHOUT ANY WARRANTY; without even the implied warranty of
  12. # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
  13. # Lesser General Public License for more details.
  14. #
  15. # You should have received a copy of the GNU Lesser General Public
  16. # License along with this library; if not, write to the
  17. # Free Software Foundation, Inc., 59 Temple Place - Suite 330,
  18. # Boston, MA 02111-1307, USA.
  19. #
  20. import os
  21. import subprocess
  22. import tempfile
  23. import sys
  24. import distutils
  25. from distutils.msvccompiler import MSVCCompiler
  26. from distutils.unixccompiler import UnixCCompiler
  27. from distutils.cygwinccompiler import Mingw32CCompiler
  28. from distutils.sysconfig import customize_compiler
  29. from . import utils
  30. class CCompiler(object):
  31. compiler_cmd = ''
  32. compiler = None
  33. _cflags_no_deprecation_warnings = ''
  34. def __init__(self,
  35. environ=os.environ,
  36. osname=os.name,
  37. compiler_name=None):
  38. if osname == 'nt':
  39. # The compiler used here on Windows may well not be
  40. # the same compiler that was used to build Python,
  41. # as the official Python binaries are built with
  42. # Visual Studio
  43. if compiler_name is None:
  44. if environ.get('MSYSTEM') == 'MINGW32' or environ.get('MSYSTEM') == 'MINGW64':
  45. compiler_name = 'mingw32'
  46. else:
  47. compiler_name = distutils.ccompiler.get_default_compiler()
  48. if compiler_name != 'msvc' and \
  49. compiler_name != 'mingw32':
  50. raise SystemExit('Specified Compiler \'%s\' is unsupported.' % compiler_name)
  51. else:
  52. # XXX: Is it common practice to use a non-Unix compiler
  53. # class instance on non-Windows on platforms g-i supports?
  54. compiler_name = distutils.ccompiler.get_default_compiler()
  55. # Now, create the distutils ccompiler instance based on the info we have.
  56. if compiler_name == 'msvc':
  57. # For MSVC, we need to create a instance of a subclass of distutil's
  58. # MSVC9Compiler class, as it does not provide a preprocess()
  59. # implementation
  60. from . import msvccompiler
  61. self.compiler = msvccompiler.get_msvc_compiler()
  62. else:
  63. self.compiler = distutils.ccompiler.new_compiler(compiler=compiler_name)
  64. customize_compiler(self.compiler)
  65. # customize_compiler() from distutils only does customization
  66. # for 'unix' compiler type. Also, avoid linking to msvcrxx.dll
  67. # for MinGW builds as the dumper binary does not link to the
  68. # Python DLL, but link to msvcrt.dll if necessary.
  69. if isinstance(self.compiler, Mingw32CCompiler):
  70. if self.compiler.dll_libraries != ['msvcrt']:
  71. self.compiler.dll_libraries = []
  72. if self.compiler.preprocessor is None:
  73. self.compiler.preprocessor = self.compiler.compiler + ['-E']
  74. if self.check_is_msvc():
  75. # We trick distutils to believe that we are (always) using a
  76. # compiler supplied by a Windows SDK, so that we avoid launching
  77. # a new build environment to detect the compiler that is used to
  78. # build Python itself, which is not desirable, so that we use the
  79. # compiler commands (and env) as-is.
  80. os.environ['DISTUTILS_USE_SDK'] = '1'
  81. if 'MSSdk' not in os.environ:
  82. if 'WindowsSDKDir' in os.environ:
  83. os.environ['MSSdk'] = os.environ.get('WindowsSDKDir')
  84. elif os.environ.get('VCInstallDir'):
  85. os.environ['MSSdk'] = os.environ.get('VCInstallDir')
  86. self.compiler_cmd = 'cl.exe'
  87. self._cflags_no_deprecation_warnings = "-wd4996"
  88. else:
  89. if (isinstance(self.compiler, Mingw32CCompiler)):
  90. self.compiler_cmd = self.compiler.compiler[0]
  91. else:
  92. self.compiler_cmd = ' '.join(self.compiler.compiler)
  93. self._cflags_no_deprecation_warnings = "-Wno-deprecated-declarations"
  94. def get_internal_link_flags(self, args, libtool, libraries, libpaths):
  95. # An "internal" link is where the library to be introspected
  96. # is being built in the current directory.
  97. if not libtool:
  98. # non-libtool case: prepare distutils use
  99. if self.check_is_msvc():
  100. for library in libraries:
  101. # MSVC Builds don't use libtool, so no .la libraries,
  102. # so just add the library directly.
  103. self.compiler.add_library(library)
  104. for libpath in libpaths:
  105. self.compiler.add_library_dir(libpath)
  106. else:
  107. # Search the current directory first
  108. # (This flag is not supported nor needed for Visual C++)
  109. self.compiler.add_library_dir('.')
  110. if os.name != 'nt':
  111. self.compiler.add_runtime_library_dir('.')
  112. # https://bugzilla.gnome.org/show_bug.cgi?id=625195
  113. args.append('-Wl,-rpath,.')
  114. # Ensure libraries are always linked as we are going to use ldd to work
  115. # out their names later
  116. if sys.platform != 'darwin':
  117. args.append('-Wl,--no-as-needed')
  118. for library in libraries:
  119. self.compiler.add_library(library)
  120. if not self.check_is_msvc():
  121. for library_path in libpaths:
  122. args.append('-L' + library_path)
  123. if os.path.isabs(library_path):
  124. args.append('-Wl,-rpath,' + library_path)
  125. else:
  126. # libtool case: assemble linker command arguments, like we did before
  127. args.append('-L.')
  128. for library in libraries:
  129. if library.endswith(".la"): # explicitly specified libtool library
  130. args.append(library)
  131. else:
  132. args.append('-l' + library)
  133. for library_path in libpaths:
  134. args.append('-L' + library_path)
  135. if os.path.isabs(library_path):
  136. args.append('-rpath')
  137. args.append(library_path)
  138. def get_external_link_flags(self, args, libtool, libraries):
  139. # An "external" link is where the library to be introspected
  140. # is installed on the system; this case is used for the scanning
  141. # of GLib in gobject-introspection itself.
  142. for library in libraries:
  143. if not libtool:
  144. self.compiler.add_library(library)
  145. else:
  146. if library.endswith(".la"): # explicitly specified libtool library
  147. args.append(library)
  148. else:
  149. args.append('-l' + library)
  150. def preprocess(self, source, output, cpp_options):
  151. extra_postargs = ['-C']
  152. (include_paths, macros, postargs) = self._set_cpp_options(cpp_options)
  153. # We always want to include the current path
  154. include_dirs = ['.']
  155. include_dirs.extend(include_paths)
  156. extra_postargs.extend(postargs)
  157. # Define these macros when using Visual C++ to silence many warnings,
  158. # and prevent stepping on many Visual Studio-specific items, so that
  159. # we don't have to handle them specifically in scannerlexer.l
  160. if self.check_is_msvc():
  161. macros.append(('_USE_DECLSPECS_FOR_SAL', None))
  162. macros.append(('_CRT_SECURE_NO_WARNINGS', None))
  163. macros.append(('_CRT_NONSTDC_NO_WARNINGS', None))
  164. macros.append(('SAL_NO_ATTRIBUTE_DECLARATIONS', None))
  165. self.compiler.preprocess(source=source,
  166. output_file=output,
  167. macros=macros,
  168. include_dirs=include_dirs,
  169. extra_postargs=extra_postargs)
  170. def compile(self, pkg_config_cflags, cpp_includes, source, init_sections):
  171. extra_postargs = []
  172. includes = []
  173. source_str = ''.join(source)
  174. tmpdir_idx = source_str.rfind(os.sep, 0, source_str.rfind(os.sep))
  175. (include_paths, macros, extra_args) = \
  176. self._set_cpp_options(pkg_config_cflags)
  177. for include in cpp_includes:
  178. includes.append(include)
  179. if isinstance(self.compiler, UnixCCompiler):
  180. # This is to handle the case where macros are defined in CFLAGS
  181. cflags = os.environ.get('CFLAGS')
  182. if cflags:
  183. for i, cflag in enumerate(cflags.split()):
  184. if cflag.startswith('-D'):
  185. stridx = cflag.find('=')
  186. if stridx > -1:
  187. macroset = (cflag[2:stridx],
  188. cflag[stridx + 1:])
  189. else:
  190. macroset = (cflag[2:], None)
  191. if macroset not in macros:
  192. macros.append(macroset)
  193. # Do not add -Wall when using init code as we do not include any
  194. # header of the library being introspected
  195. if self.compiler_cmd == 'gcc' and not init_sections:
  196. extra_postargs.append('-Wall')
  197. extra_postargs.append(self._cflags_no_deprecation_warnings)
  198. includes.extend(include_paths)
  199. extra_postargs.extend(extra_args)
  200. return self.compiler.compile(sources=source,
  201. macros=macros,
  202. include_dirs=includes,
  203. extra_postargs=extra_postargs,
  204. output_dir=str(source_str[tmpdir_idx + 1:
  205. source_str.rfind(os.sep)]))
  206. def link(self, output, objects, lib_args):
  207. # Note: This is used for non-libtool builds only!
  208. extra_preargs = []
  209. extra_postargs = []
  210. library_dirs = []
  211. libraries = []
  212. for arg in lib_args:
  213. extra_postargs.append(arg)
  214. self.compiler.link(target_desc=self.compiler.EXECUTABLE,
  215. objects=objects,
  216. output_filename=output,
  217. extra_preargs=extra_preargs,
  218. extra_postargs=extra_postargs)
  219. def resolve_windows_libs(self, libraries, options):
  220. args = []
  221. libsearch = []
  222. # When we are using Visual C++...
  223. if self.check_is_msvc():
  224. # The search path of the .lib's on Visual C++
  225. # is dependent on the LIB environmental variable,
  226. # so just query for that
  227. libpath = os.environ.get('LIB')
  228. libsearch = libpath.split(';')
  229. # Use the dumpbin utility that's included in
  230. # every Visual C++ installation to find out which
  231. # DLL the .lib gets linked to.
  232. # dumpbin -symbols something.lib gives the
  233. # filename of DLL without the '.dll' extension that something.lib
  234. # links to, in the line that contains
  235. # __IMPORT_DESCRIPTOR_<dll_filename_that_something.lib_links_to>
  236. args.append('dumpbin.exe')
  237. args.append('-symbols')
  238. # When we are not using Visual C++ (i.e. we are using GCC)...
  239. else:
  240. libtool = utils.get_libtool_command(options)
  241. if libtool:
  242. if os.name == 'nt':
  243. args.append(utils.which(os.environ.get('SHELL', 'sh.exe')))
  244. args.extend(libtool)
  245. args.append('--mode=execute')
  246. args.extend([os.environ.get('DLLTOOL', 'dlltool.exe'), '--identify'])
  247. proc = subprocess.Popen([self.compiler_cmd, '-print-search-dirs'],
  248. stdout=subprocess.PIPE)
  249. o, e = proc.communicate()
  250. for line in o.decode('ascii').splitlines():
  251. if line.startswith('libraries: '):
  252. libsearch = line[len('libraries: '):].split(os.pathsep)
  253. shlibs = []
  254. not_resolved = []
  255. for lib in libraries:
  256. found = False
  257. candidates = [
  258. 'lib%s.dll.a' % lib,
  259. 'lib%s.a' % lib,
  260. '%s.dll.a' % lib,
  261. '%s.a' % lib,
  262. '%s.lib' % lib,
  263. ]
  264. for l in libsearch:
  265. if found:
  266. break
  267. if l.startswith('='):
  268. l = l[1:]
  269. for c in candidates:
  270. if found:
  271. break
  272. implib = os.path.join(l, c)
  273. if os.path.exists(implib):
  274. if self.check_is_msvc():
  275. tmp_fd, tmp_filename = \
  276. tempfile.mkstemp(prefix='g-ir-win32-resolve-lib-')
  277. # This is dumb, but it is life... Windows does not like one
  278. # trying to write to a file when its FD is not closed first,
  279. # when we use a flag in a program to do so. So, close,
  280. # write to temp file with dumpbin and *then* re-open the
  281. # file for reading.
  282. os.close(tmp_fd)
  283. output_flag = ['-out:' + tmp_filename]
  284. proc = subprocess.call(args + [implib] + output_flag,
  285. stdout=subprocess.PIPE)
  286. with open(tmp_filename, 'r') as tmp_fileobj:
  287. for line in tmp_fileobj.read().splitlines():
  288. if '__IMPORT_DESCRIPTOR_' in line:
  289. line_tokens = line.split()
  290. for item in line_tokens:
  291. if item.startswith('__IMPORT_DESCRIPTOR_'):
  292. shlibs.append(item[20:] + '.dll')
  293. found = True
  294. break
  295. tmp_fileobj.close()
  296. os.unlink(tmp_filename)
  297. else:
  298. proc = subprocess.Popen(args + [implib],
  299. stdout=subprocess.PIPE)
  300. o, e = proc.communicate()
  301. for line in o.decode('ascii').splitlines():
  302. shlibs.append(line)
  303. found = True
  304. break
  305. if not found:
  306. not_resolved.append(lib)
  307. if len(not_resolved) > 0:
  308. raise SystemExit(
  309. "ERROR: can't resolve libraries to shared libraries: " +
  310. ", ".join(not_resolved))
  311. return shlibs
  312. def check_is_msvc(self):
  313. if isinstance(self.compiler, MSVCCompiler):
  314. return True
  315. else:
  316. return False
  317. # Private APIs
  318. def _set_cpp_options(self, options):
  319. includes = []
  320. macros = []
  321. other_options = []
  322. for o in options:
  323. option = utils.cflag_real_include_path(o)
  324. if option.startswith('-I'):
  325. includes.append(option[len('-I'):])
  326. elif option.startswith('-D'):
  327. macro = option[len('-D'):]
  328. macro_index = macro.find('=')
  329. if macro_index == -1:
  330. macro_name = macro
  331. macro_value = None
  332. else:
  333. macro_name = macro[:macro_index]
  334. macro_value = macro[macro_index + 1:]
  335. macros.append((macro_name, macro_value))
  336. elif option.startswith('-U'):
  337. macros.append((option[len('-U'):],))
  338. else:
  339. # We expect the preprocessor to remove macros. If debugging is turned
  340. # up high enough that won't happen, so don't add those flags. Bug #720504
  341. if option not in ['-g3', '-ggdb3', '-gstabs3', '-gcoff3', '-gxcoff3', '-gvms3']:
  342. other_options.append(option)
  343. return (includes, macros, other_options)