/usr/lib/python2.7/dist-packages/dijitso/params.py is in python-dijitso 2017.2.0.0-2.
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 | # -*- coding: utf-8 -*-
# Copyright (C) 2015-2016 Martin Sandve Alnæs
#
# This file is part of DIJITSO.
#
# DIJITSO is free software: you can redistribute it and/or modify
# it under the terms of the GNU Lesser General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# DIJITSO is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU Lesser General Public License for more details.
#
# You should have received a copy of the GNU Lesser General Public License
# along with DIJITSO. If not, see <http://www.gnu.org/licenses/>.
"""Utilities for dijitso parameters."""
from __future__ import unicode_literals
from six import string_types
from six.moves import configparser
from glob import glob
import os
import sys
import copy
import numbers
from dijitso.log import info, error, warning
from dijitso.py23 import as_unicode
# Warning for fenics backwards compatibility:
if (os.environ.get("INSTANT_CACHE_DIR") and
not os.environ.get("DIJITSO_CACHE_DIR")):
warning("INSTANT_CACHE_DIR is no longer used by dijitso."
" To set the cache directory for dijitso,"
" set DIJITSO_CACHE_DIR.")
def discover_config_filename():
basename = ".dijitso.conf"
search_paths = [
os.curdir,
os.environ.get("DIJITSO_CONF"),
os.path.expanduser("~"),
"/etc/dijitso",
]
for path in search_paths:
if path is None:
continue
names = glob(os.path.join(path, basename))
if names:
assert len(names) == 1
return names[0]
return None
_config_file_contents = None
def read_config_file():
"Read config file and cache the contents for the duration of the process."
global _config_file_contents
if _config_file_contents is None:
filename = discover_config_filename()
_config_file_contents = {}
if filename is not None:
info("Using config file '%s'." % (filename,))
parser = configparser.SafeConfigParser()
parser.read(filename)
for category in parser.sections():
category = as_unicode(category)
_config_file_contents[category] = {}
for name, value in parser.items(category):
name = as_unicode(name)
value = as_unicode(value)
_config_file_contents[category][name] = value
return _config_file_contents
def default_cache_params():
if sys.platform in ("win32", "cygwin"):
default_lib_postfix = ".dll"
else:
default_lib_postfix = ".so"
p = dict(
cache_dir=None, # See validate_params
inc_dir="include",
src_dir="src",
lib_dir="lib",
fail_dir_root=None,
temp_dir_root=None,
comm_dir="comm",
log_dir="log",
enable_build_log=True,
src_storage="compress",
src_postfix=".cpp",
log_postfix=".txt",
inc_postfix=".h",
lib_postfix=default_lib_postfix,
lib_prefix="lib",
lib_basename="dijitso-",
lib_loader="ctypes"
)
return p
def default_cxx_compiler():
"Default C++ compiler"
return os.getenv("CXX", "c++")
def default_cxx_flags():
"Default C++ flags for all build modes."
# Dropped because of some symbol sharing across dependent modules from ffc:
# "-fvisibility=hidden",
return ("-Wall", "-shared", "-fPIC", "-std=c++11")
def default_cxx_debug_flags():
"Default C++ flags for debug=True. Note: FFC always overrides these."
return ("-g", "-O0")
def default_cxx_release_flags():
"Default C++ flags for debug=False. Note: FFC always overrides these."
# These flags deal with handling of nan, inf, underflow, division
# by zero, etc. which should be ok for most of our purposes. It
# might be better to place them in ffc or make them dependent on
# compiler or optional or whatever, just throwing them in here now
# to see how it works out.
safe_fastmath_parts = ("-fno-math-errno", "-fno-trapping-math",
"-ffinite-math-only")
return ("-O3",) + safe_fastmath_parts
def default_build_params():
p = dict(
cxx=default_cxx_compiler(),
cxxflags=default_cxx_flags(),
cxxflags_debug=default_cxx_debug_flags(),
cxxflags_opt=default_cxx_release_flags(),
include_dirs=(),
lib_dirs=(),
rpath_dirs=(),
libs=(),
debug=False,
)
return p
def default_generator_params():
return {}
def default_params():
p = dict(
cache=default_cache_params(),
build=default_build_params(),
generator=default_generator_params(),)
return p
_session_defaults = None
def session_default_params():
global _session_defaults
if _session_defaults is None:
_session_defaults = validate_params()
return copy.deepcopy(_session_defaults)
def as_bool(value):
if isinstance(value, bool):
return value
elif value in ("True", "true", "1"):
return True
elif value in ("False", "false", "0"):
return False
else:
error("Invalid boolean value %s" % (value,))
def as_str_tuple(p):
"""Convert p to a tuple of strings, allowing a list or tuple of
strings or a single string as input."""
if isinstance(p, string_types):
return (as_unicode(p),)
elif isinstance(p, (tuple, list)):
if all(isinstance(item, string_types) for item in p):
return tuple(as_unicode(item) for item in p)
raise RuntimeError("Expecting a string or list of strings, not %s." % (p,))
def copy_params(params):
"Copy two-level dict of params."
return {k: v.copy() for k, v in params.items()}
def check_params_keys(default, params):
"Check that keys in params exist in defaults."
for category in params:
if category == "generator":
continue
if category not in default:
error("Invalid parameter category '%s'." % category)
if params[category] is not None:
invalid = set(params[category]) - set(default[category])
if invalid:
error("Invalid parameter names %s in category '%s'." % (sorted(invalid), category))
def merge_params(default, params):
"Merge two-level param dicts."
p = {}
for category in default:
d = default[category].copy()
p[category] = d
v = params.get(category)
if v is not None:
p[category].update(v)
return p
def validate_params(params):
"""Validate parameters to dijitso and fill in with defaults where missing."""
# Start with defaults
p0 = default_params()
p = p0
# Override with config file if any
c = read_config_file()
if c:
check_params_keys(p, c)
p = merge_params(p, c)
# Override with runtime params if any
if params:
check_params_keys(p, params)
p = merge_params(p, params)
# Convert parameter types
for category in p:
category = as_unicode(category)
if category == "generator":
continue
for name, value in p[category].items():
name = as_unicode(name)
v0 = p0[category][name]
if isinstance(v0, string_types):
value = as_unicode(value)
# Expand paths including "~" to include
# full user home directory path
if name.endswith("_dir") and "~" in value:
value = os.path.expanduser(value)
elif isinstance(v0, bool):
value = as_bool(value)
elif isinstance(v0, numbers.Number):
value = type(v0)(value)
elif isinstance(v0, tuple):
value = as_str_tuple(value)
p[category][name] = value
# Allow environment variables to override default cache dir
# Let dijitso specific dir win the contest
cache_dir = os.environ.get("DIJITSO_CACHE_DIR")
if not cache_dir:
# Place default cache dir in virtualenv or conda prefix
# if one of them are active, or under user's home directory
home = os.path.expanduser("~")
venv = os.environ.get("VIRTUAL_ENV")
cenv = os.environ.get("CONDA_PREFIX")
if venv == sys.prefix:
env = venv
elif cenv == sys.prefix:
env = cenv
else:
env = home
cache_dir = os.path.join(env, ".cache", "dijitso")
p["cache"]["cache_dir"] = as_unicode(cache_dir)
return p
|