Skip to content

Commit 18a76ee

Browse files
authored
Skip module in the symlinks (#511)
* Implemented "default_version" for TCL * Use write_version_file for the symlink tree too * Skip `module.tcl` in the symlinks This is done by symlinking `<software>/<version>` itself to `<namespace>/<software>/<version>/module.tcl`. For the directory of the wrapper scripts to be correctly found, the symlink has to be resolved, but TCL's `file normalize` won't normalise the filename. So, we need to use `file readlink` instead, but only on real symlinks because it raises an error. * Symlink to module.lua when possible which is when default_version==True (default_version==False can't be made to work with symlinks). * Added a `--force` option to `shpc install` to force overwriting existing symlinks The name `--force` is generic, so that other things could be forced through it, not just overwriting symlinks. Also added an info message if a symlink is overwritten, which can be hidden with the `--quiet` flag. * Made `force` optional * Forgot the variable for substitution * The "delete" command was superseded by "uninstall" in #6 * Added `--no-symlink-tree` to override the config file `--symlink-tree` now also overrides the config file * Make it explicit we are expecting yes or no
1 parent 2277e6c commit 18a76ee

12 files changed

+81
-38
lines changed

docs/getting_started/user-guide.rst

+1-1
Original file line numberDiff line numberDiff line change
@@ -189,7 +189,7 @@ variable replacement. A summary table of variables is included below, and then f
189189
- a timestamp to keep track of when you last saved
190190
- never
191191
* - default_version
192-
- A boolean to indicate generating a .version file (LMOD or lua modules only)
192+
- A boolean to indicate whether a default version will be arbitrarily chosen, when multiple versions are available, and none is explicitly requested
193193
- true
194194
* - singularity_module
195195
- if defined, add to module script to load this Singularity module first

shpc/client/__init__.py

+15-3
Original file line numberDiff line numberDiff line change
@@ -103,7 +103,21 @@ def get_parser():
103103
install.add_argument(
104104
"--symlink-tree",
105105
dest="symlink",
106-
help="install to symlink tree too.",
106+
help="install to symlink tree too (overrides settings.yml).",
107+
default=None,
108+
action="store_true",
109+
)
110+
install.add_argument(
111+
"--no-symlink-tree",
112+
dest="symlink",
113+
help="skip installing to symlink tree (in case set in settings.yml).",
114+
action="store_false",
115+
)
116+
install.add_argument(
117+
"--force",
118+
"-f",
119+
dest="force",
120+
help="replace existing symlinks",
107121
default=False,
108122
action="store_true",
109123
)
@@ -362,8 +376,6 @@ def help(return_code=0):
362376
from .docgen import main
363377
elif args.command == "get":
364378
from .get import main
365-
elif args.command == "delete":
366-
from .delete import main
367379
elif args.command == "install":
368380
from .install import main
369381
elif args.command == "inspect":

shpc/client/install.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -21,4 +21,4 @@ def main(args, parser, extra, subparser):
2121
cli.settings.update_params(args.config_params)
2222

2323
# And do the install
24-
cli.install(args.install_recipe, symlink=args.symlink)
24+
cli.install(args.install_recipe, symlink=args.symlink, force=args.force)

shpc/main/modules/__init__.py

+52-23
Original file line numberDiff line numberDiff line change
@@ -11,7 +11,6 @@
1111

1212
from datetime import datetime
1313
import os
14-
from pathlib import Path
1514
import shutil
1615
import subprocess
1716
import sys
@@ -114,6 +113,7 @@ def _uninstall(self, module_dir, name, force=False):
114113
msg = "%s, and all content below it? " % name
115114
if not utils.confirm_uninstall(msg, force):
116115
return
116+
self._cleanup_symlink(module_dir)
117117
self._cleanup(module_dir)
118118
logger.info("%s and all subdirectories have been removed." % name)
119119
else:
@@ -183,7 +183,15 @@ def get_symlink_path(self, module_dir):
183183
"""
184184
if not self.settings.symlink_base:
185185
return
186-
return os.path.join(self.settings.symlink_base, *module_dir.split(os.sep)[-2:])
186+
187+
symlink_base_name = os.path.join(self.settings.symlink_base, *module_dir.split(os.sep)[-2:])
188+
189+
# With Lmod and default_version==True, the symlinks points to module.lua itself,
190+
# and its name needs to end with `.lua` too
191+
if self.module_extension == "lua" and self.settings.default_version == True:
192+
return symlink_base_name + ".lua"
193+
else:
194+
return symlink_base_name
187195

188196
def create_symlink(self, module_dir):
189197
"""
@@ -192,33 +200,39 @@ def create_symlink(self, module_dir):
192200
symlink_path = self.get_symlink_path(module_dir)
193201
if os.path.exists(symlink_path):
194202
os.unlink(symlink_path)
195-
logger.info("Creating link %s -> %s" % (module_dir, symlink_path))
196203
symlink_dir = os.path.dirname(symlink_path)
197204

198205
# If the parent directory doesn't exist, make it
199206
if not os.path.exists(symlink_dir):
200207
utils.mkdirp([symlink_dir])
201208

209+
# With Lmod, default_version==False can't be made to work with symlinks at the module.lua level
210+
if self.module_extension == "lua" and self.settings.default_version == False:
211+
symlink_target = module_dir
212+
else:
213+
symlink_target = os.path.join(module_dir, self.modulefile)
214+
logger.info("Creating link %s -> %s" % (symlink_target, symlink_path))
215+
202216
# Create the symbolic link!
203-
os.symlink(module_dir, symlink_path)
217+
os.symlink(symlink_target, symlink_path)
204218

205-
# If we don't have a version file in root, create it
206-
if self.module_extension != "tcl" and self.settings.default_version == True:
207-
version_file = os.path.join(os.path.dirname(symlink_path), ".version")
208-
if not os.path.exists(version_file):
209-
Path(version_file).touch()
219+
# Create .version
220+
self.write_version_file(os.path.dirname(symlink_path))
210221

211-
def check_symlink(self, module_dir):
222+
def check_symlink(self, module_dir, force=False):
212223
"""
213224
Given an install command, if --symlink-tree is provided make
214225
sure we don't already have this symlink in the tree.
215226
"""
216227
# Get the symlink path - does it exist?
217228
symlink_path = self.get_symlink_path(module_dir)
218-
if os.path.exists(symlink_path) and not utils.confirm_action(
219-
"%s already exists, are you sure you want to overwrite?" % symlink_path
220-
):
221-
sys.exit(0)
229+
if os.path.exists(symlink_path):
230+
if force:
231+
logger.info("Overwriting %s, as requested" % module_dir)
232+
elif not utils.confirm_action(
233+
"%s already exists, are you sure you want to overwrite" % symlink_path
234+
):
235+
sys.exit(0)
222236

223237
def _cleanup_symlink(self, module_dir):
224238
"""
@@ -343,7 +357,24 @@ def check(self, module_name):
343357
config = self._load_container(module_name.rsplit(":", 1)[0])
344358
return self.container.check(module_name, config)
345359

346-
def install(self, name, tag=None, symlink=False, **kwargs):
360+
def write_version_file(self, version_dir):
361+
"""
362+
Create the .version file, if there is a template for it.
363+
364+
Note that we don't actually change the content of the template:
365+
it is copied as is.
366+
"""
367+
version_template = 'default_version.' + self.module_extension
368+
if not self.settings.default_version:
369+
version_template = 'no_' + version_template
370+
template_file = os.path.join(here, "templates", version_template)
371+
if os.path.exists(template_file):
372+
version_file = os.path.join(version_dir, ".version")
373+
if not os.path.exists(version_file):
374+
version_content = shpc.utils.read_file(template_file)
375+
shpc.utils.write_file(version_file, version_content)
376+
377+
def install(self, name, tag=None, symlink=None, force=False, **kwargs):
347378
"""
348379
Given a unique resource identifier, install a recipe.
349380
@@ -372,20 +403,18 @@ def install(self, name, tag=None, symlink=False, **kwargs):
372403
subfolder = os.path.join(uri, tag.name)
373404
container_dir = self.container.container_dir(subfolder)
374405

375-
# Global override to arg
376-
symlink = self.settings.symlink_tree is True or symlink
406+
# Default to global setting
407+
if symlink is None:
408+
symlink = self.settings.symlink_tree
377409

378410
if symlink:
379411
# Cut out early if symlink desired and already exists
380-
self.check_symlink(module_dir)
412+
self.check_symlink(module_dir, force)
381413
shpc.utils.mkdirp([module_dir, container_dir])
382414

383415
# Add a .version file to indicate the level of versioning (not for tcl)
384-
if self.module_extension != "tcl" and self.settings.default_version == True:
385-
version_dir = os.path.join(self.settings.module_base, uri)
386-
version_file = os.path.join(version_dir, ".version")
387-
if not os.path.exists(version_file):
388-
Path(version_file).touch()
416+
version_dir = os.path.join(self.settings.module_base, uri)
417+
self.write_version_file(version_dir)
389418

390419
# For Singularity this is a path, podman is a uri. If None is returned
391420
# there was an error and we cleanup

shpc/main/modules/templates/default_version.lua

Whitespace-only changes.

shpc/main/modules/templates/docker.lua

+2-2
Original file line numberDiff line numberDiff line change
@@ -40,8 +40,8 @@ For each of the above, you can export:
4040
if not os.getenv("PODMAN_OPTS") then setenv ("PODMAN_OPTS", "") end
4141
if not os.getenv("PODMAN_COMMAND_OPTS") then setenv ("PODMAN_COMMAND_OPTS", "") end
4242

43-
-- directory containing this modulefile (dynamically defined)
44-
local moduleDir = myFileName():match("(.*[/])") or "."
43+
-- directory containing this modulefile, once symlinks resolved (dynamically defined)
44+
local moduleDir = subprocess("realpath " .. myFileName()):match("(.*[/])") or "."
4545

4646
-- interactive shell to any container, plus exec for aliases
4747
local containerPath = '{{ image }}'

shpc/main/modules/templates/docker.tcl

+2-2
Original file line numberDiff line numberDiff line change
@@ -55,8 +55,8 @@ set helpcommand "This module is a {{ docker }} container wrapper for {{ name }}
5555
{% if labels %}{% for key, value in labels.items() %}set {{ key }} "{{ value }}"
5656
{% endfor %}{% endif %}
5757

58-
# directory containing this modulefile (dynamically defined)
59-
set moduleDir "[file dirname ${ModulesCurrentModulefile}]"
58+
# directory containing this modulefile, once symlinks resolved (dynamically defined)
59+
set moduleDir [file dirname [expr { [string equal [file type ${ModulesCurrentModulefile}] "link"] ? [file readlink ${ModulesCurrentModulefile}] : ${ModulesCurrentModulefile} }]]
6060

6161
# conflict with modules with the same alias name
6262
conflict {{ parsed_name.tool }}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,2 @@
1+
#%Module
2+
set ModulesVersion "please_specify_a_version_number"

shpc/main/modules/templates/singularity.lua

+2-2
Original file line numberDiff line numberDiff line change
@@ -38,8 +38,8 @@ For each of the above, you can export:
3838

3939
{% if settings.singularity_module %}load("{{ settings.singularity_module }}"){% endif %}
4040

41-
-- directory containing this modulefile (dynamically defined)
42-
local moduleDir = myFileName():match("(.*[/])") or "."
41+
-- directory containing this modulefile, once symlinks resolved (dynamically defined)
42+
local moduleDir = subprocess("realpath " .. myFileName()):match("(.*[/])") or "."
4343

4444
-- singularity environment variable to set shell
4545
setenv("SINGULARITY_SHELL", "{{ settings.singularity_shell }}")

shpc/main/modules/templates/singularity.tcl

+2-2
Original file line numberDiff line numberDiff line change
@@ -59,8 +59,8 @@ set helpcommand "This module is a singularity container wrapper for {{ name }} v
5959
{% if labels %}{% for key, value in labels.items() %}set {{ key }} "{{ value }}"
6060
{% endfor %}{% endif %}
6161

62-
# directory containing this modulefile (dynamically defined)
63-
set moduleDir "[file dirname ${ModulesCurrentModulefile}]"
62+
# directory containing this modulefile, once symlinks resolved (dynamically defined)
63+
set moduleDir [file dirname [expr { [string equal [file type ${ModulesCurrentModulefile}] "link"] ? [file readlink ${ModulesCurrentModulefile}] : ${ModulesCurrentModulefile} }]]
6464

6565
# conflict with modules with the same alias name
6666
conflict {{ parsed_name.tool }}

shpc/settings.yml

+1-1
Original file line numberDiff line numberDiff line change
@@ -27,7 +27,7 @@ module_base: $root_dir/modules
2727
# This is where you might add a prefix to your module names, if desired.
2828
module_name: '{{ parsed_name.tool }}'
2929

30-
# Create a .version file for LMOD in the module folder
30+
# When multiple versions are available and none requested, allow module picking one iself
3131
default_version: true
3232

3333
# store containers separately from module files

shpc/utils/terminal.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -95,7 +95,7 @@ def confirm_action(question, force=False):
9595
if force is True:
9696
return True
9797

98-
response = input(question)
98+
response = input(question + " (yes/no)?")
9999
while len(response) < 1 or response[0].lower().strip() not in "ynyesno":
100100
response = input("Please answer yes or no: ")
101101

0 commit comments

Comments
 (0)