utils.py 9.4 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289
  1. # -*- Mode: Python -*-
  2. # GObject-Introspection - a framework for introspecting GObject libraries
  3. # Copyright (C) 2008 Johan Dahlin
  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. from __future__ import absolute_import
  21. from __future__ import division
  22. from __future__ import print_function
  23. from __future__ import unicode_literals
  24. import errno
  25. import re
  26. import os
  27. import subprocess
  28. import platform
  29. _debugflags = None
  30. def have_debug_flag(flag):
  31. """Check for whether a specific debugging feature is enabled.
  32. Well-known flags:
  33. * start: Drop into debugger just after processing arguments
  34. * exception: Drop into debugger on fatalexception
  35. * warning: Drop into debugger on warning
  36. * posttrans: Drop into debugger just before introspectable pass
  37. """
  38. global _debugflags
  39. if _debugflags is None:
  40. _debugflags = os.environ.get('GI_SCANNER_DEBUG', '').split(',')
  41. if '' in _debugflags:
  42. _debugflags.remove('')
  43. return flag in _debugflags
  44. def break_on_debug_flag(flag):
  45. if have_debug_flag(flag):
  46. import pdb
  47. pdb.set_trace()
  48. # Copied from h2defs.py
  49. _upperstr_pat1 = re.compile(r'([^A-Z])([A-Z])')
  50. _upperstr_pat2 = re.compile(r'([A-Z][A-Z])([A-Z][0-9a-z])')
  51. _upperstr_pat3 = re.compile(r'^([A-Z])([A-Z])')
  52. def to_underscores(name):
  53. """Converts a typename to the equivalent underscores name.
  54. This is used to form the type conversion macros and enum/flag
  55. name variables.
  56. In particular, and differently from to_underscores_noprefix(),
  57. this function treats the first character differently if it is
  58. uppercase and followed by another uppercase letter."""
  59. name = _upperstr_pat1.sub(r'\1_\2', name)
  60. name = _upperstr_pat2.sub(r'\1_\2', name)
  61. name = _upperstr_pat3.sub(r'\1_\2', name, count=1)
  62. return name
  63. def to_underscores_noprefix(name):
  64. """Like to_underscores, but designed for "unprefixed" names.
  65. to_underscores("DBusFoo") => dbus_foo, not d_bus_foo."""
  66. name = _upperstr_pat1.sub(r'\1_\2', name)
  67. name = _upperstr_pat2.sub(r'\1_\2', name)
  68. return name
  69. _libtool_pat = re.compile("dlname='([A-z0-9\.\-\+]+)'\n")
  70. def _extract_dlname_field(la_file):
  71. with open(la_file) as f:
  72. data = f.read()
  73. m = _libtool_pat.search(data)
  74. if m:
  75. return m.groups()[0]
  76. else:
  77. return None
  78. _libtool_libdir_pat = re.compile("libdir='([^']+)'")
  79. def _extract_libdir_field(la_file):
  80. with open(la_file) as f:
  81. data = f.read()
  82. m = _libtool_libdir_pat.search(data)
  83. if m:
  84. return m.groups()[0]
  85. else:
  86. return None
  87. # Returns the name that we would pass to dlopen() the library
  88. # corresponding to this .la file
  89. def extract_libtool_shlib(la_file):
  90. dlname = _extract_dlname_field(la_file)
  91. if dlname is None:
  92. return None
  93. # Darwin uses absolute paths where possible; since the libtool files never
  94. # contain absolute paths, use the libdir field
  95. if platform.system() == 'Darwin':
  96. dlbasename = os.path.basename(dlname)
  97. libdir = _extract_libdir_field(la_file)
  98. if libdir is None:
  99. return dlbasename
  100. return libdir + '/' + dlbasename
  101. # From the comments in extract_libtool(), older libtools had
  102. # a path rather than the raw dlname
  103. return os.path.basename(dlname)
  104. def extract_libtool(la_file):
  105. dlname = _extract_dlname_field(la_file)
  106. if dlname is None:
  107. raise ValueError("%s has no dlname. Not a shared library?" % la_file)
  108. libname = os.path.join(os.path.dirname(la_file),
  109. '.libs', dlname)
  110. # FIXME: This hackish, but I'm not sure how to do this
  111. # in a way which is compatible with both libtool 2.2
  112. # and pre-2.2. Johan 2008-10-21
  113. libname = libname.replace('.libs/.libs', '.libs').replace('.libs\\.libs', '.libs')
  114. return libname
  115. # Returns arguments for invoking libtool, if applicable, otherwise None
  116. def get_libtool_command(options):
  117. libtool_infection = not options.nolibtool
  118. if not libtool_infection:
  119. return None
  120. libtool_path = options.libtool_path
  121. if libtool_path:
  122. # Automake by default sets:
  123. # LIBTOOL = $(SHELL) $(top_builddir)/libtool
  124. # To be strictly correct we would have to parse shell. For now
  125. # we simply split().
  126. return libtool_path.split(' ')
  127. libtool_cmd = 'libtool'
  128. if platform.system() == 'Darwin':
  129. # libtool on OS X is a completely different program written by Apple
  130. libtool_cmd = 'glibtool'
  131. try:
  132. subprocess.check_call([libtool_cmd, '--version'],
  133. stdout=open(os.devnull))
  134. except (subprocess.CalledProcessError, OSError):
  135. # If libtool's not installed, assume we don't need it
  136. return None
  137. return [libtool_cmd]
  138. def files_are_identical(path1, path2):
  139. with open(path1, 'rb') as f1, open(path2, 'rb') as f2:
  140. buf1 = f1.read(8192)
  141. buf2 = f2.read(8192)
  142. while buf1 == buf2 and buf1 != b'':
  143. buf1 = f1.read(8192)
  144. buf2 = f2.read(8192)
  145. return buf1 == buf2
  146. def cflag_real_include_path(cflag):
  147. if not cflag.startswith("-I"):
  148. return cflag
  149. return "-I" + os.path.realpath(cflag[2:])
  150. def which(program):
  151. def is_exe(fpath):
  152. return os.path.isfile(fpath) and os.access(fpath, os.X_OK)
  153. def is_nt_exe(fpath):
  154. return not fpath.lower().endswith('.exe') and \
  155. os.path.isfile(fpath + '.exe') and \
  156. os.access(fpath + '.exe', os.X_OK)
  157. fpath, fname = os.path.split(program)
  158. if fpath:
  159. if is_exe(program):
  160. return program
  161. if os.name == 'nt' and is_nt_exe(program):
  162. return program + '.exe'
  163. else:
  164. for path in os.environ["PATH"].split(os.pathsep):
  165. path = path.strip('"')
  166. exe_file = os.path.join(path, program)
  167. if is_exe(exe_file):
  168. return exe_file
  169. if os.name == 'nt' and is_nt_exe(exe_file):
  170. return exe_file + '.exe'
  171. return None
  172. def makedirs(name, mode=0o777, exist_ok=False):
  173. """Super-mkdir; create a leaf directory and all intermediate ones. Works like
  174. mkdir, except that any intermediate path segment (not just the rightmost)
  175. will be created if it does not exist. If the target directory already
  176. exists, raise an OSError if exist_ok is False. Otherwise no exception is
  177. raised. This is recursive.
  178. Note: This function has been imported from Python 3.4 sources and adapted to work
  179. with Python 2.X because get_user_cache_dir() uses the exist_ok parameter. It can
  180. be removed again when Python 2.X support is dropped.
  181. """
  182. head, tail = os.path.split(name)
  183. if not tail:
  184. head, tail = os.path.split(head)
  185. if head and tail and not os.path.exists(head):
  186. try:
  187. makedirs(head, mode, exist_ok)
  188. except OSError as e:
  189. # be happy if someone already created the path
  190. if e.errno != errno.EEXIST:
  191. raise
  192. if tail == cdir: # xxx/newdir/. exists if xxx/newdir exists
  193. return
  194. try:
  195. os.mkdir(name, mode)
  196. except OSError as e:
  197. if not exist_ok or e.errno != errno.EEXIST or not os.path.isdir(name):
  198. raise
  199. def get_user_cache_dir(dir=None):
  200. '''
  201. This is a Python reimplemention of `g_get_user_cache_dir()` because we don't want to
  202. rely on the python-xdg package and we can't depend on GLib via introspection.
  203. If any changes are made to that function they'll need to be copied here.
  204. '''
  205. xdg_cache_home = os.environ.get('XDG_CACHE_HOME')
  206. if xdg_cache_home is not None:
  207. if dir is not None:
  208. xdg_cache_home = os.path.join(xdg_cache_home, dir)
  209. try:
  210. makedirs(xdg_cache_home, mode=0o755, exist_ok=True)
  211. except:
  212. # Let's fall back to ~/.cache below
  213. pass
  214. else:
  215. return xdg_cache_home
  216. homedir = os.path.expanduser('~')
  217. if homedir is not None:
  218. cachedir = os.path.join(homedir, '.cache')
  219. if dir is not None:
  220. cachedir = os.path.join(cachedir, dir)
  221. try:
  222. makedirs(cachedir, mode=0o755, exist_ok=True)
  223. except:
  224. return None
  225. else:
  226. return cachedir
  227. return None
  228. def get_system_data_dirs():
  229. '''
  230. This is a Python reimplemention of `g_get_system_data_dirs()` because we don't want to
  231. rely on the python-xdg package and we can't depend on GLib via introspection.
  232. If any changes are made to that function they'll need to be copied here.
  233. '''
  234. xdg_data_dirs = [x for x in os.environ.get('XDG_DATA_DIRS', '').split(os.pathsep)]
  235. if not xdg_data_dirs and os.name != 'nt':
  236. xdg_data_dirs.append('/usr/local/share')
  237. xdg_data_dirs.append('/usr/share')
  238. return xdg_data_dirs