dumper.py 12 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328
  1. # -*- Mode: Python -*-
  2. # GObject-Introspection - a framework for introspecting GObject libraries
  3. # Copyright (C) 2008 Colin Walters
  4. # Copyright (C) 2008 Johan Dahlin
  5. #
  6. # This library is free software; you can redistribute it and/or
  7. # modify it under the terms of the GNU Lesser General Public
  8. # License as published by the Free Software Foundation; either
  9. # version 2 of the License, or (at your option) any later version.
  10. #
  11. # This library is distributed in the hope that it will be useful,
  12. # but WITHOUT ANY WARRANTY; without even the implied warranty of
  13. # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
  14. # Lesser General Public License for more details.
  15. #
  16. # You should have received a copy of the GNU Lesser General Public
  17. # License along with this library; if not, write to the
  18. # Free Software Foundation, Inc., 59 Temple Place - Suite 330,
  19. # Boston, MA 02111-1307, USA.
  20. #
  21. from __future__ import absolute_import
  22. from __future__ import division
  23. from __future__ import print_function
  24. from __future__ import unicode_literals
  25. import os
  26. import sys
  27. import subprocess
  28. import shutil
  29. import tempfile
  30. from distutils.errors import LinkError
  31. from .gdumpparser import IntrospectionBinary
  32. from . import utils
  33. from .ccompiler import CCompiler
  34. # bugzilla.gnome.org/558436
  35. # Compile a binary program which is then linked to a library
  36. # we want to introspect, in order to call its get_type functions.
  37. _PROGRAM_TEMPLATE = """/* This file is generated, do not edit */
  38. #include <glib.h>
  39. #include <string.h>
  40. #include <stdlib.h>
  41. %(gdump_include)s
  42. int
  43. main(int argc, char **argv)
  44. {
  45. GError *error = NULL;
  46. const char *introspect_dump_prefix = "--introspect-dump=";
  47. #if !GLIB_CHECK_VERSION(2,35,0)
  48. g_type_init ();
  49. #endif
  50. %(init_sections)s
  51. if (argc != 2 || !g_str_has_prefix (argv[1], introspect_dump_prefix))
  52. {
  53. g_printerr ("Usage: %%s --introspect-dump=input,output", argv[0]);
  54. exit (1);
  55. }
  56. if (!dump_irepository (argv[1] + strlen(introspect_dump_prefix), &error))
  57. {
  58. g_printerr ("%%s\\n", error->message);
  59. exit (1);
  60. }
  61. exit (0);
  62. }
  63. """
  64. class CompilerError(Exception):
  65. pass
  66. class LinkerError(Exception):
  67. pass
  68. class DumpCompiler(object):
  69. _compiler = None
  70. def __init__(self, options, get_type_functions, error_quark_functions):
  71. self._options = options
  72. self._get_type_functions = get_type_functions
  73. self._error_quark_functions = error_quark_functions
  74. # Acquire the compiler (and linker) commands via the CCompiler class in ccompiler.py
  75. self._compiler = CCompiler()
  76. self._pkgconfig_cmd = os.environ.get('PKG_CONFIG', 'pkg-config')
  77. self._uninst_srcdir = os.environ.get('UNINSTALLED_INTROSPECTION_SRCDIR')
  78. self._packages = ['gio-2.0 gmodule-2.0']
  79. self._packages.extend(options.packages)
  80. if hasattr(self._compiler.compiler, 'linker_exe'):
  81. self._linker_cmd = self._compiler.compiler.linker_exe
  82. else:
  83. self._linker_cmd = []
  84. # Public API
  85. def run(self):
  86. # We have to use the current directory to work around Unix
  87. # sysadmins who mount /tmp noexec
  88. tmpdir = tempfile.mkdtemp('', 'tmp-introspect', dir=os.getcwd())
  89. os.mkdir(os.path.join(tmpdir, '.libs'))
  90. tpl_args = {}
  91. if self._uninst_srcdir is not None:
  92. gdump_path = os.path.join(self._uninst_srcdir, 'girepository', 'gdump.c')
  93. else:
  94. gdump_path = os.path.join(os.path.join(DATADIR), 'gobject-introspection-1.0',
  95. 'gdump.c')
  96. if not os.path.isfile(gdump_path):
  97. raise SystemExit("Couldn't find %r" % (gdump_path, ))
  98. with open(gdump_path) as gdump_file:
  99. gdump_contents = gdump_file.read()
  100. tpl_args['gdump_include'] = gdump_contents
  101. tpl_args['init_sections'] = "\n".join(self._options.init_sections)
  102. c_path = self._generate_tempfile(tmpdir, '.c')
  103. with open(c_path, 'w') as f:
  104. f.write(_PROGRAM_TEMPLATE % tpl_args)
  105. # We need to reference our get_type and error_quark functions
  106. # to make sure they are pulled in at the linking stage if the
  107. # library is a static library rather than a shared library.
  108. if len(self._get_type_functions) > 0:
  109. for func in self._get_type_functions:
  110. f.write("extern GType " + func + "(void);\n")
  111. f.write("GType (*GI_GET_TYPE_FUNCS_[])(void) = {\n")
  112. first = True
  113. for func in self._get_type_functions:
  114. if first:
  115. first = False
  116. else:
  117. f.write(",\n")
  118. f.write(" " + func)
  119. f.write("\n};\n")
  120. if len(self._error_quark_functions) > 0:
  121. for func in self._error_quark_functions:
  122. f.write("extern GQuark " + func + "(void);\n")
  123. f.write("GQuark (*GI_ERROR_QUARK_FUNCS_[])(void) = {\n")
  124. first = True
  125. for func in self._error_quark_functions:
  126. if first:
  127. first = False
  128. else:
  129. f.write(",\n")
  130. f.write(" " + func)
  131. f.write("\n};\n")
  132. if self._compiler.compiler.exe_extension:
  133. ext = self._compiler.compiler.exe_extension
  134. else:
  135. ext = ''
  136. bin_path = self._generate_tempfile(tmpdir, ext)
  137. try:
  138. introspection_obj = self._compile(c_path)
  139. except CompilerError as e:
  140. if not utils.have_debug_flag('save-temps'):
  141. shutil.rmtree(tmpdir)
  142. raise SystemExit('compilation of temporary binary failed:' + str(e))
  143. try:
  144. self._link(bin_path, introspection_obj)
  145. except LinkerError as e:
  146. if not utils.have_debug_flag('save-temps'):
  147. shutil.rmtree(tmpdir)
  148. raise SystemExit('linking of temporary binary failed: ' + str(e))
  149. return IntrospectionBinary([bin_path], tmpdir)
  150. # Private API
  151. def _generate_tempfile(self, tmpdir, suffix=''):
  152. tmpl = '%s-%s%s' % (self._options.namespace_name,
  153. self._options.namespace_version, suffix)
  154. return os.path.join(tmpdir, tmpl)
  155. def _run_pkgconfig(self, flag):
  156. # Enable the --msvc-syntax pkg-config flag when
  157. # the Microsoft compiler is used
  158. if self._compiler.check_is_msvc():
  159. cmd = [self._pkgconfig_cmd, '--msvc-syntax', flag]
  160. else:
  161. cmd = [self._pkgconfig_cmd, flag]
  162. proc = subprocess.Popen(
  163. cmd + self._packages,
  164. stdout=subprocess.PIPE)
  165. out, err = proc.communicate()
  166. return out.decode('ascii').split()
  167. def _compile(self, *sources):
  168. pkgconfig_flags = self._run_pkgconfig('--cflags')
  169. return self._compiler.compile(pkgconfig_flags,
  170. self._options.cpp_includes,
  171. sources,
  172. self._options.init_sections)
  173. def _link(self, output, sources):
  174. args = []
  175. libtool = utils.get_libtool_command(self._options)
  176. if libtool:
  177. # Note: MSVC Builds do not use libtool!
  178. # In the libtool case, put together the linker command, as we did before.
  179. # We aren't using distutils to link in this case.
  180. args.extend(libtool)
  181. args.append('--mode=link')
  182. args.append('--tag=CC')
  183. if self._options.quiet:
  184. args.append('--silent')
  185. args.extend(self._linker_cmd)
  186. args.extend(['-o', output])
  187. if os.name == 'nt':
  188. args.append('-Wl,--export-all-symbols')
  189. else:
  190. args.append('-export-dynamic')
  191. if not self._compiler.check_is_msvc():
  192. # These envvars are not used for MSVC Builds!
  193. # MSVC Builds use the INCLUDE, LIB envvars,
  194. # which are automatically picked up during
  195. # compilation and linking
  196. cppflags = os.environ.get('CPPFLAGS', '')
  197. for cppflag in cppflags.split():
  198. args.append(cppflag)
  199. cflags = os.environ.get('CFLAGS', '')
  200. for cflag in cflags.split():
  201. args.append(cflag)
  202. ldflags = os.environ.get('LDFLAGS', '')
  203. for ldflag in ldflags.split():
  204. args.append(ldflag)
  205. # Make sure to list the library to be introspected first since it's
  206. # likely to be uninstalled yet and we want the uninstalled RPATHs have
  207. # priority (or we might run with installed library that is older)
  208. for source in sources:
  209. if not os.path.exists(source):
  210. raise CompilerError(
  211. "Could not find object file: %s" % (source, ))
  212. if libtool:
  213. args.extend(sources)
  214. pkg_config_libs = self._run_pkgconfig('--libs')
  215. if not self._options.external_library:
  216. self._compiler.get_internal_link_flags(args,
  217. libtool,
  218. self._options.libraries,
  219. self._options.library_paths)
  220. args.extend(pkg_config_libs)
  221. else:
  222. args.extend(pkg_config_libs)
  223. self._compiler.get_external_link_flags(args,
  224. libtool,
  225. self._options.libraries)
  226. if not libtool:
  227. # non-libtool: prepare distutils for linking the introspection
  228. # dumper program...
  229. try:
  230. self._compiler.link(output,
  231. sources,
  232. args)
  233. # Ignore failing to embed the manifest files, when the manifest
  234. # file does not exist, especially for MSVC 2010 and later builds.
  235. # If we are on Visual C++ 2005/2008, where
  236. # this embedding is required, the build will fail anyway, as
  237. # the dumper program will likely fail to run, and this means
  238. # something went wrong with the build.
  239. except LinkError as e:
  240. if self._compiler.check_is_msvc():
  241. msg = str(e)
  242. if msg[msg.rfind('mt.exe'):] == 'mt.exe\' failed with exit status 31':
  243. if sys.version_info < (3, 0):
  244. sys.exc_clear()
  245. pass
  246. else:
  247. raise LinkError(e)
  248. else:
  249. raise LinkError(e)
  250. else:
  251. # libtool: Run the assembled link command, we don't use distutils
  252. # for linking here.
  253. if not self._options.quiet:
  254. print("g-ir-scanner: link: %s" % (
  255. subprocess.list2cmdline(args), ))
  256. sys.stdout.flush()
  257. msys = os.environ.get('MSYSTEM', None)
  258. if msys:
  259. shell = os.environ.get('SHELL', 'sh.exe')
  260. # Create a temporary script file that
  261. # runs the command we want
  262. tf, tf_name = tempfile.mkstemp()
  263. with os.fdopen(tf, 'wb') as f:
  264. shellcontents = ' '.join([x.replace('\\', '/') for x in args])
  265. fcontents = '#!/bin/sh\nunset PWD\n{}\n'.format(shellcontents)
  266. f.write(fcontents)
  267. shell = utils.which(shell)
  268. args = [shell, tf_name.replace('\\', '/')]
  269. try:
  270. subprocess.check_call(args)
  271. except subprocess.CalledProcessError as e:
  272. raise LinkerError(e)
  273. finally:
  274. if msys:
  275. os.remove(tf_name)
  276. def compile_introspection_binary(options, get_type_functions,
  277. error_quark_functions):
  278. dc = DumpCompiler(options, get_type_functions, error_quark_functions)
  279. return dc.run()