# -*- coding: utf-8 -*- #----------------------------------------------------------------------------- # Copyright (c) 2005-2021, PyInstaller Development Team. # # Distributed under the terms of the GNU General Public License (version 2 # or later) with exception for distributing the bootloader. # # The full license is in the file COPYING.txt, distributed with this software. # # SPDX-License-Identifier: (GPL-2.0-or-later WITH Bootloader-exception) #----------------------------------------------------------------------------- """ Utility functions related to analyzing/bundling dependencies. """ import io import marshal import os import re import struct from types import CodeType import zipfile import ctypes.util from PyInstaller.exceptions import ExecCommandFailed from PyInstaller.lib.modulegraph import util, modulegraph from PyInstaller import compat from PyInstaller.depend.dylib import include_library from PyInstaller import log as logging from PyInstaller.depend import bytecode try: # source_hash only exists in Python 3.7 from importlib.util import source_hash as importlib_source_hash except ImportError: pass logger = logging.getLogger(__name__) # TODO find out if modules from base_library.zip could be somehow bundled into the .exe file. def create_py3_base_library(libzip_filename, graph): """ Package basic Python modules into .zip file. The .zip file with basic modules is necessary to have on PYTHONPATH for initializing libpython3 in order to run the frozen executable with Python 3. """ # Import strip_paths_in_code locally to avoid cyclic import between # building.utils and depend.utils (this module); building.utils # imports depend.bindepend, which in turn imports depend.utils. from PyInstaller.building.utils import strip_paths_in_code # Construct regular expression for matching modules that should be bundled # into base_library.zip. # Excluded are plain 'modules' or 'submodules.ANY_NAME'. # The match has to be exact - start and end of string not substring. regex_modules = '|'.join([rf'(^{x}$)' for x in compat.PY3_BASE_MODULES]) regex_submod = '|'.join([rf'(^{x}\..*$)' for x in compat.PY3_BASE_MODULES]) regex_str = regex_modules + '|' + regex_submod module_filter = re.compile(regex_str) try: # Remove .zip from previous run. if os.path.exists(libzip_filename): os.remove(libzip_filename) logger.debug('Adding python files to base_library.zip') # Class zipfile.PyZipFile is not suitable for PyInstaller needs. with zipfile.ZipFile(libzip_filename, mode='w') as zf: zf.debug = 3 # Sort the graph nodes by identifier to ensure repeatable builds graph_nodes = list(graph.iter_graph()) graph_nodes.sort(key=lambda item: item.identifier) for mod in graph_nodes: if type(mod) in (modulegraph.SourceModule, modulegraph.Package, modulegraph.CompiledModule): # Bundling just required modules. if module_filter.match(mod.identifier): st = os.stat(mod.filename) timestamp = int(st.st_mtime) size = st.st_size & 0xFFFFFFFF # Name inside the archive. The ZIP format # specification requires forward slashes as # directory separator. # TODO use .pyo suffix if optimize flag is enabled. if type(mod) is modulegraph.Package: new_name = mod.identifier.replace('.', '/') \ + '/__init__.pyc' else: new_name = mod.identifier.replace('.', '/') \ + '.pyc' # Write code to a file. # This code is similar to py_compile.compile(). with io.BytesIO() as fc: # Prepare all data in byte stream file-like object. fc.write(compat.BYTECODE_MAGIC) if compat.is_py37: # Additional bitfield according to PEP 552 # 0b01 means hash based but don't check the hash fc.write(struct.pack('>> _resolveCtypesImports(['libgs.so']) [(libgs.so', ''/usr/lib/libgs.so', 'BINARY')] """ from ctypes.util import find_library from PyInstaller.config import CONF if compat.is_unix: envvar = "LD_LIBRARY_PATH" elif compat.is_darwin: envvar = "DYLD_LIBRARY_PATH" else: envvar = "PATH" def _setPaths(): path = os.pathsep.join(CONF['pathex']) old = compat.getenv(envvar) if old is not None: path = os.pathsep.join((path, old)) compat.setenv(envvar, path) return old def _restorePaths(old): if old is None: compat.unsetenv(envvar) else: compat.setenv(envvar, old) ret = [] # Try to locate the shared library on disk. This is done by # executing ctypes.util.find_library prepending ImportTracker's # local paths to library search paths, then replaces original values. old = _setPaths() for cbin in cbinaries: try: # There is an issue with find_library() where it can run into # errors trying to locate the library. See #5734. cpath = find_library(os.path.splitext(cbin)[0]) except FileNotFoundError: # In these cases, find_library() should return None. cpath = None if compat.is_unix: # CAVEAT: find_library() is not the correct function. Ctype's # documentation says that it is meant to resolve only the filename # (as a *compiler* does) not the full path. Anyway, it works well # enough on Windows and Mac. On Linux, we need to implement # more code to find out the full path. if cpath is None: cpath = cbin # "man ld.so" says that we should first search LD_LIBRARY_PATH # and then the ldcache for d in compat.getenv(envvar, '').split(os.pathsep): if os.path.isfile(os.path.join(d, cpath)): cpath = os.path.join(d, cpath) break else: if LDCONFIG_CACHE is None: load_ldconfig_cache() if cpath in LDCONFIG_CACHE: cpath = LDCONFIG_CACHE[cpath] assert os.path.isfile(cpath) else: cpath = None if cpath is None: # Skip warning message if cbin (basename of library) is ignored. # This prevents messages like: # 'W: library kernel32.dll required via ctypes not found' if not include_library(cbin): continue logger.warning("library %s required via ctypes not found", cbin) else: if not include_library(cpath): continue ret.append((cbin, cpath, "BINARY")) _restorePaths(old) return ret LDCONFIG_CACHE = None # cache the output of `/sbin/ldconfig -p` def load_ldconfig_cache(): """ Create a cache of the `ldconfig`-output to call it only once. It contains thousands of libraries and running it on every dylib is expensive. """ global LDCONFIG_CACHE if LDCONFIG_CACHE is not None: return from distutils.spawn import find_executable ldconfig = find_executable('ldconfig') if ldconfig is None: # If `lsconfig` is not found in $PATH, search it in some fixed # directories. Simply use a second call instead of fiddling # around with checks for empty env-vars and string-concat. ldconfig = find_executable('ldconfig', '/usr/sbin:/sbin:/usr/bin:/usr/sbin') # if we still couldn't find 'ldconfig' command if ldconfig is None: LDCONFIG_CACHE = {} return if compat.is_freebsd or compat.is_openbsd: # This has a quite different format than other Unixes # [vagrant@freebsd-10 ~]$ ldconfig -r # /var/run/ld-elf.so.hints: # search directories: /lib:/usr/lib:/usr/lib/compat:... # 0:-lgeom.5 => /lib/libgeom.so.5 # 184:-lpython2.7.1 => /usr/local/lib/libpython2.7.so.1 ldconfig_arg = '-r' splitlines_count = 2 pattern = re.compile(r'^\s+\d+:-l(\S+)(\s.*)? => (\S+)') else: # Skip first line of the library list because it is just # an informative line and might contain localized characters. # Example of first line with local cs_CZ.UTF-8: #$ /sbin/ldconfig -p #V keši „/etc/ld.so.cache“ nalezeno knihoven: 2799 # libzvbi.so.0 (libc6,x86-64) => /lib64/libzvbi.so.0 # libzvbi-chains.so.0 (libc6,x86-64) => /lib64/libzvbi-chains.so.0 ldconfig_arg = '-p' splitlines_count = 1 pattern = re.compile(r'^\s+(\S+)(\s.*)? => (\S+)') try: text = compat.exec_command(ldconfig, ldconfig_arg) except ExecCommandFailed: logger.warning("Failed to execute ldconfig. Disabling LD cache.") LDCONFIG_CACHE = {} return text = text.strip().splitlines()[splitlines_count:] LDCONFIG_CACHE = {} for line in text: # :fixme: this assumes libary names do not contain whitespace m = pattern.match(line) # Sanitize away any abnormal lines of output. if m is None: # Warn about it then skip the rest of this iteration. if re.search("Cache generated by:", line): # See #5540. This particular line is harmless. pass else: logger.warning( "Unrecognised line of output %r from ldconfig", line) continue path = m.groups()[-1] if compat.is_freebsd or compat.is_openbsd: # Insert `.so` at the end of the lib's basename. soname # and filename may have (different) trailing versions. We # assume the `.so` in the filename to mark the end of the # lib's basename. bname = os.path.basename(path).split('.so', 1)[0] name = 'lib' + m.group(1) assert name.startswith(bname) name = bname + '.so' + name[len(bname):] else: name = m.group(1) # ldconfig may know about several versions of the same lib, # e.g. differents arch, different libc, etc. Use the first # entry. if not name in LDCONFIG_CACHE: LDCONFIG_CACHE[name] = path def get_path_to_egg(path): """ Return the path to the python egg file, if the path points to a file inside a (or to an egg directly). Return `None` otherwise. """ # This assumes, eggs are not nested. # TODO add support for unpacked eggs and for new .whl packages. lastpath = None # marker to stop recursion while path and path != lastpath: if os.path.splitext(path)[1].lower() == (".egg"): if os.path.isfile(path) or os.path.isdir(path): return path lastpath = path path = os.path.dirname(path) return None def is_path_to_egg(path): """ Check if path points to a file inside a python egg file (or to an egg directly). """ return get_path_to_egg(path) is not None