/usr/lib/python2.7/dist-packages/sage/env.py is in sagemath-common 8.1-7ubuntu1.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 | """
Sage Runtime Environment
AUTHORS:
- \R. Andrew Ohana (2012): Initial version.
"""
########################################################################
# Copyright (C) 2013 R. Andrew Ohana <andrew.ohana@gmail.com>
#
# Distributed under the terms of the GNU General Public License (GPL)
# as published by the Free Software Foundation; either version 2 of
# the License, or (at your option) any later version.
#
# http://www.gnu.org/licenses/
########################################################################
from __future__ import absolute_import
import glob
import os
import socket
import site
import sysconfig
from . import version
opj = os.path.join
# set default values for sage environment variables
# every variable can be overwritten by os.environ
SAGE_ENV = dict()
# Helper to build the SAGE_ENV dictionary
def _add_variable_or_fallback(key, fallback, force=False):
"""
Set ``SAGE_ENV[key]``.
If ``key`` is an environment variable, this is the
value. Otherwise, the ``fallback`` is used.
INPUT:
- ``key`` -- string.
- ``fallback`` -- anything.
- ``force`` -- boolean (optional, default is ``False``). Whether
to always use the fallback, regardless of environment variables.
EXAMPLES::
sage: import os, sage.env
sage: sage.env.SAGE_ENV = dict()
sage: os.environ['SAGE_FOO'] = 'foo'
sage: sage.env._add_variable_or_fallback('SAGE_FOO', '---$SAGE_URL---')
sage: sage.env.SAGE_FOO
'foo'
sage: sage.env.SAGE_ENV['SAGE_FOO']
'foo'
If the environment variable does not exist, the fallback is
used. Previously-declared variables are replaced if they are
prefixed with a dollar sign::
sage: _ = os.environ.pop('SAGE_BAR', None) # ensure that SAGE_BAR does not exist
sage: sage.env._add_variable_or_fallback('SAGE_BAR', '---$SAGE_FOO---')
sage: sage.env.SAGE_BAR
'---foo---'
sage: sage.env.SAGE_ENV['SAGE_BAR']
'---foo---'
Test that :trac:`23758` has been resolved::
sage: sage.env._add_variable_or_fallback('SAGE_BA', '---hello---')
sage: sage.env._add_variable_or_fallback('SAGE_QUX', '$SAGE_BAR')
sage: sage.env.SAGE_ENV['SAGE_QUX']
'---foo---'
"""
global SAGE_ENV
import six
try:
import os
value = os.environ[key]
except KeyError:
value = fallback
if force:
value = fallback
if isinstance(value, six.string_types):
# Now do the variable replacement. First treat 'value' as if
# it were a path and do the substitution on each of the
# components. This is to avoid the sloppiness in the second
# round of substitutions: if VAR and VAR_NEW are both in
# SAGE_ENV, then when doing substitution on the string
# "$VAR_NEW/a/b", we want to match VAR_NEW, not VAR, if
# possible.
for sep in set([os.path.sep, '/']):
components = []
for s in value.split(sep):
if s.startswith('$'):
components.append(SAGE_ENV.get(s[1:], s))
else:
components.append(s)
value = sep.join(components)
# Now deal with any remaining substitutions. The following is
# sloppy, as mentioned above: if $VAR and $VAR_NEW are both in
# SAGE_ENV, the substitution for "$VAR_NEw" depends on which
# of the two appears first when iterating over
# SAGE_ENV.items().
for k,v in SAGE_ENV.items():
if isinstance(v, six.string_types):
value = value.replace('$'+k, v)
SAGE_ENV[key] = value
globals()[key] = value
# system info
_add_variable_or_fallback('UNAME', os.uname()[0])
_add_variable_or_fallback('HOSTNAME', socket.gethostname())
_add_variable_or_fallback('LOCAL_IDENTIFIER','$HOSTNAME.%s'%os.getpid())
# bunch of sage directories and files
_add_variable_or_fallback('SAGE_ROOT', None)
_add_variable_or_fallback('SAGE_LOCAL', None)
_add_variable_or_fallback('SAGE_ETC', opj('$SAGE_LOCAL', 'etc'))
_add_variable_or_fallback('SAGE_SCRIPTS_DIR',opj('$SAGE_LOCAL', 'bin'))
_add_variable_or_fallback('SAGE_INC', opj('$SAGE_LOCAL', 'include'))
_add_variable_or_fallback('SAGE_SHARE', opj('$SAGE_LOCAL', 'share'))
_add_variable_or_fallback('SAGE_SRC', opj('$SAGE_ROOT', 'src'))
try:
sitepackages_dirs = site.getsitepackages()
except AttributeError: # in case of use inside virtualenv
sitepackages_dirs = [os.path.join(os.path.dirname(site.__file__),
'site-packages')]
_add_variable_or_fallback('SITE_PACKAGES', [d for d in sitepackages_dirs if "local" not in d])
_add_variable_or_fallback('SAGE_LIB', opj('$SAGE_LOCAL', 'lib', 'python2.7', 'dist-packages'))
# Used by sage/misc/package.py. Should be SAGE_SRC_ROOT in VPATH.
_add_variable_or_fallback('SAGE_PKGS', opj('$SAGE_ROOT', 'build', 'pkgs'))
_add_variable_or_fallback('SAGE_EXTCODE', opj('$SAGE_SHARE', 'sage', 'ext'))
_add_variable_or_fallback('SAGE_LOGS', opj('$SAGE_ROOT', 'logs', 'pkgs'))
_add_variable_or_fallback('SAGE_SPKG_INST', opj('$SAGE_ROOT', 'local', 'var', 'lib', 'sage', 'installed'))
_add_variable_or_fallback('SAGE_DOC_SRC', opj('$SAGE_SRC', 'doc'))
_add_variable_or_fallback('SAGE_DOC', opj('$SAGE_SHARE', 'doc', 'sage'))
_add_variable_or_fallback('DOT_SAGE', opj(os.environ.get('HOME','$SAGE_ROOT'), '.sage'))
_add_variable_or_fallback('SAGE_DOT_GIT', opj('$SAGE_ROOT', '.git'))
_add_variable_or_fallback('SAGE_DISTFILES', opj('$SAGE_ROOT', 'upstream'))
# misc
_add_variable_or_fallback('SAGE_URL', 'http://sage.math.washington.edu/sage/')
_add_variable_or_fallback('REALM', 'sage.math.washington.edu')
_add_variable_or_fallback('TRAC_SERVER_URI', 'https://trac.sagemath.org')
_add_variable_or_fallback('SAGE_REPO_AUTHENTICATED', 'ssh://git@trac.sagemath.org:2222/sage.git')
_add_variable_or_fallback('SAGE_REPO_ANONYMOUS', 'git://trac.sagemath.org/sage.git')
_add_variable_or_fallback('SAGE_VERSION', version.version)
_add_variable_or_fallback('SAGE_DATE', version.date)
_add_variable_or_fallback('SAGE_BANNER', '')
_add_variable_or_fallback('SAGE_IMPORTALL', 'yes')
# additional packages locations
_add_variable_or_fallback('CONWAY_POLYNOMIALS_DATA_DIR', '/usr/share/sagemath/conway_polynomials')
_add_variable_or_fallback('GRAPHS_DATA_DIR', '/usr/share/sagemath/graphs')
_add_variable_or_fallback('ELLCURVE_DATA_DIR', '/usr/share/sagemath/ellcurves')
_add_variable_or_fallback('POLYTOPE_DATA_DIR', '/usr/share/sagemath/reflexive_polytopes')
_add_variable_or_fallback('GAP_ROOT_DIR', '/usr/share/gap')
_add_variable_or_fallback('THEBE_DIR', '/usr/share/thebe')
# locate singular shared object
if UNAME[:6] == "CYGWIN":
SINGULAR_SO = ([None] + glob.glob(os.path.join(
SAGE_LOCAL, "bin", "cygSingular-*.dll")))[-1]
else:
if UNAME == "Darwin":
extension = "dylib"
else:
extension = "so"
# library name changed from libsingular to libSingular btw 3.x and 4.x
SINGULAR_SO = "/usr/lib/%s/libsingular-Singular-4.1.0.so" % sysconfig.get_config_var('MULTIARCH')
_add_variable_or_fallback('SINGULAR_SO', SINGULAR_SO)
if not SINGULAR_SO or not os.path.exists(SINGULAR_SO):
raise RuntimeError(
"libSingular not found--a working Singular install in $SAGE_LOCAL "
"is required for Sage to work")
# post process
if ' ' in DOT_SAGE:
if UNAME[:6] == 'CYGWIN':
# on windows/cygwin it is typical for the home directory
# to have a space in it. Fortunately, users also have
# write privileges to c:\cygwin\home, so we just put
# .sage there.
_add_variable_or_fallback('DOT_SAGE', "/home/.sage", force=True)
else:
print("Your home directory has a space in it. This")
print("will probably break some functionality of Sage. E.g.,")
print("the GAP interface will not work. A workaround")
print("is to set the environment variable HOME to a")
print("directory with no spaces that you have write")
print("permissions to before you start sage.")
CYGWIN_VERSION = None
if UNAME[:6] == 'CYGWIN':
import re
_uname = os.uname()
if len(_uname) >= 2:
m = re.match(r'(\d+\.\d+\.\d+)\(.+\)', _uname[2])
if m:
CYGWIN_VERSION = tuple(map(int, m.group(1).split('.')))
del m
del _uname, re
# things that need DOT_SAGE
_add_variable_or_fallback('PYTHON_EGG_CACHE', opj('$DOT_SAGE', '.python-eggs'))
_add_variable_or_fallback('SAGE_STARTUP_FILE', opj('$DOT_SAGE', 'init.sage'))
# delete temporary variables used for setting up sage.env
del opj, os, socket, version, site
def sage_include_directories(use_sources=False):
"""
Return the list of include directories for compiling Sage extension modules.
INPUT:
- ``use_sources`` -- (default: False) a boolean
OUTPUT:
a list of include directories to be used to compile sage code
1. while building sage (use_sources='True')
2. while using sage (use_sources='False')
EXAMPLES:
Expected output while using sage
::
sage: import sage.env
sage: sage.env.sage_include_directories()
['.../include',
'.../include/python...',
'.../python.../numpy/core/include',
'.../python.../dist-packages',
'.../python.../dist-packages/sage/ext']
"""
import os, numpy
import distutils.sysconfig
opj = os.path.join
include_directories = [SAGE_INC,
distutils.sysconfig.get_python_inc(),
numpy.get_include()]
if use_sources :
include_directories.extend([SAGE_SRC,
opj(SAGE_SRC, 'sage', 'ext')])
else:
include_directories.extend([SAGE_LIB,
opj(SAGE_LIB, 'sage', 'ext')])
return include_directories
def cython_aliases():
"""
Return the aliases for compiling Cython code. These aliases are
macros which can occur in ``# distutils`` headers.
EXAMPLES::
sage: from sage.env import cython_aliases
sage: cython_aliases()
{...}
sage: sorted(cython_aliases().keys())
['FFLASFFPACK_CFLAGS',
'FFLASFFPACK_INCDIR',
'FFLASFFPACK_LIBDIR',
'FFLASFFPACK_LIBRARIES',
'GIVARO_CFLAGS',
'GIVARO_INCDIR',
'GIVARO_LIBDIR',
'GIVARO_LIBRARIES',
'GSL_CFLAGS',
'GSL_INCDIR',
'GSL_LIBDIR',
'GSL_LIBRARIES',
'LINBOX_CFLAGS',
'LINBOX_INCDIR',
'LINBOX_LIBDIR',
'LINBOX_LIBRARIES',
'SINGULAR_CFLAGS',
'SINGULAR_INCDIR',
'SINGULAR_LIBDIR',
'SINGULAR_LIBRARIES']
"""
import pkgconfig
aliases = {}
for lib in ['fflas-ffpack', 'givaro', 'gsl', 'linbox', 'Singular']:
var = lib.upper().replace("-", "") + "_"
aliases[var + "CFLAGS"] = pkgconfig.cflags(lib).split()
pc = pkgconfig.parse(lib)
# INCDIR should be redundant because the -I options are also
# passed in CFLAGS
aliases[var + "INCDIR"] = pc['include_dirs']
aliases[var + "LIBDIR"] = pc['library_dirs']
aliases[var + "LIBRARIES"] = pc['libraries']
# LinBox needs special care because it actually requires C++11 with
# GNU extensions: -std=c++11 does not work, you need -std=gnu++11
# (this is true at least with GCC 7.2.0).
#
# Further, note that LinBox does not add any C++11 flag in its .pc
# file (possibly because of confusion between CFLAGS and CXXFLAGS?).
# This is not a problem in practice since LinBox depends on
# fflas-ffpack and fflas-ffpack does add such a C++11 flag.
aliases["LINBOX_CFLAGS"].append("-std=gnu++11")
return aliases
|