summaryrefslogtreecommitdiff
diff options
context:
space:
mode:
-rw-r--r--lib/spack/spack/cmd/logs.py78
-rw-r--r--lib/spack/spack/test/cmd/logs.py119
-rwxr-xr-xshare/spack/spack-completion.bash11
-rwxr-xr-xshare/spack/spack-completion.fish7
4 files changed, 214 insertions, 1 deletions
diff --git a/lib/spack/spack/cmd/logs.py b/lib/spack/spack/cmd/logs.py
new file mode 100644
index 0000000000..a9ec4dad61
--- /dev/null
+++ b/lib/spack/spack/cmd/logs.py
@@ -0,0 +1,78 @@
+# Copyright 2013-2024 Lawrence Livermore National Security, LLC and other
+# Spack Project Developers. See the top-level COPYRIGHT file for details.
+#
+# SPDX-License-Identifier: (Apache-2.0 OR MIT)
+
+import errno
+import gzip
+import os
+import shutil
+import sys
+
+import spack.cmd
+import spack.util.compression as compression
+from spack.cmd.common import arguments
+from spack.main import SpackCommandError
+
+description = "print out logs for packages"
+section = "basic"
+level = "long"
+
+
+def setup_parser(subparser):
+ arguments.add_common_arguments(subparser, ["spec"])
+
+
+def _dump_byte_stream_to_stdout(instream):
+ outstream = os.fdopen(sys.stdout.fileno(), "wb", closefd=False)
+
+ shutil.copyfileobj(instream, outstream)
+
+
+def dump_build_log(package):
+ with open(package.log_path, "rb") as f:
+ _dump_byte_stream_to_stdout(f)
+
+
+def _logs(cmdline_spec, concrete_spec):
+ if concrete_spec.installed:
+ log_path = concrete_spec.package.install_log_path
+ elif os.path.exists(concrete_spec.package.stage.path):
+ dump_build_log(concrete_spec.package)
+ return
+ else:
+ raise SpackCommandError(f"{cmdline_spec} is not installed or staged")
+
+ try:
+ compression_ext = compression.extension_from_file(log_path)
+ with open(log_path, "rb") as fstream:
+ if compression_ext == "gz":
+ # If the log file is compressed, wrap it with a decompressor
+ fstream = gzip.open(log_path, "rb")
+ elif compression_ext:
+ raise SpackCommandError(
+ f"Unsupported storage format for {log_path}: {compression_ext}"
+ )
+
+ _dump_byte_stream_to_stdout(fstream)
+ except OSError as e:
+ if e.errno == errno.ENOENT:
+ raise SpackCommandError(f"No logs are available for {cmdline_spec}") from e
+ elif e.errno == errno.EPERM:
+ raise SpackCommandError(f"Permission error accessing {log_path}") from e
+ else:
+ raise
+
+
+def logs(parser, args):
+ specs = spack.cmd.parse_specs(args.spec)
+
+ if not specs:
+ raise SpackCommandError("You must supply a spec.")
+
+ if len(specs) != 1:
+ raise SpackCommandError("Too many specs. Supply only one.")
+
+ concrete_spec = spack.cmd.matching_spec_from_env(specs[0])
+
+ _logs(specs[0], concrete_spec)
diff --git a/lib/spack/spack/test/cmd/logs.py b/lib/spack/spack/test/cmd/logs.py
new file mode 100644
index 0000000000..0691549be5
--- /dev/null
+++ b/lib/spack/spack/test/cmd/logs.py
@@ -0,0 +1,119 @@
+# Copyright 2013-2024 Lawrence Livermore National Security, LLC and other
+# Spack Project Developers. See the top-level COPYRIGHT file for details.
+#
+# SPDX-License-Identifier: (Apache-2.0 OR MIT)
+
+import gzip
+import os
+import sys
+import tempfile
+from contextlib import contextmanager
+from io import BytesIO, TextIOWrapper
+
+import pytest
+
+import spack
+from spack.main import SpackCommand
+
+logs = SpackCommand("logs")
+install = SpackCommand("install")
+
+
+@contextmanager
+def stdout_as_buffered_text_stream():
+ """Attempt to simulate "typical" interface for stdout when user is
+ running Spack/Python from terminal. "spack log" should not be run
+ for all possible cases of what stdout might look like, in
+ particular some programmatic redirections of stdout like StringIO
+ are not meant to be supported by this command; more-generally,
+ mechanisms that depend on decoding binary output prior to write
+ are not supported for "spack log".
+ """
+ original_stdout = sys.stdout
+
+ with tempfile.TemporaryFile(mode="w+b") as tf:
+ sys.stdout = TextIOWrapper(tf)
+ try:
+ yield tf
+ finally:
+ sys.stdout = original_stdout
+
+
+def _rewind_collect_and_decode(rw_stream):
+ rw_stream.seek(0)
+ return rw_stream.read().decode("utf-8")
+
+
+@pytest.fixture
+def disable_capture(capfd):
+ with capfd.disabled():
+ yield
+
+
+def test_logs_cmd_errors(install_mockery, mock_fetch, mock_archive, mock_packages):
+ spec = spack.spec.Spec("libelf").concretized()
+ assert not spec.installed
+
+ with pytest.raises(spack.main.SpackCommandError, match="is not installed or staged"):
+ logs("libelf")
+
+ with pytest.raises(spack.main.SpackCommandError, match="Too many specs"):
+ logs("libelf mpi")
+
+ install("libelf")
+ os.remove(spec.package.install_log_path)
+ with pytest.raises(spack.main.SpackCommandError, match="No logs are available"):
+ logs("libelf")
+
+
+def _write_string_to_path(string, path):
+ """Write a string to a file, preserving newline format in the string."""
+ with open(path, "wb") as f:
+ f.write(string.encode("utf-8"))
+
+
+def test_dump_logs(install_mockery, mock_fetch, mock_archive, mock_packages, disable_capture):
+ """Test that ``spack log`` can find (and print) the logs for partial
+ builds and completed installs.
+
+ Also make sure that for compressed logs, that we automatically
+ decompress them.
+ """
+ cmdline_spec = spack.spec.Spec("libelf")
+ concrete_spec = cmdline_spec.concretized()
+
+ # Sanity check, make sure this test is checking what we want: to
+ # start with
+ assert not concrete_spec.installed
+
+ stage_log_content = "test_log stage output\nanother line"
+ installed_log_content = "test_log install output\nhere to test multiple lines"
+
+ with concrete_spec.package.stage:
+ _write_string_to_path(stage_log_content, concrete_spec.package.log_path)
+ with stdout_as_buffered_text_stream() as redirected_stdout:
+ spack.cmd.logs._logs(cmdline_spec, concrete_spec)
+ assert _rewind_collect_and_decode(redirected_stdout) == stage_log_content
+
+ install("libelf")
+
+ # Sanity check: make sure a path is recorded, regardless of whether
+ # it exists (if it does exist, we will overwrite it with content
+ # in this test)
+ assert concrete_spec.package.install_log_path
+
+ with gzip.open(concrete_spec.package.install_log_path, "wb") as compressed_file:
+ bstream = BytesIO(installed_log_content.encode("utf-8"))
+ compressed_file.writelines(bstream)
+
+ with stdout_as_buffered_text_stream() as redirected_stdout:
+ spack.cmd.logs._logs(cmdline_spec, concrete_spec)
+ assert _rewind_collect_and_decode(redirected_stdout) == installed_log_content
+
+ with concrete_spec.package.stage:
+ _write_string_to_path(stage_log_content, concrete_spec.package.log_path)
+ # We re-create the stage, but "spack log" should ignore that
+ # if the package is installed
+ with stdout_as_buffered_text_stream() as redirected_stdout:
+ spack.cmd.logs._logs(cmdline_spec, concrete_spec)
+ assert _rewind_collect_and_decode(redirected_stdout) == installed_log_content
diff --git a/share/spack/spack-completion.bash b/share/spack/spack-completion.bash
index abc6db10d1..ebcab9683e 100755
--- a/share/spack/spack-completion.bash
+++ b/share/spack/spack-completion.bash
@@ -401,7 +401,7 @@ _spack() {
then
SPACK_COMPREPLY="-h --help -H --all-help --color -c --config -C --config-scope -d --debug --timestamp --pdb -e --env -D --env-dir -E --no-env --use-env-repo -k --insecure -l --enable-locks -L --disable-locks -m --mock -b --bootstrap -p --profile --sorted-profile --lines -v --verbose --stacktrace --backtrace -V --version --print-shell-vars"
else
- SPACK_COMPREPLY="add arch audit blame bootstrap build-env buildcache cd change checksum ci clean clone commands compiler compilers concretize concretise config containerize containerise create debug deconcretize dependencies dependents deprecate dev-build develop diff docs edit env extensions external fetch find gc gpg graph help info install license list load location log-parse maintainers make-installer mark mirror module patch pkg providers pydoc python reindex remove rm repo resource restage solve spec stage style tags test test-env tutorial undevelop uninstall unit-test unload url verify versions view"
+ SPACK_COMPREPLY="add arch audit blame bootstrap build-env buildcache cd change checksum ci clean clone commands compiler compilers concretize concretise config containerize containerise create debug deconcretize dependencies dependents deprecate dev-build develop diff docs edit env extensions external fetch find gc gpg graph help info install license list load location log-parse logs maintainers make-installer mark mirror module patch pkg providers pydoc python reindex remove rm repo resource restage solve spec stage style tags test test-env tutorial undevelop uninstall unit-test unload url verify versions view"
fi
}
@@ -1362,6 +1362,15 @@ _spack_log_parse() {
fi
}
+_spack_logs() {
+ if $list_options
+ then
+ SPACK_COMPREPLY="-h --help"
+ else
+ _all_packages
+ fi
+}
+
_spack_maintainers() {
if $list_options
then
diff --git a/share/spack/spack-completion.fish b/share/spack/spack-completion.fish
index 5a12414d76..52def8de23 100755
--- a/share/spack/spack-completion.fish
+++ b/share/spack/spack-completion.fish
@@ -396,6 +396,7 @@ complete -c spack -n '__fish_spack_using_command_pos 0 ' -f -a list -d 'list and
complete -c spack -n '__fish_spack_using_command_pos 0 ' -f -a load -d 'add package to the user environment'
complete -c spack -n '__fish_spack_using_command_pos 0 ' -f -a location -d 'print out locations of packages and spack directories'
complete -c spack -n '__fish_spack_using_command_pos 0 ' -f -a log-parse -d 'filter errors and warnings from build logs'
+complete -c spack -n '__fish_spack_using_command_pos 0 ' -f -a logs -d 'print out logs for packages'
complete -c spack -n '__fish_spack_using_command_pos 0 ' -f -a maintainers -d 'get information about package maintainers'
complete -c spack -n '__fish_spack_using_command_pos 0 ' -f -a make-installer -d 'generate Windows installer'
complete -c spack -n '__fish_spack_using_command_pos 0 ' -f -a mark -d 'mark packages as explicitly or implicitly installed'
@@ -2117,6 +2118,12 @@ complete -c spack -n '__fish_spack_using_command log-parse' -s w -l width -r -d
complete -c spack -n '__fish_spack_using_command log-parse' -s j -l jobs -r -f -a jobs
complete -c spack -n '__fish_spack_using_command log-parse' -s j -l jobs -r -d 'number of jobs to parse log file (default: 1 for short logs, ncpus for long logs)'
+# spack logs
+set -g __fish_spack_optspecs_spack_logs h/help
+complete -c spack -n '__fish_spack_using_command_pos_remainder 0 logs' -f -k -a '(__fish_spack_specs)'
+complete -c spack -n '__fish_spack_using_command logs' -s h -l help -f -a help
+complete -c spack -n '__fish_spack_using_command logs' -s h -l help -d 'show this help message and exit'
+
# spack maintainers
set -g __fish_spack_optspecs_spack_maintainers h/help maintained unmaintained a/all by-user
complete -c spack -n '__fish_spack_using_command_pos_remainder 0 maintainers' -f -a '(__fish_spack_packages)'