本文整理汇总了Python中sysconfig.get_config_var函数的典型用法代码示例。如果您正苦于以下问题:Python get_config_var函数的具体用法?Python get_config_var怎么用?Python get_config_var使用的例子?那么恭喜您, 这里精选的函数代码示例或许可以为您提供帮助。
在下文中一共展示了get_config_var函数的20个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于我们的系统推荐出更棒的Python代码示例。
示例1: test_getsitepackages
def test_getsitepackages(self):
site.PREFIXES = ['xoxo']
dirs = site.getsitepackages()
if (sys.platform == "darwin" and
sysconfig.get_config_var("PYTHONFRAMEWORK")):
# OS X framework builds
site.PREFIXES = ['Python.framework']
dirs = site.getsitepackages()
self.assertEqual(len(dirs), 2)
wanted = os.path.join('/Library',
sysconfig.get_config_var("PYTHONFRAMEWORK"),
'%d.%d' % sys.version_info[:2],
'site-packages')
self.assertEqual(dirs[1], wanted)
elif os.sep == '/':
# OS X non-framwework builds, Linux, FreeBSD, etc
self.assertEqual(len(dirs), 1)
wanted = os.path.join('xoxo', 'lib',
'python%d.%d' % sys.version_info[:2],
'site-packages')
self.assertEqual(dirs[0], wanted)
else:
# other platforms
self.assertEqual(len(dirs), 2)
self.assertEqual(dirs[0], 'xoxo')
wanted = os.path.join('xoxo', 'lib', 'site-packages')
self.assertEqual(dirs[1], wanted)
开发者ID:Daetalus,项目名称:cpython,代码行数:28,代码来源:test_site.py
示例2: copy_python_lib
def copy_python_lib(dest):
files = []
if sys.platform == 'win32':
dllname = "python%s%s.dll" % sys.version_info[:2]
# two location to try
system32path = os.path.join("C:\\", "Windows", "System32")
syswow64path = os.path.join("C:\\", "Windows", "SysWOW64")
files.append(os.path.join(system32path, dllname))
if "64" in platform.machine() and "64" in platform.architecture()[0]:
files.append(os.path.join(syswow64path, dllname))
elif sys.platform == 'linux':
libname = sysconfig.get_config_var("INSTSONAME")
libdir = sysconfig.get_config_var(
'LIBDIR') + (sysconfig.get_config_var("multiarchsubdir") or "")
files.append(os.path.join(libdir, libname))
else:
# osx
pass
dest_folder = os.path.abspath(dest)
for path in files:
if os.path.exists(path):
fil = os.path.basename(path)
root, ext = os.path.splitext(fil)
to = os.path.join(dest_folder, fil)
copy_file(path, to)
开发者ID:borisblizzard,项目名称:arcreator,代码行数:26,代码来源:buildlib.py
示例3: sysconfig2
def sysconfig2():
# import sysconfig module - Provide access to Python’s configuration information
import sysconfig
# returns an installation path corresponding to the path name
print("Path Name : ", sysconfig.get_path("stdlib"))
print()
# returns a string that identifies the current platform.
print("Current Platform : ", sysconfig.get_platform())
print()
# returns the MAJOR.MINOR Python version number as a string
print("Python Version Number : ", sysconfig.get_python_version())
print()
# returns a tuple containing all path names
print("Path Names : ", sysconfig.get_path_names())
print()
# returns a tuple containing all schemes
print("Scheme Names : ", sysconfig.get_scheme_names())
print()
# returns the value of a single variable name.
print("Variable name LIBDIR : ", sysconfig.get_config_var('LIBDIR'))
# returns the value of a single variable name.
print("Variable name LIBDEST : ", sysconfig.get_config_var('LIBDEST'))
开发者ID:mcclayac,项目名称:LearnSmart1,代码行数:29,代码来源:sysconfigExample.py
示例4: main
def main():
"""Command line utility to retrieve compilation options for python modules'
"""
parser = argparse.ArgumentParser(
description='Retrieves compilation options for python modules.')
parser.add_argument('--libraries', help='Returns libraries',
action='store_true')
parser.add_argument('--includes', help='Returns includes',
action='store_true')
parser.add_argument('--library_dirs', help='Returns library_dirs',
action='store_true')
opts = parser.parse_args()
result = []
if opts.libraries:
python_lib = sysconfig.get_config_var('LDLIBRARY')
if python_lib.endswith(".so"):
python_lib = python_lib[:-3]
if python_lib.startswith("lib"):
python_lib = python_lib[3:]
result.append(python_lib)
if opts.includes:
result.append(sysconfig.get_config_var('INCLUDEPY'))
if opts.library_dirs:
result.append(sysconfig.get_config_var('BINLIBDEST'))
for x in result:
print x
开发者ID:AchironOS,项目名称:chromium-2,代码行数:32,代码来源:python_flags.py
示例5: fixup_build_ext
def fixup_build_ext(cmd):
"""Function needed to make build_ext tests pass.
When Python was build with --enable-shared on Unix, -L. is not good
enough to find the libpython<blah>.so. This is because regrtest runs
it under a tempdir, not in the top level where the .so lives. By the
time we've gotten here, Python's already been chdir'd to the tempdir.
When Python was built with in debug mode on Windows, build_ext commands
need their debug attribute set, and it is not done automatically for
some reason.
This function handles both of these things. Example use:
cmd = build_ext(dist)
support.fixup_build_ext(cmd)
cmd.ensure_finalized()
Unlike most other Unix platforms, Mac OS X embeds absolute paths
to shared libraries into executables, so the fixup is not needed there.
"""
if os.name == 'nt':
cmd.debug = sys.executable.endswith('_d.exe')
elif sysconfig.get_config_var('Py_ENABLE_SHARED'):
runshared = sysconfig.get_config_var('RUNSHARED')
if runshared is None:
cmd.library_dirs = ['.']
elif sys.platform == 'darwin':
cmd.library_dirs = []
else:
name, equals, value = runshared.partition('=')
cmd.library_dirs = [ d for d in value.split(os.pathsep) if d ]
return
开发者ID:webiumsk,项目名称:WOT-0.9.12-CT,代码行数:33,代码来源:support.py
示例6: get_enable_shared
def get_enable_shared():
if WIN32:
return True
from sysconfig import get_config_var
if LINUX:
return get_config_var('Py_ENABLE_SHARED')
if which('pkg-config') is None:
exit(f'pkg-config is required and not found in path. Link to install: {LINK}')
lib = '/Library/Frameworks/Mono.framework/Versions/Current/lib'
# Create a symlink of framework lib/mono to python lib/mono
dst = os.path.join(os.path.dirname(sys.executable)[:-3] + 'lib', 'mono')
if os.path.exists(dst): os.remove(dst)
os.symlink(os.path.join(lib, 'mono'), dst)
paths = [path for path, dirs, files in os.walk(lib) if 'mono-2.pc' in files]
os.environ['PKG_CONFIG_PATH'] = ':'.join(paths)
if len(paths) == 0:
exit(f'Could not find "mono-2.pc" in "{lib}" tree.')
return get_config_var('Py_ENABLE_SHARED')
开发者ID:mblouin02,项目名称:Lean,代码行数:27,代码来源:setup.py
示例7: test_srcdir_independent_of_cwd
def test_srcdir_independent_of_cwd(self):
# srcdir should be independent of the current working directory
# See Issues #15322, #15364.
srcdir = sysconfig.get_config_var('srcdir')
with change_cwd(os.pardir):
srcdir2 = sysconfig.get_config_var('srcdir')
self.assertEqual(srcdir, srcdir2)
开发者ID:chidea,项目名称:GoPythonDLLWrapper,代码行数:7,代码来源:test_sysconfig.py
示例8: copy_embeddable_python_dylib
def copy_embeddable_python_dylib(dst):
runtime = op.join(sysconfig.get_config_var('PYTHONFRAMEWORKPREFIX'), sysconfig.get_config_var('LDLIBRARY'))
filedest = op.join(dst, 'Python')
shutil.copy(runtime, filedest)
os.chmod(filedest, 0o774) # We need write permission to use install_name_tool
cmd = 'install_name_tool -id @rpath/Python %s' % filedest
print_and_do(cmd)
开发者ID:BrokenSilence,项目名称:dupeguru,代码行数:7,代码来源:build.py
示例9: candidate_names
def candidate_names(suffix=SHLIB_SUFFIX):
"""
Iterate over candidate file names of libpython.
Yields
------
name : str
Candidate name libpython.
"""
LDLIBRARY = sysconfig.get_config_var("LDLIBRARY")
if LDLIBRARY:
yield LDLIBRARY
LIBRARY = sysconfig.get_config_var("LIBRARY")
if LIBRARY:
yield os.path.splitext(LIBRARY)[0] + suffix
dlprefix = "" if is_windows else "lib"
sysdata = dict(
v=sys.version_info,
# VERSION is X.Y in Linux/macOS and XY in Windows:
VERSION=(sysconfig.get_config_var("VERSION") or
"{v.major}.{v.minor}".format(v=sys.version_info)),
ABIFLAGS=(sysconfig.get_config_var("ABIFLAGS") or
sysconfig.get_config_var("abiflags") or ""),
)
for stem in [
"python{VERSION}{ABIFLAGS}".format(**sysdata),
"python{VERSION}".format(**sysdata),
"python{v.major}".format(**sysdata),
"python",
]:
yield dlprefix + stem + suffix
开发者ID:stevengj,项目名称:PyCall.jl,代码行数:34,代码来源:find_libpython.py
示例10: so_path
def so_path(dir, filename):
'''http://www.python.org/dev/peps/pep-3149/'''
suffix = sysconfig.get_config_var('SO')
if not suffix:
soabi = sysconfig.get_config_var('SOABI')
suffix = ".{}.so".format(soabi)
return os.path.join(dir, filename + suffix)
开发者ID:hellokang,项目名称:kmeans,代码行数:7,代码来源:kmeans.py
示例11: test_cpython_abi_py2
def test_cpython_abi_py2(debug, pymalloc, unicode_width, monkeypatch):
has_soabi = sysconfig.get_config_var("SOABI")
if platform.python_implementation() != "CPython" or has_soabi:
diff_debug = debug != sysconfig.get_config_var("Py_DEBUG")
diff_malloc = pymalloc != sysconfig.get_config_var("WITH_PYMALLOC")
unicode_size = sysconfig.get_config_var("Py_UNICODE_SIZE")
diff_unicode_size = unicode_size != unicode_width
if diff_debug or diff_malloc or diff_unicode_size:
config_vars = {
"SOABI": None,
"Py_DEBUG": int(debug),
"WITH_PYMALLOC": int(pymalloc),
"Py_UNICODE_SIZE": unicode_width,
}
monkeypatch.setattr(sysconfig, "get_config_var", config_vars.__getitem__)
else:
config_vars = {
"SOABI": None,
"Py_DEBUG": int(debug),
"WITH_PYMALLOC": int(pymalloc),
"Py_UNICODE_SIZE": unicode_width,
}
monkeypatch.setattr(sysconfig, "get_config_var", config_vars.__getitem__)
options = ""
if debug:
options += "d"
if pymalloc:
options += "m"
if unicode_width == 4:
options += "u"
assert "cp33{}".format(options) == tags._cpython_abi((3, 3))
开发者ID:pypa,项目名称:packaging,代码行数:31,代码来源:test_tags.py
示例12: _find_libpy3_windows
def _find_libpy3_windows(self, env):
'''
Find python3 libraries on Windows and also verify that the arch matches
what we are building for.
'''
pyarch = sysconfig.get_platform()
arch = detect_cpu_family(env.coredata.compilers)
if arch == 'x86':
arch = '32'
elif arch == 'x86_64':
arch = '64'
else:
# We can't cross-compile Python 3 dependencies on Windows yet
mlog.log('Unknown architecture {!r} for'.format(arch),
mlog.bold(self.name))
self.is_found = False
return
# Pyarch ends in '32' or '64'
if arch != pyarch[-2:]:
mlog.log('Need', mlog.bold(self.name),
'for {}-bit, but found {}-bit'.format(arch, pyarch[-2:]))
self.is_found = False
return
inc = sysconfig.get_path('include')
platinc = sysconfig.get_path('platinclude')
self.compile_args = ['-I' + inc]
if inc != platinc:
self.compile_args.append('-I' + platinc)
# Nothing exposes this directly that I coulf find
basedir = sysconfig.get_config_var('base')
vernum = sysconfig.get_config_var('py_version_nodot')
self.link_args = ['-L{}/libs'.format(basedir),
'-lpython{}'.format(vernum)]
self.version = sysconfig.get_config_var('py_version_short')
self.is_found = True
开发者ID:pombredanne,项目名称:meson,代码行数:35,代码来源:misc.py
示例13: load_lib
def load_lib():
"""Find and load libspacepy
Normally this will be in the directory where spacepy is installed,
under libspacepy.
@return: the open library
@rtype: ctypes.CDLL or ctypes.WinDLL
"""
libdir = os.path.dirname(os.path.abspath(__file__))
if sys.platform == 'win32':
libnames = ['spacepy.dll']
elif sys.platform == 'darwin':
libnames = ['libspacepy.dylib', 'libspacepy.so',
'spacepy.dylib', 'spacepy.so']
else:
libnames = ['libspacepy.so']
if sysconfig:
ext = sysconfig.get_config_var('EXT_SUFFIX')
if ext is None:
ext = sysconfig.get_config_var('SO')
if ext:
libnames.append('libspacepy' + ext)
libnames.append('spacepy' + ext)
libpath = None
for n in libnames:
libpath = os.path.join(libdir, n)
if os.path.exists(libpath):
break
if libpath and os.path.exists(libpath):
return ctypes.CDLL(libpath)
else:
return None
开发者ID:spacepy,项目名称:spacepy,代码行数:35,代码来源:lib.py
示例14: fixup_build_ext
def fixup_build_ext(cmd):
"""Function needed to make build_ext tests pass.
When Python was build with --enable-shared on Unix, -L. is not good
enough to find the libpython<blah>.so. This is because regrtest runs
it under a tempdir, not in the top level where the .so lives. By the
time we've gotten here, Python's already been chdir'd to the tempdir.
When Python was built with in debug mode on Windows, build_ext commands
need their debug attribute set, and it is not done automatically for
some reason.
This function handles both of these things. Example use:
cmd = build_ext(dist)
support.fixup_build_ext(cmd)
cmd.ensure_finalized()
"""
if os.name == 'nt':
cmd.debug = sys.executable.endswith('_d.exe')
elif sysconfig.get_config_var('Py_ENABLE_SHARED'):
# To further add to the shared builds fun on Unix, we can't just add
# library_dirs to the Extension() instance because that doesn't get
# plumbed through to the final compiler command.
runshared = sysconfig.get_config_var('RUNSHARED')
if runshared is None:
cmd.library_dirs = ['.']
else:
name, equals, value = runshared.partition('=')
cmd.library_dirs = value.split(os.pathsep)
开发者ID:AndyPanda95,项目名称:python-for-android,代码行数:30,代码来源:support.py
示例15: get_build_cflags
def get_build_cflags():
"""Synthesize a CFLAGS env var from the current python env for building of C modules."""
return '{} {} -I{}'.format(
sysconfig.get_config_var('BASECFLAGS'),
sysconfig.get_config_var('OPT'),
sysconfig.get_path('include')
)
开发者ID:pombredanne,项目名称:pants,代码行数:7,代码来源:native.py
示例16: _find_python_dll_file
def _find_python_dll_file(fail=False):
logging.debug("Searching for Python shared library file")
#
# Prepare list of search directories
#
search_dirs = [sys.prefix]
extra_search_dirs = [sysconfig.get_config_var(name) for name in PYTHON_LIB_DIR_CONFIG_VAR_NAMES]
for extra_dir in extra_search_dirs:
if extra_dir and not extra_dir in search_dirs and os.path.exists(extra_dir):
search_dirs.append(extra_dir)
if platform.system() == 'Windows':
extra_search_dirs = _get_existing_subdirs(search_dirs, "DLLs")
search_dirs = extra_search_dirs + search_dirs
multi_arch_sub_dir = sysconfig.get_config_var('multiarchsubdir')
if multi_arch_sub_dir:
while multi_arch_sub_dir.startswith('/'):
multi_arch_sub_dir = multi_arch_sub_dir[1:]
extra_search_dirs = _get_existing_subdirs(search_dirs, multi_arch_sub_dir)
search_dirs = extra_search_dirs + search_dirs
logging.debug("Potential Python shared library search dirs: %s" % repr(search_dirs))
#
# Prepare list of possible library file names
#
vmaj = str(sys.version_info.major)
vmin = str(sys.version_info.minor)
if platform.system() == 'Windows':
versions = (vmaj + vmin, vmaj, '')
file_names = ['python' + v + '.dll' for v in versions]
elif platform.system() == 'Darwin':
versions = (vmaj + "." + vmin, vmaj, '')
file_names = ['libpython' + v + '.dylib' for v in versions] + \
['libpython' + v + '.so' for v in versions]
else:
versions = (vmaj + "." + vmin, vmaj, '')
file_names = ['libpython' + v + '.so' for v in versions]
logging.debug("Potential Python shared library file names: %s" % repr(file_names))
python_dll_path = _find_file(search_dirs, *file_names)
if python_dll_path:
return python_dll_path
python_dll_path = ctypes.util.find_library(PYTHON_LIB_NAME)
if python_dll_path:
logging.debug(
"No Python shared library file found in all search paths. Using fallback %s" % repr(python_dll_path))
elif fail:
raise RuntimeError("can't find any Python shared library")
return python_dll_path
开发者ID:francbartoli,项目名称:jpy,代码行数:59,代码来源:jpyutil.py
示例17: ocropus_find_file
def ocropus_find_file(fname, gz=True):
"""Search for `fname` in one of the OCRopus data directories, as well as
the current directory). If `gz` is True, search also for gzipped files.
Result of searching $fname is the first existing in:
* $base/$fname
* $base/$fname.gz # if gz
* $base/model/$fname
* $base/model/$fname.gz # if gz
* $base/data/$fname
* $base/data/$fname.gz # if gz
* $base/gui/$fname
* $base/gui/$fname.gz # if gz
$base can be four base paths:
* `$OCROPUS_DATA` environment variable
* current working directory
* ../../../../share/ocropus from this file's install location
* `/usr/local/share/ocropus`
* `$PREFIX/share/ocropus` ($PREFIX being the Python installation
prefix, usually `/usr`)
"""
possible_prefixes = []
if os.getenv("OCROPUS_DATA"):
possible_prefixes.append(os.getenv("OCROPUS_DATA"))
possible_prefixes.append(os.curdir)
possible_prefixes.append(os.path.normpath(os.path.join(
os.path.dirname(inspect.getfile(inspect.currentframe())),
os.pardir, os.pardir, os.pardir, os.pardir, "share", "ocropus")))
possible_prefixes.append("/usr/local/share/ocropus")
# datarootdir is None in windows so don't add it to search list
if sysconfig.get_config_var("datarootdir") is not None:
possible_prefixes.append(os.path.join(
sysconfig.get_config_var("datarootdir"), "ocropus"))
# Unique entries with preserved order in possible_prefixes
# http://stackoverflow.com/a/15637398/201318
possible_prefixes = [possible_prefixes[i] for i in
sorted(numpy.unique(possible_prefixes, return_index=True)[1])]
for prefix in possible_prefixes:
if not os.path.isdir(prefix):
continue
for basename in [".", "models", "data", "gui"]:
if not os.path.isdir(os.path.join(prefix, basename)):
continue
full = os.path.join(prefix, basename, fname)
if os.path.exists(full):
return full
if gz and os.path.exists(full + ".gz"):
return full + ".gz"
raise FileNotFound(fname)
开发者ID:stweil,项目名称:ocropy,代码行数:59,代码来源:common.py
示例18: syspy_so_fpath
def syspy_so_fpath(self, identifier):
if self.use_multiarch_fnames:
fname = '{}.{}-{}.so'.format(identifier, sysconfig.get_config_var('SOABI'),
sysconfig.get_config_var('MULTIARCH'))
else:
fname = '{}.so'.format(identifier)
return self.package_dpath().joinpath(fname)
开发者ID:level12,项目名称:secretstorage-setup,代码行数:8,代码来源:core.py
示例19: test_user_similar
def test_user_similar(self):
# Issue 8759 : make sure the posix scheme for the users
# is similar to the global posix_prefix one
base = get_config_var('base')
user = get_config_var('userbase')
for name in ('stdlib', 'platstdlib', 'purelib', 'platlib'):
global_path = get_path(name, 'posix_prefix')
user_path = get_path(name, 'posix_user')
self.assertEqual(user_path, global_path.replace(base, user))
开发者ID:Arcenciel,项目名称:DDReader,代码行数:9,代码来源:test_sysconfig.py
示例20: test_user_similar
def test_user_similar(self):
# Issue 8759 : make sure the posix scheme for the users
# is similar to the global posix_prefix one
base = get_config_var("base")
user = get_config_var("userbase")
for name in ("stdlib", "platstdlib", "purelib", "platlib"):
global_path = get_path(name, "posix_prefix")
user_path = get_path(name, "posix_user")
self.assertEquals(user_path, global_path.replace(base, user))
开发者ID:ksenor,项目名称:spy,代码行数:9,代码来源:test_sysconfig.py
注:本文中的sysconfig.get_config_var函数示例由纯净天空整理自Github/MSDocs等源码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。 |
请发表评论