Skip to content

Commit 64b9666

Browse files
committed
Merge branch 'develop' into python_O
2 parents 4af8579 + d0a3ef7 commit 64b9666

Some content is hidden

Large Commits have some content hidden by default. Use the searchbox below for content that may be hidden.

95 files changed

+3119
-825
lines changed

easybuild/framework/easyblock.py

+369-146
Large diffs are not rendered by default.

easybuild/framework/easyconfig/default.py

+3-1
Original file line numberDiff line numberDiff line change
@@ -155,16 +155,18 @@
155155
'exts_list': [[], 'List with extensions added to the base installation', EXTENSIONS],
156156

157157
# MODULES easyconfig parameters
158+
'modaliases': [{}, "Aliases to be defined in module file", MODULES],
158159
'modextrapaths': [{}, "Extra paths to be prepended in module file", MODULES],
159160
'modextravars': [{}, "Extra environment variables to be added to module file", MODULES],
160161
'modloadmsg': [{}, "Message that should be printed when generated module is loaded", MODULES],
161162
'modluafooter': ["", "Footer to include in generated module file (Lua syntax)", MODULES],
163+
'modaltsoftname': [None, "Module name to use (rather than using software name", MODULES],
162164
'modtclfooter': ["", "Footer to include in generated module file (Tcl syntax)", MODULES],
163-
'modaliases': [{}, "Aliases to be defined in module file", MODULES],
164165
'moduleclass': ['base', 'Module class to be used for this software', MODULES],
165166
'moduleforceunload': [False, 'Force unload of all modules when loading the extension', MODULES],
166167
'moduleloadnoconflict': [False, "Don't check for conflicts, unload other versions instead ", MODULES],
167168
'include_modpath_extensions': [True, "Include $MODULEPATH extensions specified by module naming scheme.", MODULES],
169+
'recursive_module_unload': [False, 'Recursive unload of all dependencies when unloading module', MODULES],
168170

169171
# OTHER easyconfig parameters
170172
'buildstats': [None, "A list of dicts with build statistics", OTHER],

easybuild/framework/easyconfig/easyconfig.py

+59-19
Original file line numberDiff line numberDiff line change
@@ -109,7 +109,8 @@ class EasyConfig(object):
109109
Class which handles loading, reading, validation of easyconfigs
110110
"""
111111

112-
def __init__(self, path, extra_options=None, build_specs=None, validate=True, hidden=None, rawtxt=None):
112+
def __init__(self, path, extra_options=None, build_specs=None, validate=True, hidden=None, rawtxt=None,
113+
auto_convert_value_types=True):
113114
"""
114115
initialize an easyconfig.
115116
@param path: path to easyconfig file to be parsed (ignored if rawtxt is specified)
@@ -118,6 +119,8 @@ def __init__(self, path, extra_options=None, build_specs=None, validate=True, hi
118119
@param validate: indicates whether validation should be performed (note: combined with 'validate' build option)
119120
@param hidden: indicate whether corresponding module file should be installed hidden ('.'-prefixed)
120121
@param rawtxt: raw contents of easyconfig file
122+
@param auto_convert_value_types: indicates wether types of easyconfig values should be automatically converted
123+
in case they are wrong
121124
"""
122125
self.template_values = None
123126
self.enable_templating = True # a boolean to control templating
@@ -184,7 +187,8 @@ def __init__(self, path, extra_options=None, build_specs=None, validate=True, hi
184187

185188
# parse easyconfig file
186189
self.build_specs = build_specs
187-
self.parser = EasyConfigParser(filename=self.path, rawcontent=self.rawtxt)
190+
self.parser = EasyConfigParser(filename=self.path, rawcontent=self.rawtxt,
191+
auto_convert_value_types=auto_convert_value_types)
188192
self.parse()
189193

190194
# handle allowed system dependencies
@@ -214,6 +218,7 @@ def __init__(self, path, extra_options=None, build_specs=None, validate=True, hi
214218
self.short_mod_name = mns.det_short_module_name(self)
215219
self.mod_subdir = mns.det_module_subdir(self)
216220

221+
self.software_license = None
217222

218223
def copy(self):
219224
"""
@@ -335,16 +340,17 @@ def validate(self, check_osdeps=True):
335340

336341
def validate_license(self):
337342
"""Validate the license"""
338-
lic = self._config['software_license'][0]
343+
lic = self['software_license']
339344
if lic is None:
340345
# when mandatory, remove this possibility
341346
if 'software_license' in self.mandatory:
342-
raise EasyBuildError("License is mandatory, but 'software_license' is undefined")
343-
elif not isinstance(lic, License):
344-
raise EasyBuildError('License %s has to be a License subclass instance, found classname %s.',
345-
lic, lic.__class__.__name__)
346-
elif not lic.name in EASYCONFIG_LICENSES_DICT:
347-
raise EasyBuildError('Invalid license %s (classname: %s).', lic.name, lic.__class__.__name__)
347+
raise EasyBuildError("Software license is mandatory, but 'software_license' is undefined")
348+
elif lic in EASYCONFIG_LICENSES_DICT:
349+
# create License instance
350+
self.software_license = EASYCONFIG_LICENSES_DICT[lic]()
351+
else:
352+
known_licenses = ', '.join(sorted(EASYCONFIG_LICENSES_DICT.keys()))
353+
raise EasyBuildError("Invalid license %s (known licenses: %s)", lic, known_licenses)
348354

349355
# TODO, when GROUP_SOURCE and/or GROUP_BINARY is True
350356
# check the owner of source / binary (must match 'group' parameter from easyconfig)
@@ -478,7 +484,21 @@ def toolchain(self):
478484
returns the Toolchain used
479485
"""
480486
if self._toolchain is None:
481-
self._toolchain = get_toolchain(self['toolchain'], self['toolchainopts'], mns=ActiveMNS())
487+
# provide list of (direct) toolchain dependencies (name & version), if easyconfig can be found for toolchain
488+
tcdeps = None
489+
tcname, tcversion = self['toolchain']['name'], self['toolchain']['version']
490+
if tcname != DUMMY_TOOLCHAIN_NAME:
491+
tc_ecfile = robot_find_easyconfig(tcname, tcversion)
492+
if tc_ecfile is None:
493+
self.log.debug("No easyconfig found for toolchain %s version %s, can't determine dependencies",
494+
tcname, tcversion)
495+
else:
496+
self.log.debug("Found easyconfig for toolchain %s version %s: %s", tcname, tcversion, tc_ecfile)
497+
tc_ec = process_easyconfig(tc_ecfile)[0]
498+
tcdeps = tc_ec['dependencies']
499+
self.log.debug("Toolchain dependencies based on easyconfig: %s", tcdeps)
500+
501+
self._toolchain = get_toolchain(self['toolchain'], self['toolchainopts'], mns=ActiveMNS(), tcdeps=tcdeps)
482502
tc_dict = self._toolchain.as_dict()
483503
self.log.debug("Initialized toolchain: %s (opts: %s)" % (tc_dict, self['toolchainopts']))
484504
return self._toolchain
@@ -1008,28 +1028,33 @@ def create_paths(path, name, version):
10081028

10091029
def robot_find_easyconfig(name, version):
10101030
"""
1011-
Find an easyconfig for module in path
1031+
Find an easyconfig for module in path, returns (absolute) path to easyconfig file (or None, if none is found).
10121032
"""
10131033
key = (name, version)
10141034
if key in _easyconfig_files_cache:
10151035
_log.debug("Obtained easyconfig path from cache for %s: %s" % (key, _easyconfig_files_cache[key]))
10161036
return _easyconfig_files_cache[key]
1037+
10171038
paths = build_option('robot_path')
1018-
if not paths:
1019-
raise EasyBuildError("No robot path specified, which is required when looking for easyconfigs (use --robot)")
1020-
if not isinstance(paths, (list, tuple)):
1039+
if paths is None:
1040+
paths = []
1041+
elif not isinstance(paths, (list, tuple)):
10211042
paths = [paths]
1022-
# candidate easyconfig paths
1043+
1044+
res = None
10231045
for path in paths:
10241046
easyconfigs_paths = create_paths(path, name, version)
10251047
for easyconfig_path in easyconfigs_paths:
10261048
_log.debug("Checking easyconfig path %s" % easyconfig_path)
10271049
if os.path.isfile(easyconfig_path):
10281050
_log.debug("Found easyconfig file for name %s, version %s at %s" % (name, version, easyconfig_path))
10291051
_easyconfig_files_cache[key] = os.path.abspath(easyconfig_path)
1030-
return _easyconfig_files_cache[key]
1052+
res = _easyconfig_files_cache[key]
1053+
break
1054+
if res:
1055+
break
10311056

1032-
return None
1057+
return res
10331058

10341059

10351060
class ActiveMNS(object):
@@ -1091,7 +1116,22 @@ def _det_module_name_with(self, mns_method, ec, force_visible=False):
10911116
- string representing module name has length > 0
10921117
- module name only contains printable characters (string.printable, except carriage-control chars)
10931118
"""
1094-
mod_name = mns_method(self.check_ec_type(ec))
1119+
ec = self.check_ec_type(ec)
1120+
1121+
# replace software name with desired replacement (if specified)
1122+
orig_name = None
1123+
if ec.get('modaltsoftname', None):
1124+
orig_name = ec['name']
1125+
ec['name'] = ec['modaltsoftname']
1126+
self.log.info("Replaced software name '%s' with '%s' when determining module name", orig_name, ec['name'])
1127+
else:
1128+
self.log.debug("No alternative software name specified to determine module name with")
1129+
1130+
mod_name = mns_method(ec)
1131+
1132+
# restore original software name if it was tampered with
1133+
if orig_name is not None:
1134+
ec['name'] = orig_name
10951135

10961136
if not is_valid_module_name(mod_name):
10971137
raise EasyBuildError("%s is not a valid module name", str(mod_name))
@@ -1134,7 +1174,7 @@ def det_short_module_name(self, ec, force_visible=False):
11341174
self.log.debug("Obtained valid short module name %s" % mod_name)
11351175

11361176
# sanity check: obtained module name should pass the 'is_short_modname_for' check
1137-
if not self.is_short_modname_for(mod_name, ec['name']):
1177+
if not self.is_short_modname_for(mod_name, ec.get('modaltsoftname', None) or ec['name']):
11381178
raise EasyBuildError("is_short_modname_for('%s', '%s') for active module naming scheme returns False",
11391179
mod_name, ec['name'])
11401180
return mod_name

easybuild/framework/easyconfig/format/one.py

+2-2
Original file line numberDiff line numberDiff line change
@@ -370,8 +370,8 @@ def retrieve_blocks_in_spec(spec, only_blocks, silent=False):
370370
ec_format_version = FORMAT_DEFAULT_VERSION
371371
_log.debug("retrieve_blocks_in_spec: derived easyconfig format version: %s" % ec_format_version)
372372

373-
# blocks in easyconfigs are only supported in format versions prior to 2.0
374-
if pieces and ec_format_version < EasyVersion('2.0'):
373+
# blocks in easyconfigs are only supported in easyconfig format 1.0
374+
if pieces and ec_format_version == EasyVersion('1.0'):
375375
# make a map of blocks
376376
blocks = []
377377
while pieces:

easybuild/framework/easyconfig/format/pyheaderconfigobj.py

+1-2
Original file line numberDiff line numberDiff line change
@@ -46,11 +46,10 @@
4646

4747
def build_easyconfig_constants_dict():
4848
"""Make a dictionary with all constants that can be used"""
49-
# sanity check
5049
all_consts = [
5150
('TEMPLATE_CONSTANTS', dict([(x[0], x[1]) for x in TEMPLATE_CONSTANTS])),
5251
('EASYCONFIG_CONSTANTS', dict([(key, val[0]) for key, val in EASYCONFIG_CONSTANTS.items()])),
53-
('EASYCONFIG_LICENSES', EASYCONFIG_LICENSES_DICT),
52+
('EASYCONFIG_LICENSES', dict([(klass().name, name) for name, klass in EASYCONFIG_LICENSES_DICT.items()])),
5453
]
5554
err = []
5655
const_dict = {}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,143 @@
1+
# #
2+
# Copyright 2013-2015 Ghent University
3+
#
4+
# This file is part of EasyBuild,
5+
# originally created by the HPC team of Ghent University (http://ugent.be/hpc/en),
6+
# with support of Ghent University (http://ugent.be/hpc),
7+
# the Flemish Supercomputer Centre (VSC) (https://vscentrum.be/nl/en),
8+
# the Hercules foundation (http://www.herculesstichting.be/in_English)
9+
# and the Department of Economy, Science and Innovation (EWI) (http://www.ewi-vlaanderen.be/en).
10+
#
11+
# http://github.com/hpcugent/easybuild
12+
#
13+
# EasyBuild is free software: you can redistribute it and/or modify
14+
# it under the terms of the GNU General Public License as published by
15+
# the Free Software Foundation v2.
16+
#
17+
# EasyBuild is distributed in the hope that it will be useful,
18+
# but WITHOUT ANY WARRANTY; without even the implied warranty of
19+
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
20+
# GNU General Public License for more details.
21+
#
22+
# You should have received a copy of the GNU General Public License
23+
# along with EasyBuild. If not, see <http://www.gnu.org/licenses/>.
24+
# #
25+
"""
26+
YAML easyconfig format (.yeb)
27+
Useful: http://www.yaml.org/spec/1.2/spec.html
28+
29+
@author: Caroline De Brouwer (Ghent University)
30+
@author: Kenneth Hoste (Ghent University)
31+
"""
32+
import os
33+
from vsc.utils import fancylogger
34+
35+
from easybuild.framework.easyconfig.format.format import INDENT_4SPACES, EasyConfigFormat
36+
from easybuild.framework.easyconfig.format.pyheaderconfigobj import build_easyconfig_constants_dict
37+
from easybuild.framework.easyconfig.format.pyheaderconfigobj import build_easyconfig_variables_dict
38+
from easybuild.tools.build_log import EasyBuildError
39+
from easybuild.tools.filetools import read_file
40+
from easybuild.tools.utilities import only_if_module_is_available, quote_str
41+
42+
43+
_log = fancylogger.getLogger('easyconfig.format.yeb', fname=False)
44+
45+
46+
YAML_DIR = r'%YAML'
47+
YAML_SEP = '---'
48+
YEB_FORMAT_EXTENSION = '.yeb'
49+
50+
51+
def yaml_join(loader, node):
52+
"""
53+
defines custom YAML join function.
54+
see http://stackoverflow.com/questions/5484016/how-can-i-do-string-concatenation-or-string-replacement-in-yaml/23212524#23212524
55+
@param loader: the YAML Loader
56+
@param node: the YAML (sequence) node
57+
"""
58+
seq = loader.construct_sequence(node)
59+
return ''.join([str(i) for i in seq])
60+
61+
62+
try:
63+
import yaml
64+
# register the tag handlers
65+
yaml.add_constructor('!join', yaml_join)
66+
except ImportError:
67+
pass
68+
69+
70+
class FormatYeb(EasyConfigFormat):
71+
"""Support for easyconfig YAML format"""
72+
USABLE = True
73+
74+
def __init__(self):
75+
"""FormatYeb constructor"""
76+
super(FormatYeb, self).__init__()
77+
self.log.experimental("Parsing .yeb easyconfigs")
78+
79+
def validate(self):
80+
"""Format validation"""
81+
_log.info(".yeb format validation isn't implemented (yet) - validation always passes")
82+
return True
83+
84+
def get_config_dict(self):
85+
"""
86+
Return parsed easyconfig as a dictionary, based on specified arguments.
87+
"""
88+
return self.parsed_yeb
89+
90+
@only_if_module_is_available('yaml')
91+
def parse(self, txt):
92+
"""
93+
Process YAML file
94+
"""
95+
txt = self._inject_constants_dict(txt)
96+
self.parsed_yeb = yaml.load(txt)
97+
98+
def _inject_constants_dict(self, txt):
99+
"""Inject constants so they are resolved when actually parsing the YAML text."""
100+
constants_dict = build_easyconfig_constants_dict()
101+
102+
lines = txt.splitlines()
103+
104+
# extract possible YAML header, for example
105+
# %YAML 1.2
106+
# ---
107+
yaml_header = []
108+
for i, line in enumerate(lines):
109+
if line.startswith(YAML_DIR):
110+
if lines[i+1].startswith(YAML_SEP):
111+
yaml_header.extend([lines.pop(i), lines.pop(i)])
112+
113+
injected_constants = ['__CONSTANTS__: ']
114+
for key, value in constants_dict.items():
115+
injected_constants.append('%s- &%s %s' % (INDENT_4SPACES, key, quote_str(value)))
116+
117+
full_txt = '\n'.join(yaml_header + injected_constants + lines)
118+
119+
return full_txt
120+
121+
def dump(self, ecfg, default_values, templ_const, templ_val):
122+
"""Dump parsed easyconfig in .yeb format"""
123+
raise NotImplementedError("Dumping of .yeb easyconfigs not supported yet")
124+
125+
def extract_comments(self, txt):
126+
"""Extract comments from easyconfig file"""
127+
self.log.debug("Not extracting comments from .yeb easyconfigs")
128+
129+
130+
def is_yeb_format(filename, rawcontent):
131+
"""
132+
Determine whether easyconfig is in .yeb format.
133+
If filename is None, rawcontent will be used to check the format.
134+
"""
135+
isyeb = False
136+
if filename:
137+
isyeb = os.path.splitext(filename)[-1] == YEB_FORMAT_EXTENSION
138+
else:
139+
# if one line like 'name: ' is found, this must be YAML format
140+
for line in rawcontent.splitlines():
141+
if line.startswith('name: '):
142+
isyeb = True
143+
return isyeb

0 commit comments

Comments
 (0)