Sync from SUSE:ALP:Source:Standard:1.0 salt revision e014b2ada1df9aadc31437beb76fbd16
This commit is contained in:
parent
981d99ce30
commit
179b2f784c
@ -1 +1 @@
|
||||
d0c2f35ff4a0b21786b20c884cbb191ad2e63904
|
||||
597049dd3d38cffb3d6e555ded591bc36ed09a58
|
3
_multibuild
Normal file
3
_multibuild
Normal file
@ -0,0 +1,3 @@
|
||||
<multibuild>
|
||||
<flavor>testsuite</flavor>
|
||||
</multibuild>
|
2
_service
2
_service
@ -3,7 +3,7 @@
|
||||
<param name="url">https://github.com/openSUSE/salt-packaging.git</param>
|
||||
<param name="subdir">salt</param>
|
||||
<param name="filename">package</param>
|
||||
<param name="revision">release/3006.0</param>
|
||||
<param name="revision">MU/5.0.1</param>
|
||||
<param name="scm">git</param>
|
||||
</service>
|
||||
<service name="extract_file" mode="disabled">
|
||||
|
38
add-missing-contextvars-dependency-in-salt.version.patch
Normal file
38
add-missing-contextvars-dependency-in-salt.version.patch
Normal file
@ -0,0 +1,38 @@
|
||||
From 1a5716365e0c3b8d290759847f4046f28ee4b79f Mon Sep 17 00:00:00 2001
|
||||
From: Victor Zhestkov <vzhestkov@suse.com>
|
||||
Date: Wed, 15 May 2024 09:53:20 +0200
|
||||
Subject: [PATCH] Add missing contextvars dependency in salt.version
|
||||
|
||||
---
|
||||
salt/version.py | 1 +
|
||||
tests/unit/states/test_pip_state.py | 2 +-
|
||||
2 files changed, 2 insertions(+), 1 deletion(-)
|
||||
|
||||
diff --git a/salt/version.py b/salt/version.py
|
||||
index 44372830b2..b2643550e9 100644
|
||||
--- a/salt/version.py
|
||||
+++ b/salt/version.py
|
||||
@@ -717,6 +717,7 @@ def dependency_information(include_salt_cloud=False):
|
||||
("docker-py", "docker", "__version__"),
|
||||
("packaging", "packaging", "__version__"),
|
||||
("looseversion", "looseversion", None),
|
||||
+ ("contextvars", "contextvars", None),
|
||||
("relenv", "relenv", "__version__"),
|
||||
]
|
||||
|
||||
diff --git a/tests/unit/states/test_pip_state.py b/tests/unit/states/test_pip_state.py
|
||||
index d70b115000..fe5d171a15 100644
|
||||
--- a/tests/unit/states/test_pip_state.py
|
||||
+++ b/tests/unit/states/test_pip_state.py
|
||||
@@ -419,7 +419,7 @@ class PipStateInstallationErrorTest(TestCase):
|
||||
def test_importable_installation_error(self):
|
||||
extra_requirements = []
|
||||
for name, version in salt.version.dependency_information():
|
||||
- if name in ["PyYAML", "packaging", "looseversion"]:
|
||||
+ if name in ["PyYAML", "packaging", "looseversion", "contextvars"]:
|
||||
extra_requirements.append("{}=={}".format(name, version))
|
||||
failures = {}
|
||||
pip_version_requirements = [
|
||||
--
|
||||
2.45.0
|
||||
|
80
decode-oscap-byte-stream-to-string-bsc-1219001.patch
Normal file
80
decode-oscap-byte-stream-to-string-bsc-1219001.patch
Normal file
@ -0,0 +1,80 @@
|
||||
From 45b97042766e15a4336b141b40a03d68156771bc Mon Sep 17 00:00:00 2001
|
||||
From: Marek Czernek <marek.czernek@suse.com>
|
||||
Date: Thu, 14 Mar 2024 16:16:02 +0100
|
||||
Subject: [PATCH] Decode oscap byte stream to string (bsc#1219001)
|
||||
|
||||
---
|
||||
salt/modules/openscap.py | 5 +++--
|
||||
tests/unit/modules/test_openscap.py | 10 +++++-----
|
||||
2 files changed, 8 insertions(+), 7 deletions(-)
|
||||
|
||||
diff --git a/salt/modules/openscap.py b/salt/modules/openscap.py
|
||||
index 216fd89eef..89712ae722 100644
|
||||
--- a/salt/modules/openscap.py
|
||||
+++ b/salt/modules/openscap.py
|
||||
@@ -152,10 +152,11 @@ def xccdf_eval(xccdffile, ovalfiles=None, **kwargs):
|
||||
if success:
|
||||
tempdir = tempfile.mkdtemp()
|
||||
proc = Popen(cmd_opts, stdout=PIPE, stderr=PIPE, cwd=tempdir)
|
||||
- (stdoutdata, error) = proc.communicate()
|
||||
+ (_, error) = proc.communicate()
|
||||
+ error = error.decode('ascii', errors='ignore')
|
||||
success = _OSCAP_EXIT_CODES_MAP.get(proc.returncode, False)
|
||||
if proc.returncode < 0:
|
||||
- error += "\nKilled by signal {}\n".format(proc.returncode).encode('ascii')
|
||||
+ error += "\nKilled by signal {}\n".format(proc.returncode)
|
||||
returncode = proc.returncode
|
||||
if success:
|
||||
__salt__["cp.push_dir"](tempdir)
|
||||
diff --git a/tests/unit/modules/test_openscap.py b/tests/unit/modules/test_openscap.py
|
||||
index 301c1869ec..6fbdfed7cf 100644
|
||||
--- a/tests/unit/modules/test_openscap.py
|
||||
+++ b/tests/unit/modules/test_openscap.py
|
||||
@@ -218,7 +218,7 @@ class OpenscapTestCase(TestCase):
|
||||
"salt.modules.openscap.Popen",
|
||||
MagicMock(
|
||||
return_value=Mock(
|
||||
- **{"returncode": 0, "communicate.return_value": ("", "")}
|
||||
+ **{"returncode": 0, "communicate.return_value": (bytes(0), bytes(0))}
|
||||
)
|
||||
),
|
||||
):
|
||||
@@ -269,7 +269,7 @@ class OpenscapTestCase(TestCase):
|
||||
"salt.modules.openscap.Popen",
|
||||
MagicMock(
|
||||
return_value=Mock(
|
||||
- **{"returncode": 0, "communicate.return_value": ("", "")}
|
||||
+ **{"returncode": 0, "communicate.return_value": (bytes(0), bytes(0))}
|
||||
)
|
||||
),
|
||||
):
|
||||
@@ -323,7 +323,7 @@ class OpenscapTestCase(TestCase):
|
||||
"salt.modules.openscap.Popen",
|
||||
MagicMock(
|
||||
return_value=Mock(
|
||||
- **{"returncode": 2, "communicate.return_value": ("", "some error")}
|
||||
+ **{"returncode": 2, "communicate.return_value": (bytes(0), bytes("some error", "UTF-8"))}
|
||||
)
|
||||
),
|
||||
):
|
||||
@@ -374,7 +374,7 @@ class OpenscapTestCase(TestCase):
|
||||
"salt.modules.openscap.Popen",
|
||||
MagicMock(
|
||||
return_value=Mock(
|
||||
- **{"returncode": 2, "communicate.return_value": ("", "some error")}
|
||||
+ **{"returncode": 2, "communicate.return_value": (bytes(0), bytes("some error", "UTF-8"))}
|
||||
)
|
||||
),
|
||||
):
|
||||
@@ -423,7 +423,7 @@ class OpenscapTestCase(TestCase):
|
||||
return_value=Mock(
|
||||
**{
|
||||
"returncode": 1,
|
||||
- "communicate.return_value": ("", "evaluation error"),
|
||||
+ "communicate.return_value": (bytes(0), bytes("evaluation error", "UTF-8")),
|
||||
}
|
||||
)
|
||||
),
|
||||
--
|
||||
2.43.0
|
||||
|
188
discover-both-.yml-and-.yaml-playbooks-bsc-1211888.patch
Normal file
188
discover-both-.yml-and-.yaml-playbooks-bsc-1211888.patch
Normal file
@ -0,0 +1,188 @@
|
||||
From 05fbd376090c5d7f997c510db0abb62be54d6d40 Mon Sep 17 00:00:00 2001
|
||||
From: Johannes Hahn <johannes.hahn@suse.com>
|
||||
Date: Tue, 20 Feb 2024 15:38:08 +0100
|
||||
Subject: [PATCH] Discover both *.yml and *.yaml playbooks (bsc#1211888)
|
||||
|
||||
Allow for 'playbook_extension' to be either a string or a tuple and
|
||||
change the default behavior to discover both.
|
||||
---
|
||||
changelog/66048.changed.md | 1 +
|
||||
salt/modules/ansiblegate.py | 46 +++++++++----------
|
||||
.../pytests/unit/modules/test_ansiblegate.py | 3 ++
|
||||
.../example_playbooks/playbook1.yaml | 5 ++
|
||||
4 files changed, 30 insertions(+), 25 deletions(-)
|
||||
create mode 100644 changelog/66048.changed.md
|
||||
create mode 100644 tests/unit/files/playbooks/example_playbooks/playbook1.yaml
|
||||
|
||||
diff --git a/changelog/66048.changed.md b/changelog/66048.changed.md
|
||||
new file mode 100644
|
||||
index 0000000000..b042e0d313
|
||||
--- /dev/null
|
||||
+++ b/changelog/66048.changed.md
|
||||
@@ -0,0 +1 @@
|
||||
+Ansiblegate discover_playbooks was changed to find playbooks as either *.yml or *.yaml files
|
||||
diff --git a/salt/modules/ansiblegate.py b/salt/modules/ansiblegate.py
|
||||
index 2f60a7444f..920c374e5a 100644
|
||||
--- a/salt/modules/ansiblegate.py
|
||||
+++ b/salt/modules/ansiblegate.py
|
||||
@@ -111,7 +111,7 @@ def __virtual__():
|
||||
if proc.returncode != 0:
|
||||
return (
|
||||
False,
|
||||
- "Failed to get the listing of ansible modules:\n{}".format(proc.stderr),
|
||||
+ f"Failed to get the listing of ansible modules:\n{proc.stderr}",
|
||||
)
|
||||
|
||||
module_funcs = dir(sys.modules[__name__])
|
||||
@@ -240,7 +240,7 @@ def call(module, *args, **kwargs):
|
||||
_kwargs = {k: v for (k, v) in kwargs.items() if not k.startswith("__pub")}
|
||||
|
||||
for key, value in _kwargs.items():
|
||||
- module_args.append("{}={}".format(key, salt.utils.json.dumps(value)))
|
||||
+ module_args.append(f"{key}={salt.utils.json.dumps(value)}")
|
||||
|
||||
with NamedTemporaryFile(mode="w") as inventory:
|
||||
|
||||
@@ -367,15 +367,15 @@ def playbooks(
|
||||
if diff:
|
||||
command.append("--diff")
|
||||
if isinstance(extra_vars, dict):
|
||||
- command.append("--extra-vars='{}'".format(json.dumps(extra_vars)))
|
||||
+ command.append(f"--extra-vars='{json.dumps(extra_vars)}'")
|
||||
elif isinstance(extra_vars, str) and extra_vars.startswith("@"):
|
||||
- command.append("--extra-vars={}".format(extra_vars))
|
||||
+ command.append(f"--extra-vars={extra_vars}")
|
||||
if flush_cache:
|
||||
command.append("--flush-cache")
|
||||
if inventory:
|
||||
- command.append("--inventory={}".format(inventory))
|
||||
+ command.append(f"--inventory={inventory}")
|
||||
if limit:
|
||||
- command.append("--limit={}".format(limit))
|
||||
+ command.append(f"--limit={limit}")
|
||||
if list_hosts:
|
||||
command.append("--list-hosts")
|
||||
if list_tags:
|
||||
@@ -383,25 +383,25 @@ def playbooks(
|
||||
if list_tasks:
|
||||
command.append("--list-tasks")
|
||||
if module_path:
|
||||
- command.append("--module-path={}".format(module_path))
|
||||
+ command.append(f"--module-path={module_path}")
|
||||
if skip_tags:
|
||||
- command.append("--skip-tags={}".format(skip_tags))
|
||||
+ command.append(f"--skip-tags={skip_tags}")
|
||||
if start_at_task:
|
||||
- command.append("--start-at-task={}".format(start_at_task))
|
||||
+ command.append(f"--start-at-task={start_at_task}")
|
||||
if syntax_check:
|
||||
command.append("--syntax-check")
|
||||
if tags:
|
||||
- command.append("--tags={}".format(tags))
|
||||
+ command.append(f"--tags={tags}")
|
||||
if playbook_kwargs:
|
||||
for key, value in playbook_kwargs.items():
|
||||
key = key.replace("_", "-")
|
||||
if value is True:
|
||||
- command.append("--{}".format(key))
|
||||
+ command.append(f"--{key}")
|
||||
elif isinstance(value, str):
|
||||
- command.append("--{}={}".format(key, value))
|
||||
+ command.append(f"--{key}={value}")
|
||||
elif isinstance(value, dict):
|
||||
- command.append("--{}={}".format(key, json.dumps(value)))
|
||||
- command.append("--forks={}".format(forks))
|
||||
+ command.append(f"--{key}={json.dumps(value)}")
|
||||
+ command.append(f"--forks={forks}")
|
||||
cmd_kwargs = {
|
||||
"env": {
|
||||
"ANSIBLE_STDOUT_CALLBACK": "json",
|
||||
@@ -502,7 +502,7 @@ def discover_playbooks(
|
||||
List of paths to discover playbooks from.
|
||||
|
||||
:param playbook_extension:
|
||||
- File extension of playbooks file to search for. Default: "yml"
|
||||
+ File extension(s) of playbook files to search for, can be a string or tuple of strings. Default: (".yml", ".yaml")
|
||||
|
||||
:param hosts_filename:
|
||||
Filename of custom playbook inventory to search for. Default: "hosts"
|
||||
@@ -533,19 +533,17 @@ def discover_playbooks(
|
||||
)
|
||||
|
||||
if not playbook_extension:
|
||||
- playbook_extension = "yml"
|
||||
+ playbook_extension = (".yml", ".yaml")
|
||||
if not hosts_filename:
|
||||
hosts_filename = "hosts"
|
||||
|
||||
if path:
|
||||
if not os.path.isabs(path):
|
||||
raise CommandExecutionError(
|
||||
- "The given path is not an absolute path: {}".format(path)
|
||||
+ f"The given path is not an absolute path: {path}"
|
||||
)
|
||||
if not os.path.isdir(path):
|
||||
- raise CommandExecutionError(
|
||||
- "The given path is not a directory: {}".format(path)
|
||||
- )
|
||||
+ raise CommandExecutionError(f"The given path is not a directory: {path}")
|
||||
return {
|
||||
path: _explore_path(path, playbook_extension, hosts_filename, syntax_check)
|
||||
}
|
||||
@@ -573,7 +571,7 @@ def _explore_path(path, playbook_extension, hosts_filename, syntax_check):
|
||||
# Check files in the given path
|
||||
for _f in os.listdir(path):
|
||||
_path = os.path.join(path, _f)
|
||||
- if os.path.isfile(_path) and _path.endswith("." + playbook_extension):
|
||||
+ if os.path.isfile(_path) and _path.endswith(playbook_extension):
|
||||
ret[_f] = {"fullpath": _path}
|
||||
# Check for custom inventory file
|
||||
if os.path.isfile(os.path.join(path, hosts_filename)):
|
||||
@@ -584,9 +582,7 @@ def _explore_path(path, playbook_extension, hosts_filename, syntax_check):
|
||||
# Check files in the 1st level of subdirectories
|
||||
for _f2 in os.listdir(_path):
|
||||
_path2 = os.path.join(_path, _f2)
|
||||
- if os.path.isfile(_path2) and _path2.endswith(
|
||||
- "." + playbook_extension
|
||||
- ):
|
||||
+ if os.path.isfile(_path2) and _path2.endswith(playbook_extension):
|
||||
ret[os.path.join(_f, _f2)] = {"fullpath": _path2}
|
||||
# Check for custom inventory file
|
||||
if os.path.isfile(os.path.join(_path, hosts_filename)):
|
||||
@@ -599,7 +595,7 @@ def _explore_path(path, playbook_extension, hosts_filename, syntax_check):
|
||||
)
|
||||
except Exception as exc:
|
||||
raise CommandExecutionError(
|
||||
- "There was an exception while discovering playbooks: {}".format(exc)
|
||||
+ f"There was an exception while discovering playbooks: {exc}"
|
||||
)
|
||||
|
||||
# Run syntax check validation
|
||||
diff --git a/tests/pytests/unit/modules/test_ansiblegate.py b/tests/pytests/unit/modules/test_ansiblegate.py
|
||||
index 6201809c22..272da721bf 100644
|
||||
--- a/tests/pytests/unit/modules/test_ansiblegate.py
|
||||
+++ b/tests/pytests/unit/modules/test_ansiblegate.py
|
||||
@@ -198,6 +198,9 @@ def test_ansible_discover_playbooks_single_path():
|
||||
assert ret[playbooks_dir]["playbook1.yml"] == {
|
||||
"fullpath": os.path.join(playbooks_dir, "playbook1.yml")
|
||||
}
|
||||
+ assert ret[playbooks_dir]["playbook1.yaml"] == {
|
||||
+ "fullpath": os.path.join(playbooks_dir, "playbook1.yaml")
|
||||
+ }
|
||||
assert ret[playbooks_dir]["example-playbook2/site.yml"] == {
|
||||
"fullpath": os.path.join(playbooks_dir, "example-playbook2/site.yml"),
|
||||
"custom_inventory": os.path.join(playbooks_dir, "example-playbook2/hosts"),
|
||||
diff --git a/tests/unit/files/playbooks/example_playbooks/playbook1.yaml b/tests/unit/files/playbooks/example_playbooks/playbook1.yaml
|
||||
new file mode 100644
|
||||
index 0000000000..e258a101e1
|
||||
--- /dev/null
|
||||
+++ b/tests/unit/files/playbooks/example_playbooks/playbook1.yaml
|
||||
@@ -0,0 +1,5 @@
|
||||
+---
|
||||
+- hosts: all
|
||||
+ gather_facts: false
|
||||
+ tasks:
|
||||
+ - ping:
|
||||
--
|
||||
2.43.1
|
||||
|
254
do-not-call-the-async-wrapper-calls-with-the-separat.patch
Normal file
254
do-not-call-the-async-wrapper-calls-with-the-separat.patch
Normal file
@ -0,0 +1,254 @@
|
||||
From 4021f938ed1b64acd47ccaefc111197a1118ee4f Mon Sep 17 00:00:00 2001
|
||||
From: Victor Zhestkov <vzhestkov@suse.com>
|
||||
Date: Wed, 15 May 2024 11:48:46 +0200
|
||||
Subject: [PATCH] Do not call the async wrapper calls with the separate
|
||||
thread
|
||||
|
||||
* Do not run method with the distinct thread
|
||||
|
||||
* Move test_asynchronous.py to pytests
|
||||
---
|
||||
salt/utils/asynchronous.py | 25 +----
|
||||
tests/pytests/unit/utils/test_asynchronous.py | 92 +++++++++++++++++++
|
||||
tests/unit/utils/test_asynchronous.py | 81 ----------------
|
||||
3 files changed, 94 insertions(+), 104 deletions(-)
|
||||
create mode 100644 tests/pytests/unit/utils/test_asynchronous.py
|
||||
delete mode 100644 tests/unit/utils/test_asynchronous.py
|
||||
|
||||
diff --git a/salt/utils/asynchronous.py b/salt/utils/asynchronous.py
|
||||
index 88596a4a20..55a50cbcbf 100644
|
||||
--- a/salt/utils/asynchronous.py
|
||||
+++ b/salt/utils/asynchronous.py
|
||||
@@ -2,11 +2,8 @@
|
||||
Helpers/utils for working with tornado asynchronous stuff
|
||||
"""
|
||||
|
||||
-
|
||||
import contextlib
|
||||
import logging
|
||||
-import sys
|
||||
-import threading
|
||||
|
||||
import salt.ext.tornado.concurrent
|
||||
import salt.ext.tornado.ioloop
|
||||
@@ -111,30 +108,12 @@ class SyncWrapper:
|
||||
|
||||
def _wrap(self, key):
|
||||
def wrap(*args, **kwargs):
|
||||
- results = []
|
||||
- thread = threading.Thread(
|
||||
- target=self._target,
|
||||
- args=(key, args, kwargs, results, self.io_loop),
|
||||
+ return self.io_loop.run_sync(
|
||||
+ lambda: getattr(self.obj, key)(*args, **kwargs)
|
||||
)
|
||||
- thread.start()
|
||||
- thread.join()
|
||||
- if results[0]:
|
||||
- return results[1]
|
||||
- else:
|
||||
- exc_info = results[1]
|
||||
- raise exc_info[1].with_traceback(exc_info[2])
|
||||
|
||||
return wrap
|
||||
|
||||
- def _target(self, key, args, kwargs, results, io_loop):
|
||||
- try:
|
||||
- result = io_loop.run_sync(lambda: getattr(self.obj, key)(*args, **kwargs))
|
||||
- results.append(True)
|
||||
- results.append(result)
|
||||
- except Exception: # pylint: disable=broad-except
|
||||
- results.append(False)
|
||||
- results.append(sys.exc_info())
|
||||
-
|
||||
def __enter__(self):
|
||||
return self
|
||||
|
||||
diff --git a/tests/pytests/unit/utils/test_asynchronous.py b/tests/pytests/unit/utils/test_asynchronous.py
|
||||
new file mode 100644
|
||||
index 0000000000..2b5613e2bf
|
||||
--- /dev/null
|
||||
+++ b/tests/pytests/unit/utils/test_asynchronous.py
|
||||
@@ -0,0 +1,92 @@
|
||||
+import tornado.gen
|
||||
+import tornado.ioloop
|
||||
+
|
||||
+import salt.utils.asynchronous as asynchronous
|
||||
+
|
||||
+
|
||||
+class HelperA:
|
||||
+
|
||||
+ async_methods = [
|
||||
+ "sleep",
|
||||
+ ]
|
||||
+
|
||||
+ def __init__(self, io_loop=None):
|
||||
+ pass
|
||||
+
|
||||
+ @tornado.gen.coroutine
|
||||
+ def sleep(self):
|
||||
+ yield tornado.gen.sleep(0.1)
|
||||
+ raise tornado.gen.Return(True)
|
||||
+
|
||||
+
|
||||
+class HelperB:
|
||||
+
|
||||
+ async_methods = [
|
||||
+ "sleep",
|
||||
+ ]
|
||||
+
|
||||
+ def __init__(self, a=None, io_loop=None):
|
||||
+ if a is None:
|
||||
+ a = asynchronous.SyncWrapper(HelperA)
|
||||
+ self.a = a
|
||||
+
|
||||
+ @tornado.gen.coroutine
|
||||
+ def sleep(self):
|
||||
+ yield tornado.gen.sleep(0.1)
|
||||
+ self.a.sleep()
|
||||
+ raise tornado.gen.Return(False)
|
||||
+
|
||||
+
|
||||
+def test_helpers():
|
||||
+ """
|
||||
+ Test that the helper classes do what we expect within a regular asynchronous env
|
||||
+ """
|
||||
+ io_loop = tornado.ioloop.IOLoop(make_current=False)
|
||||
+ ret = io_loop.run_sync(lambda: HelperA().sleep())
|
||||
+ assert ret is True
|
||||
+
|
||||
+ ret = io_loop.run_sync(lambda: HelperB().sleep())
|
||||
+ assert ret is False
|
||||
+
|
||||
+
|
||||
+def test_basic_wrap():
|
||||
+ """
|
||||
+ Test that we can wrap an asynchronous caller.
|
||||
+ """
|
||||
+ sync = asynchronous.SyncWrapper(HelperA)
|
||||
+ ret = sync.sleep()
|
||||
+ assert ret is True
|
||||
+
|
||||
+
|
||||
+def test_basic_wrap_series():
|
||||
+ """
|
||||
+ Test that we can wrap an asynchronous caller and call the method in series.
|
||||
+ """
|
||||
+ sync = asynchronous.SyncWrapper(HelperA)
|
||||
+ ret = sync.sleep()
|
||||
+ assert ret is True
|
||||
+ ret = sync.sleep()
|
||||
+ assert ret is True
|
||||
+
|
||||
+
|
||||
+def test_double():
|
||||
+ """
|
||||
+ Test when the asynchronous wrapper object itself creates a wrap of another thing
|
||||
+
|
||||
+ This works fine since the second wrap is based on the first's IOLoop so we
|
||||
+ don't have to worry about complex start/stop mechanics
|
||||
+ """
|
||||
+ sync = asynchronous.SyncWrapper(HelperB)
|
||||
+ ret = sync.sleep()
|
||||
+ assert ret is False
|
||||
+
|
||||
+
|
||||
+def test_double_sameloop():
|
||||
+ """
|
||||
+ Test asynchronous wrappers initiated from the same IOLoop, to ensure that
|
||||
+ we don't wire up both to the same IOLoop (since it causes MANY problems).
|
||||
+ """
|
||||
+ a = asynchronous.SyncWrapper(HelperA)
|
||||
+ sync = asynchronous.SyncWrapper(HelperB, (a,))
|
||||
+ ret = sync.sleep()
|
||||
+ assert ret is False
|
||||
diff --git a/tests/unit/utils/test_asynchronous.py b/tests/unit/utils/test_asynchronous.py
|
||||
deleted file mode 100644
|
||||
index e5bd974cb6..0000000000
|
||||
--- a/tests/unit/utils/test_asynchronous.py
|
||||
+++ /dev/null
|
||||
@@ -1,81 +0,0 @@
|
||||
-import salt.ext.tornado.gen
|
||||
-import salt.ext.tornado.testing
|
||||
-import salt.utils.asynchronous as asynchronous
|
||||
-from salt.ext.tornado.testing import AsyncTestCase
|
||||
-
|
||||
-
|
||||
-class HelperA:
|
||||
-
|
||||
- async_methods = [
|
||||
- "sleep",
|
||||
- ]
|
||||
-
|
||||
- def __init__(self, io_loop=None):
|
||||
- pass
|
||||
-
|
||||
- @salt.ext.tornado.gen.coroutine
|
||||
- def sleep(self):
|
||||
- yield salt.ext.tornado.gen.sleep(0.1)
|
||||
- raise salt.ext.tornado.gen.Return(True)
|
||||
-
|
||||
-
|
||||
-class HelperB:
|
||||
-
|
||||
- async_methods = [
|
||||
- "sleep",
|
||||
- ]
|
||||
-
|
||||
- def __init__(self, a=None, io_loop=None):
|
||||
- if a is None:
|
||||
- a = asynchronous.SyncWrapper(HelperA)
|
||||
- self.a = a
|
||||
-
|
||||
- @salt.ext.tornado.gen.coroutine
|
||||
- def sleep(self):
|
||||
- yield salt.ext.tornado.gen.sleep(0.1)
|
||||
- self.a.sleep()
|
||||
- raise salt.ext.tornado.gen.Return(False)
|
||||
-
|
||||
-
|
||||
-class TestSyncWrapper(AsyncTestCase):
|
||||
- @salt.ext.tornado.testing.gen_test
|
||||
- def test_helpers(self):
|
||||
- """
|
||||
- Test that the helper classes do what we expect within a regular asynchronous env
|
||||
- """
|
||||
- ha = HelperA()
|
||||
- ret = yield ha.sleep()
|
||||
- self.assertTrue(ret)
|
||||
-
|
||||
- hb = HelperB()
|
||||
- ret = yield hb.sleep()
|
||||
- self.assertFalse(ret)
|
||||
-
|
||||
- def test_basic_wrap(self):
|
||||
- """
|
||||
- Test that we can wrap an asynchronous caller.
|
||||
- """
|
||||
- sync = asynchronous.SyncWrapper(HelperA)
|
||||
- ret = sync.sleep()
|
||||
- self.assertTrue(ret)
|
||||
-
|
||||
- def test_double(self):
|
||||
- """
|
||||
- Test when the asynchronous wrapper object itself creates a wrap of another thing
|
||||
-
|
||||
- This works fine since the second wrap is based on the first's IOLoop so we
|
||||
- don't have to worry about complex start/stop mechanics
|
||||
- """
|
||||
- sync = asynchronous.SyncWrapper(HelperB)
|
||||
- ret = sync.sleep()
|
||||
- self.assertFalse(ret)
|
||||
-
|
||||
- def test_double_sameloop(self):
|
||||
- """
|
||||
- Test asynchronous wrappers initiated from the same IOLoop, to ensure that
|
||||
- we don't wire up both to the same IOLoop (since it causes MANY problems).
|
||||
- """
|
||||
- a = asynchronous.SyncWrapper(HelperA)
|
||||
- sync = asynchronous.SyncWrapper(HelperB, (a,))
|
||||
- ret = sync.sleep()
|
||||
- self.assertFalse(ret)
|
||||
--
|
||||
2.45.0
|
||||
|
180
firewalld-normalize-new-rich-rules-before-comparing-.patch
Normal file
180
firewalld-normalize-new-rich-rules-before-comparing-.patch
Normal file
@ -0,0 +1,180 @@
|
||||
From 522b2331e6584758aeaefbf2d41f0c18cd1113d9 Mon Sep 17 00:00:00 2001
|
||||
From: Marek Czernek <marek.czernek@suse.com>
|
||||
Date: Tue, 23 Jul 2024 13:01:27 +0200
|
||||
Subject: [PATCH] firewalld: normalize new rich rules before comparing
|
||||
to old (bsc#1222684) (#648)
|
||||
MIME-Version: 1.0
|
||||
Content-Type: text/plain; charset=UTF-8
|
||||
Content-Transfer-Encoding: 8bit
|
||||
|
||||
* Normalize new rich rules before comparing to old
|
||||
|
||||
Firewallcmd rich rule output quotes each
|
||||
assigned part of the rich rule, for example:
|
||||
rule family="ipv4" source port port="161" ...
|
||||
The firewalld module must first normalize
|
||||
the user defined rich rules to match the
|
||||
firewallcmd output before comparison to
|
||||
ensure idempotency.
|
||||
|
||||
* Add changelog entry
|
||||
|
||||
* Enhance documentation for normalization function
|
||||
|
||||
* Add unit tests to cover rich rules normalization
|
||||
|
||||
---------
|
||||
|
||||
Co-authored-by: Pablo Suárez Hernández <psuarezhernandez@suse.com>
|
||||
---
|
||||
changelog/61235.fixed.md | 1 +
|
||||
salt/states/firewalld.py | 38 +++++++++++-
|
||||
tests/pytests/unit/states/test_firewalld.py | 64 +++++++++++++++++++++
|
||||
3 files changed, 102 insertions(+), 1 deletion(-)
|
||||
create mode 100644 changelog/61235.fixed.md
|
||||
create mode 100644 tests/pytests/unit/states/test_firewalld.py
|
||||
|
||||
diff --git a/changelog/61235.fixed.md b/changelog/61235.fixed.md
|
||||
new file mode 100644
|
||||
index 00000000000..7ae9bb40800
|
||||
--- /dev/null
|
||||
+++ b/changelog/61235.fixed.md
|
||||
@@ -0,0 +1 @@
|
||||
+- firewalld: normalize new rich rules before comparing to old ones
|
||||
diff --git a/salt/states/firewalld.py b/salt/states/firewalld.py
|
||||
index 534b9dd62df..9ce0bfc61a8 100644
|
||||
--- a/salt/states/firewalld.py
|
||||
+++ b/salt/states/firewalld.py
|
||||
@@ -204,7 +204,6 @@ def present(
|
||||
rich_rules=None,
|
||||
prune_rich_rules=False,
|
||||
):
|
||||
-
|
||||
"""
|
||||
Ensure a zone has specific attributes.
|
||||
|
||||
@@ -378,6 +377,42 @@ def service(name, ports=None, protocols=None):
|
||||
return ret
|
||||
|
||||
|
||||
+def _normalize_rich_rules(rich_rules):
|
||||
+ """
|
||||
+ Make sure rich rules are normalized and attributes
|
||||
+ are quoted with double quotes so it matches the output
|
||||
+ from firewall-cmd
|
||||
+
|
||||
+ Example:
|
||||
+
|
||||
+ rule family="ipv4" source address="192.168.0.0/16" port port=22 protocol=tcp accept
|
||||
+ rule family="ipv4" source address="192.168.0.0/16" port port='22' protocol=tcp accept
|
||||
+ rule family='ipv4' source address='192.168.0.0/16' port port='22' protocol=tcp accept
|
||||
+
|
||||
+ normalized to:
|
||||
+
|
||||
+ rule family="ipv4" source address="192.168.0.0/16" port port="22" protocol="tcp" accept
|
||||
+ """
|
||||
+ normalized_rules = []
|
||||
+ for rich_rule in rich_rules:
|
||||
+ normalized_rule = ""
|
||||
+ for cmd in rich_rule.split(" "):
|
||||
+ cmd_components = cmd.split("=", 1)
|
||||
+ if len(cmd_components) == 2:
|
||||
+ assigned_component = cmd_components[1]
|
||||
+ if not assigned_component.startswith(
|
||||
+ '"'
|
||||
+ ) and not assigned_component.endswith('"'):
|
||||
+ if assigned_component.startswith(
|
||||
+ "'"
|
||||
+ ) and assigned_component.endswith("'"):
|
||||
+ assigned_component = assigned_component[1:-1]
|
||||
+ cmd_components[1] = f'"{assigned_component}"'
|
||||
+ normalized_rule = f"{normalized_rule} {'='.join(cmd_components)}"
|
||||
+ normalized_rules.append(normalized_rule.lstrip())
|
||||
+ return normalized_rules
|
||||
+
|
||||
+
|
||||
def _present(
|
||||
name,
|
||||
block_icmp=None,
|
||||
@@ -761,6 +796,7 @@ def _present(
|
||||
|
||||
if rich_rules or prune_rich_rules:
|
||||
rich_rules = rich_rules or []
|
||||
+ rich_rules = _normalize_rich_rules(rich_rules)
|
||||
try:
|
||||
_current_rich_rules = __salt__["firewalld.get_rich_rules"](
|
||||
name, permanent=True
|
||||
diff --git a/tests/pytests/unit/states/test_firewalld.py b/tests/pytests/unit/states/test_firewalld.py
|
||||
new file mode 100644
|
||||
index 00000000000..0cbc59633bf
|
||||
--- /dev/null
|
||||
+++ b/tests/pytests/unit/states/test_firewalld.py
|
||||
@@ -0,0 +1,64 @@
|
||||
+"""
|
||||
+ :codeauthor: Hristo Voyvodov <hristo.voyvodov@redsift.io>
|
||||
+"""
|
||||
+
|
||||
+import pytest
|
||||
+
|
||||
+import salt.states.firewalld as firewalld
|
||||
+from tests.support.mock import MagicMock, patch
|
||||
+
|
||||
+
|
||||
+@pytest.fixture
|
||||
+def configure_loader_modules():
|
||||
+ return {firewalld: {"__opts__": {"test": False}}}
|
||||
+
|
||||
+
|
||||
+@pytest.mark.parametrize(
|
||||
+ "rich_rule",
|
||||
+ [
|
||||
+ (
|
||||
+ [
|
||||
+ 'rule family="ipv4" source address="192.168.0.0/16" port port=22 protocol=tcp accept'
|
||||
+ ]
|
||||
+ ),
|
||||
+ (
|
||||
+ [
|
||||
+ 'rule family="ipv4" source address="192.168.0.0/16" port port=\'22\' protocol=tcp accept'
|
||||
+ ]
|
||||
+ ),
|
||||
+ (
|
||||
+ [
|
||||
+ "rule family='ipv4' source address='192.168.0.0/16' port port='22' protocol=tcp accept"
|
||||
+ ]
|
||||
+ ),
|
||||
+ ],
|
||||
+)
|
||||
+def test_present_rich_rules_normalized(rich_rule):
|
||||
+ firewalld_reload_rules = MagicMock(return_value={})
|
||||
+ firewalld_rich_rules = [
|
||||
+ 'rule family="ipv4" source address="192.168.0.0/16" port port="22" protocol="tcp" accept',
|
||||
+ ]
|
||||
+
|
||||
+ firewalld_get_zones = MagicMock(
|
||||
+ return_value=[
|
||||
+ "block",
|
||||
+ "public",
|
||||
+ ]
|
||||
+ )
|
||||
+ firewalld_get_masquerade = MagicMock(return_value=False)
|
||||
+ firewalld_get_rich_rules = MagicMock(return_value=firewalld_rich_rules)
|
||||
+
|
||||
+ __salt__ = {
|
||||
+ "firewalld.reload_rules": firewalld_reload_rules,
|
||||
+ "firewalld.get_zones": firewalld_get_zones,
|
||||
+ "firewalld.get_masquerade": firewalld_get_masquerade,
|
||||
+ "firewalld.get_rich_rules": firewalld_get_rich_rules,
|
||||
+ }
|
||||
+ with patch.dict(firewalld.__dict__, {"__salt__": __salt__}):
|
||||
+ ret = firewalld.present("public", rich_rules=rich_rule)
|
||||
+ assert ret == {
|
||||
+ "changes": {},
|
||||
+ "result": True,
|
||||
+ "comment": "'public' is already in the desired state.",
|
||||
+ "name": "public",
|
||||
+ }
|
||||
--
|
||||
2.45.2
|
||||
|
||||
|
2695
fix-problematic-tests-and-allow-smooth-tests-executi.patch
Normal file
2695
fix-problematic-tests-and-allow-smooth-tests-executi.patch
Normal file
File diff suppressed because it is too large
Load Diff
3860
fix-salt-warnings-and-testuite-for-python-3.11-635.patch
Normal file
3860
fix-salt-warnings-and-testuite-for-python-3.11-635.patch
Normal file
File diff suppressed because it is too large
Load Diff
243
fix-status.diskusage-and-exclude-some-tests-to-run-w.patch
Normal file
243
fix-status.diskusage-and-exclude-some-tests-to-run-w.patch
Normal file
@ -0,0 +1,243 @@
|
||||
From 4555f215614c2f2d5c4b5c376264df9b3f23a55b Mon Sep 17 00:00:00 2001
|
||||
From: =?UTF-8?q?Pablo=20Su=C3=A1rez=20Hern=C3=A1ndez?=
|
||||
<psuarezhernandez@suse.com>
|
||||
Date: Tue, 18 Jun 2024 15:55:31 +0100
|
||||
Subject: [PATCH] Fix "status.diskusage" and exclude some tests to run
|
||||
when testing Salt Bundle (#659)
|
||||
|
||||
* Show warning instead of crashing when stats cannot be fetched
|
||||
|
||||
* Skip tests that are not compatible with Salt Bundle
|
||||
|
||||
* test_syndic_eauth: do not produce error if docker service is not running
|
||||
|
||||
* test_cmdmod: assert properly in case of DeprecationsWarnings
|
||||
|
||||
* Include path as part of output in case of errors
|
||||
|
||||
Co-authored-by: Marek Czernek <marek.czernek@suse.com>
|
||||
|
||||
---------
|
||||
|
||||
Co-authored-by: Marek Czernek <marek.czernek@suse.com>
|
||||
---
|
||||
salt/modules/status.py | 14 +++++++++-----
|
||||
tests/integration/modules/test_pip.py | 5 +++++
|
||||
tests/integration/ssh/test_state.py | 5 +++++
|
||||
tests/pytests/functional/modules/test_pip.py | 4 ++++
|
||||
.../functional/modules/test_virtualenv_mod.py | 5 +++++
|
||||
tests/pytests/functional/states/test_pip_state.py | 4 ++++
|
||||
tests/pytests/integration/cli/test_syndic_eauth.py | 3 +++
|
||||
tests/pytests/integration/modules/test_cmdmod.py | 4 +++-
|
||||
.../pytests/integration/netapi/test_ssh_client.py | 6 ++++++
|
||||
tests/pytests/integration/ssh/conftest.py | 9 +++++++++
|
||||
tests/unit/utils/test_thin.py | 4 ++++
|
||||
11 files changed, 57 insertions(+), 6 deletions(-)
|
||||
create mode 100644 tests/pytests/integration/ssh/conftest.py
|
||||
|
||||
diff --git a/salt/modules/status.py b/salt/modules/status.py
|
||||
index 33e5d7b8df5..8d6241a9dce 100644
|
||||
--- a/salt/modules/status.py
|
||||
+++ b/salt/modules/status.py
|
||||
@@ -1053,11 +1053,15 @@ def diskusage(*args):
|
||||
ret = {}
|
||||
for path in selected:
|
||||
if os.path.exists(path):
|
||||
- fsstats = os.statvfs(path)
|
||||
- blksz = fsstats.f_bsize
|
||||
- available = fsstats.f_bavail * blksz
|
||||
- total = fsstats.f_blocks * blksz
|
||||
- ret[path] = {"available": available, "total": total}
|
||||
+ try:
|
||||
+ fsstats = os.statvfs(path)
|
||||
+ blksz = fsstats.f_bsize
|
||||
+ available = fsstats.f_bavail * blksz
|
||||
+ total = fsstats.f_blocks * blksz
|
||||
+ ret[path] = {"available": available, "total": total}
|
||||
+ except OSError as exc:
|
||||
+ log.warning("Cannot get stats from '{}': {}".format(path, exc))
|
||||
+ ret[path] = {"available": None, "total": None}
|
||||
return ret
|
||||
|
||||
|
||||
diff --git a/tests/integration/modules/test_pip.py b/tests/integration/modules/test_pip.py
|
||||
index d57e9cd2aea..85045dec90b 100644
|
||||
--- a/tests/integration/modules/test_pip.py
|
||||
+++ b/tests/integration/modules/test_pip.py
|
||||
@@ -2,6 +2,7 @@ import os
|
||||
import pprint
|
||||
import re
|
||||
import shutil
|
||||
+import sys
|
||||
import tempfile
|
||||
|
||||
import pytest
|
||||
@@ -16,6 +17,10 @@ from tests.support.runtests import RUNTIME_VARS
|
||||
|
||||
|
||||
@pytest.mark.skip_if_binaries_missing(*KNOWN_BINARY_NAMES, check_all=False)
|
||||
+@pytest.mark.skipif(
|
||||
+ "venv-salt-minion" in sys.executable,
|
||||
+ reason="Skipping for Salt Bundle (tests are not compatible)",
|
||||
+)
|
||||
@pytest.mark.windows_whitelisted
|
||||
class PipModuleTest(ModuleCase):
|
||||
def setUp(self):
|
||||
diff --git a/tests/integration/ssh/test_state.py b/tests/integration/ssh/test_state.py
|
||||
index 69245454e85..daa478b45be 100644
|
||||
--- a/tests/integration/ssh/test_state.py
|
||||
+++ b/tests/integration/ssh/test_state.py
|
||||
@@ -2,6 +2,7 @@ import glob
|
||||
import logging
|
||||
import os
|
||||
import shutil
|
||||
+import sys
|
||||
import threading
|
||||
import time
|
||||
|
||||
@@ -18,6 +19,10 @@ log = logging.getLogger(__name__)
|
||||
|
||||
|
||||
@pytest.mark.slow_test
|
||||
+@pytest.mark.skipif(
|
||||
+ "venv-salt-minion" in sys.executable,
|
||||
+ reason="Skipping for Salt Bundle (tests are not compatible)",
|
||||
+)
|
||||
class SSHStateTest(SSHCase):
|
||||
"""
|
||||
testing the state system with salt-ssh
|
||||
diff --git a/tests/pytests/functional/modules/test_pip.py b/tests/pytests/functional/modules/test_pip.py
|
||||
index e04baa7c43f..1f0104e3e6d 100644
|
||||
--- a/tests/pytests/functional/modules/test_pip.py
|
||||
+++ b/tests/pytests/functional/modules/test_pip.py
|
||||
@@ -23,6 +23,10 @@ from tests.support.helpers import VirtualEnv
|
||||
@pytest.mark.requires_network
|
||||
@pytest.mark.slow_test
|
||||
@pytest.mark.skip_if_binaries_missing("virtualenv", reason="Needs virtualenv binary")
|
||||
+@pytest.mark.skipif(
|
||||
+ "venv-salt-minion" in sys.executable,
|
||||
+ reason="Skipping for Salt Bundle (tests are not compatible)",
|
||||
+)
|
||||
def test_list_available_packages(modules, pip_version, tmp_path):
|
||||
with VirtualEnv(venv_dir=tmp_path, pip_requirement=pip_version) as virtualenv:
|
||||
virtualenv.install("-U", pip_version)
|
||||
diff --git a/tests/pytests/functional/modules/test_virtualenv_mod.py b/tests/pytests/functional/modules/test_virtualenv_mod.py
|
||||
index 2b6abf91e23..69e1866c6e3 100644
|
||||
--- a/tests/pytests/functional/modules/test_virtualenv_mod.py
|
||||
+++ b/tests/pytests/functional/modules/test_virtualenv_mod.py
|
||||
@@ -1,4 +1,5 @@
|
||||
import shutil
|
||||
+import sys
|
||||
|
||||
import pytest
|
||||
|
||||
@@ -68,6 +69,10 @@ def test_clear(virtualenv, venv_dir, modules):
|
||||
bool(salt.utils.path.which("transactional-update")),
|
||||
reason="Skipping on transactional systems",
|
||||
)
|
||||
+@pytest.mark.skipif(
|
||||
+ "venv-salt-minion" in sys.executable,
|
||||
+ reason="Skipping for Salt Bundle (tests are not compatible)",
|
||||
+)
|
||||
def test_virtualenv_ver(virtualenv, venv_dir):
|
||||
ret = virtualenv.create(str(venv_dir))
|
||||
assert ret
|
||||
diff --git a/tests/pytests/functional/states/test_pip_state.py b/tests/pytests/functional/states/test_pip_state.py
|
||||
index 1f2080f1f86..28c1f9fd1f3 100644
|
||||
--- a/tests/pytests/functional/states/test_pip_state.py
|
||||
+++ b/tests/pytests/functional/states/test_pip_state.py
|
||||
@@ -84,6 +84,10 @@ def create_virtualenv(modules):
|
||||
bool(salt.utils.path.which("transactional-update")),
|
||||
reason="Skipping on transactional systems",
|
||||
)
|
||||
+@pytest.mark.skipif(
|
||||
+ "venv-salt-minion" in sys.executable,
|
||||
+ reason="Skipping for Salt Bundle (tests are not compatible)",
|
||||
+)
|
||||
def test_pip_installed_removed(modules, states):
|
||||
"""
|
||||
Tests installed and removed states
|
||||
diff --git a/tests/pytests/integration/cli/test_syndic_eauth.py b/tests/pytests/integration/cli/test_syndic_eauth.py
|
||||
index dde4c25bc91..f2d36c13abb 100644
|
||||
--- a/tests/pytests/integration/cli/test_syndic_eauth.py
|
||||
+++ b/tests/pytests/integration/cli/test_syndic_eauth.py
|
||||
@@ -68,6 +68,9 @@ def syndic_network():
|
||||
try:
|
||||
network = client.networks.create(name="syndic_test_net", ipam=ipam_config)
|
||||
yield network.name
|
||||
+ except Exception as e:
|
||||
+ # Docker failed, it's gonna be an environment issue, let's just skip
|
||||
+ pytest.skip(f"Docker failed with error {e}")
|
||||
finally:
|
||||
if network is not None:
|
||||
network.remove()
|
||||
diff --git a/tests/pytests/integration/modules/test_cmdmod.py b/tests/pytests/integration/modules/test_cmdmod.py
|
||||
index d0b993ddbcf..20a6f808933 100644
|
||||
--- a/tests/pytests/integration/modules/test_cmdmod.py
|
||||
+++ b/tests/pytests/integration/modules/test_cmdmod.py
|
||||
@@ -75,7 +75,9 @@ def test_blacklist_glob(salt_call_cli):
|
||||
)
|
||||
|
||||
assert (
|
||||
- ret.stderr.rstrip()
|
||||
+ ret.stderr.rstrip().split("\n")[
|
||||
+ -1
|
||||
+ ] # Taking only the last line in case of DeprecationWarnings
|
||||
== "Error running 'cmd.run': The shell command \"bad_command --foo\" is not permitted"
|
||||
)
|
||||
|
||||
diff --git a/tests/pytests/integration/netapi/test_ssh_client.py b/tests/pytests/integration/netapi/test_ssh_client.py
|
||||
index 42db6d0eacd..457c151c94f 100644
|
||||
--- a/tests/pytests/integration/netapi/test_ssh_client.py
|
||||
+++ b/tests/pytests/integration/netapi/test_ssh_client.py
|
||||
@@ -1,3 +1,5 @@
|
||||
+import sys
|
||||
+
|
||||
import pytest
|
||||
|
||||
import salt.netapi
|
||||
@@ -8,6 +10,10 @@ from tests.support.mock import patch
|
||||
pytestmark = [
|
||||
pytest.mark.slow_test,
|
||||
pytest.mark.requires_sshd_server,
|
||||
+ pytest.mark.skipif(
|
||||
+ "venv-salt-minion" in sys.executable,
|
||||
+ reason="Skipping for Salt Bundle (tests are not compatible)",
|
||||
+ ),
|
||||
]
|
||||
|
||||
|
||||
diff --git a/tests/pytests/integration/ssh/conftest.py b/tests/pytests/integration/ssh/conftest.py
|
||||
new file mode 100644
|
||||
index 00000000000..ba6e5f2773a
|
||||
--- /dev/null
|
||||
+++ b/tests/pytests/integration/ssh/conftest.py
|
||||
@@ -0,0 +1,9 @@
|
||||
+import sys
|
||||
+
|
||||
+import pytest
|
||||
+
|
||||
+
|
||||
+@pytest.fixture(scope="package", autouse=True)
|
||||
+def _auto_skip_on_salt_bundle():
|
||||
+ if "venv-salt-minion" in sys.executable:
|
||||
+ pytest.skip("Skipping for Salt Bundle (tests are not compatible)")
|
||||
diff --git a/tests/unit/utils/test_thin.py b/tests/unit/utils/test_thin.py
|
||||
index c4e9c3b3bef..b31199976c8 100644
|
||||
--- a/tests/unit/utils/test_thin.py
|
||||
+++ b/tests/unit/utils/test_thin.py
|
||||
@@ -1383,6 +1383,10 @@ class SSHThinTestCase(TestCase):
|
||||
"virtualenv", reason="Needs virtualenv binary"
|
||||
)
|
||||
@pytest.mark.skip_on_windows(reason="salt-ssh does not deploy to/from windows")
|
||||
+ @pytest.mark.skipif(
|
||||
+ "venv-salt-minion" in sys.executable,
|
||||
+ reason="Skipping for Salt Bundle (tests are not compatible)",
|
||||
+ )
|
||||
def test_thin_dir(self):
|
||||
"""
|
||||
Test the thin dir to make sure salt-call can run
|
||||
--
|
||||
2.44.0
|
||||
|
||||
|
772
fix-tests-failures-and-errors-when-detected-on-vm-ex.patch
Normal file
772
fix-tests-failures-and-errors-when-detected-on-vm-ex.patch
Normal file
@ -0,0 +1,772 @@
|
||||
From 737b0bd931c07239d50e7395eb7425c06f485848 Mon Sep 17 00:00:00 2001
|
||||
From: =?UTF-8?q?Pablo=20Su=C3=A1rez=20Hern=C3=A1ndez?=
|
||||
<psuarezhernandez@suse.com>
|
||||
Date: Thu, 14 Mar 2024 13:03:00 +0000
|
||||
Subject: [PATCH] Fix tests failures and errors when detected on VM
|
||||
execution from Salt Shaker (#636)
|
||||
|
||||
* test_chmod: fix test expectation
|
||||
|
||||
* test_pkg: Adjust package expectation for SUSE family
|
||||
|
||||
* test_docker_network: Skip non-supported operation for SUSE family
|
||||
|
||||
* Fix tests failing due wrong docker-py version
|
||||
|
||||
* test_version: skip test in packaged scenario when setup.py is missing
|
||||
|
||||
* Fix issue related to docker version used during testing
|
||||
|
||||
* Fix test errors when setup.py is not available
|
||||
|
||||
* test_loader: do not run if setup.py is missing
|
||||
|
||||
* test_install: Fix test errors when setup.py is not available
|
||||
|
||||
* test_master: use a right service name expected on SUSE family
|
||||
|
||||
* test_jinja_filters: prevent test failure when which binary is not available
|
||||
|
||||
* Prevent errors when x509 utils cannot be loaded
|
||||
|
||||
* test_thin: skip test if virtualenv binary is missing
|
||||
---
|
||||
tests/integration/pillar/test_git_pillar.py | 12 +++++++++++-
|
||||
tests/pytests/functional/cache/test_consul.py | 5 +++++
|
||||
tests/pytests/functional/cache/test_mysql.py | 5 +++++
|
||||
tests/pytests/functional/loader/test_loader.py | 9 +++++++++
|
||||
.../functional/modules/state/test_jinja_filters.py | 4 ++--
|
||||
tests/pytests/functional/modules/test_cmdmod.py | 2 +-
|
||||
tests/pytests/functional/modules/test_dockermod.py | 8 +++++++-
|
||||
tests/pytests/functional/modules/test_pkg.py | 2 ++
|
||||
tests/pytests/functional/modules/test_swarm.py | 6 +++++-
|
||||
tests/pytests/functional/states/rabbitmq/conftest.py | 11 +++++++++++
|
||||
.../functional/states/rabbitmq/test_cluster.py | 7 ++++++-
|
||||
.../functional/states/rabbitmq/test_plugin.py | 8 +++++++-
|
||||
.../functional/states/rabbitmq/test_policy.py | 7 ++++++-
|
||||
.../functional/states/rabbitmq/test_upstream.py | 7 ++++++-
|
||||
.../pytests/functional/states/rabbitmq/test_user.py | 7 ++++++-
|
||||
.../pytests/functional/states/rabbitmq/test_vhost.py | 7 ++++++-
|
||||
.../pytests/functional/states/test_docker_network.py | 7 ++++++-
|
||||
tests/pytests/functional/states/test_pkg.py | 2 +-
|
||||
tests/pytests/functional/test_version.py | 9 +++++++++
|
||||
tests/pytests/integration/modules/test_virt.py | 5 +++++
|
||||
tests/pytests/integration/modules/test_x509_v2.py | 2 +-
|
||||
tests/pytests/integration/ssh/test_log.py | 7 ++++++-
|
||||
tests/pytests/integration/ssh/test_master.py | 2 +-
|
||||
tests/pytests/integration/ssh/test_py_versions.py | 7 ++++++-
|
||||
tests/pytests/integration/ssh/test_ssh_setup.py | 7 ++++++-
|
||||
tests/pytests/integration/states/test_x509_v2.py | 2 +-
|
||||
tests/pytests/scenarios/setup/test_install.py | 8 ++++++++
|
||||
tests/pytests/unit/modules/test_pip.py | 8 ++++++++
|
||||
tests/pytests/unit/utils/test_x509.py | 3 ++-
|
||||
tests/unit/states/test_pip_state.py | 6 ++++++
|
||||
tests/unit/utils/test_thin.py | 3 +++
|
||||
31 files changed, 164 insertions(+), 21 deletions(-)
|
||||
|
||||
diff --git a/tests/integration/pillar/test_git_pillar.py b/tests/integration/pillar/test_git_pillar.py
|
||||
index 5b4cbda95c9..d56785f97c2 100644
|
||||
--- a/tests/integration/pillar/test_git_pillar.py
|
||||
+++ b/tests/integration/pillar/test_git_pillar.py
|
||||
@@ -79,6 +79,7 @@ from salt.utils.gitfs import (
|
||||
PYGIT2_VERSION,
|
||||
FileserverConfigError,
|
||||
)
|
||||
+from salt.utils.versions import Version
|
||||
from tests.support.gitfs import ( # pylint: disable=unused-import
|
||||
PASSWORD,
|
||||
USERNAME,
|
||||
@@ -101,11 +102,20 @@ try:
|
||||
except Exception: # pylint: disable=broad-except
|
||||
HAS_PYGIT2 = False
|
||||
|
||||
+docker = pytest.importorskip("docker")
|
||||
+
|
||||
INSIDE_CONTAINER = os.getenv("HOSTNAME", "") == "salt-test-container"
|
||||
+
|
||||
pytestmark = [
|
||||
SKIP_INITIAL_PHOTONOS_FAILURES,
|
||||
pytest.mark.skip_on_platforms(windows=True, darwin=True),
|
||||
- pytest.mark.skipif(INSIDE_CONTAINER, reason="Communication problems between containers."),
|
||||
+ pytest.mark.skipif(
|
||||
+ INSIDE_CONTAINER, reason="Communication problems between containers."
|
||||
+ ),
|
||||
+ pytest.mark.skipif(
|
||||
+ Version(docker.__version__) < Version("4.0.0"),
|
||||
+ reason="Test does not work in this version of docker-py",
|
||||
+ ),
|
||||
]
|
||||
|
||||
|
||||
diff --git a/tests/pytests/functional/cache/test_consul.py b/tests/pytests/functional/cache/test_consul.py
|
||||
index c6e16d2588e..30dc6925f26 100644
|
||||
--- a/tests/pytests/functional/cache/test_consul.py
|
||||
+++ b/tests/pytests/functional/cache/test_consul.py
|
||||
@@ -8,6 +8,7 @@ from saltfactories.utils import random_string
|
||||
|
||||
import salt.cache
|
||||
import salt.loader
|
||||
+from salt.utils.versions import Version
|
||||
from tests.pytests.functional.cache.helpers import run_common_cache_tests
|
||||
|
||||
docker = pytest.importorskip("docker")
|
||||
@@ -20,6 +21,10 @@ pytestmark = [
|
||||
pytest.mark.slow_test,
|
||||
pytest.mark.skip_if_binaries_missing("dockerd"),
|
||||
pytest.mark.skipif(INSIDE_CONTAINER, reason="Cannot run in a container"),
|
||||
+ pytest.mark.skipif(
|
||||
+ Version(docker.__version__) < Version("4.0.0"),
|
||||
+ reason="Test does not work in this version of docker-py",
|
||||
+ ),
|
||||
]
|
||||
|
||||
|
||||
diff --git a/tests/pytests/functional/cache/test_mysql.py b/tests/pytests/functional/cache/test_mysql.py
|
||||
index e15fc732a4a..93c6c7c6f6f 100644
|
||||
--- a/tests/pytests/functional/cache/test_mysql.py
|
||||
+++ b/tests/pytests/functional/cache/test_mysql.py
|
||||
@@ -5,6 +5,7 @@ import pytest
|
||||
|
||||
import salt.cache
|
||||
import salt.loader
|
||||
+from salt.utils.versions import Version
|
||||
from tests.pytests.functional.cache.helpers import run_common_cache_tests
|
||||
from tests.support.pytest.mysql import * # pylint: disable=wildcard-import,unused-wildcard-import
|
||||
|
||||
@@ -18,6 +19,10 @@ pytestmark = [
|
||||
pytest.mark.slow_test,
|
||||
pytest.mark.skip_if_binaries_missing("dockerd"),
|
||||
pytest.mark.skipif(INSIDE_CONTAINER, reason="Cannot run in a container"),
|
||||
+ pytest.mark.skipif(
|
||||
+ Version(docker.__version__) < Version("4.0.0"),
|
||||
+ reason="Test does not work in this version of docker-py",
|
||||
+ ),
|
||||
]
|
||||
|
||||
|
||||
diff --git a/tests/pytests/functional/loader/test_loader.py b/tests/pytests/functional/loader/test_loader.py
|
||||
index 963d33f59c3..e81ef126ca3 100644
|
||||
--- a/tests/pytests/functional/loader/test_loader.py
|
||||
+++ b/tests/pytests/functional/loader/test_loader.py
|
||||
@@ -1,14 +1,23 @@
|
||||
import json
|
||||
+import os
|
||||
|
||||
import pytest
|
||||
|
||||
from salt.utils.versions import Version
|
||||
from tests.support.helpers import SaltVirtualEnv
|
||||
from tests.support.pytest.helpers import FakeSaltExtension
|
||||
+from tests.support.runtests import RUNTIME_VARS
|
||||
+
|
||||
+MISSING_SETUP_PY_FILE = not os.path.exists(
|
||||
+ os.path.join(RUNTIME_VARS.CODE_DIR, "setup.py")
|
||||
+)
|
||||
|
||||
pytestmark = [
|
||||
# These are slow because they create a virtualenv and install salt in it
|
||||
pytest.mark.slow_test,
|
||||
+ pytest.mark.skipif(
|
||||
+ MISSING_SETUP_PY_FILE, reason="This test only work if setup.py is available"
|
||||
+ ),
|
||||
]
|
||||
|
||||
|
||||
diff --git a/tests/pytests/functional/modules/state/test_jinja_filters.py b/tests/pytests/functional/modules/state/test_jinja_filters.py
|
||||
index 220310aaaf0..cc8ffcb731b 100644
|
||||
--- a/tests/pytests/functional/modules/state/test_jinja_filters.py
|
||||
+++ b/tests/pytests/functional/modules/state/test_jinja_filters.py
|
||||
@@ -798,9 +798,9 @@ def _filter_id(value):
|
||||
),
|
||||
Filter(
|
||||
name="which",
|
||||
- expected={"ret": salt.utils.path.which("which")},
|
||||
+ expected={"ret": salt.utils.path.which("ls")},
|
||||
sls="""
|
||||
- {% set result = 'which' | which() %}
|
||||
+ {% set result = 'ls' | which() %}
|
||||
test:
|
||||
module.run:
|
||||
- name: test.echo
|
||||
diff --git a/tests/pytests/functional/modules/test_cmdmod.py b/tests/pytests/functional/modules/test_cmdmod.py
|
||||
index d30b474c6d2..adaf469c283 100644
|
||||
--- a/tests/pytests/functional/modules/test_cmdmod.py
|
||||
+++ b/tests/pytests/functional/modules/test_cmdmod.py
|
||||
@@ -105,7 +105,7 @@ def test_run(cmdmod):
|
||||
template="jinja",
|
||||
python_shell=True,
|
||||
)
|
||||
- == "func-tests-minion"
|
||||
+ == "func-tests-minion-opts"
|
||||
)
|
||||
assert cmdmod.run("grep f", stdin="one\ntwo\nthree\nfour\nfive\n") == "four\nfive"
|
||||
assert cmdmod.run('echo "a=b" | sed -e s/=/:/g', python_shell=True) == "a:b"
|
||||
diff --git a/tests/pytests/functional/modules/test_dockermod.py b/tests/pytests/functional/modules/test_dockermod.py
|
||||
index a5b40869352..eb0cc20f9ff 100644
|
||||
--- a/tests/pytests/functional/modules/test_dockermod.py
|
||||
+++ b/tests/pytests/functional/modules/test_dockermod.py
|
||||
@@ -8,7 +8,9 @@ import pytest
|
||||
from saltfactories.utils import random_string
|
||||
from saltfactories.utils.functional import StateResult
|
||||
|
||||
-pytest.importorskip("docker")
|
||||
+from salt.utils.versions import Version
|
||||
+
|
||||
+docker = pytest.importorskip("docker")
|
||||
|
||||
log = logging.getLogger(__name__)
|
||||
|
||||
@@ -18,6 +20,10 @@ pytestmark = [
|
||||
pytest.mark.slow_test,
|
||||
pytest.mark.skip_if_binaries_missing("docker", "dockerd", check_all=False),
|
||||
pytest.mark.skipif(INSIDE_CONTAINER, reason="Cannot run inside a container"),
|
||||
+ pytest.mark.skipif(
|
||||
+ Version(docker.__version__) < Version("4.0.0"),
|
||||
+ reason="Test does not work in this version of docker-py",
|
||||
+ ),
|
||||
]
|
||||
|
||||
|
||||
diff --git a/tests/pytests/functional/modules/test_pkg.py b/tests/pytests/functional/modules/test_pkg.py
|
||||
index 707361c227b..7cedd32bf6c 100644
|
||||
--- a/tests/pytests/functional/modules/test_pkg.py
|
||||
+++ b/tests/pytests/functional/modules/test_pkg.py
|
||||
@@ -67,6 +67,8 @@ def test_pkg(grains):
|
||||
_pkg = "units"
|
||||
elif grains["os_family"] == "Debian":
|
||||
_pkg = "ifenslave"
|
||||
+ elif grains["os_family"] == "Suse":
|
||||
+ _pkg = "wget"
|
||||
return _pkg
|
||||
|
||||
|
||||
diff --git a/tests/pytests/functional/modules/test_swarm.py b/tests/pytests/functional/modules/test_swarm.py
|
||||
index 9dc70f5b3dc..fc3c2b739cd 100644
|
||||
--- a/tests/pytests/functional/modules/test_swarm.py
|
||||
+++ b/tests/pytests/functional/modules/test_swarm.py
|
||||
@@ -20,7 +20,11 @@ pytest.importorskip("docker")
|
||||
def docker_version(shell, grains):
|
||||
ret = shell.run("docker", "--version")
|
||||
assert ret.returncode == 0
|
||||
- return salt.utils.versions.Version(ret.stdout.split(",")[0].split()[-1].strip())
|
||||
+ # Example output:
|
||||
+ # Docker version 24.0.7-ce, build 311b9ff0aa93
|
||||
+ return salt.utils.versions.Version(
|
||||
+ ret.stdout.split(",")[0].split()[-1].split("-")[0].strip()
|
||||
+ )
|
||||
|
||||
|
||||
@pytest.fixture
|
||||
diff --git a/tests/pytests/functional/states/rabbitmq/conftest.py b/tests/pytests/functional/states/rabbitmq/conftest.py
|
||||
index d8ccc1761b8..60f8206a088 100644
|
||||
--- a/tests/pytests/functional/states/rabbitmq/conftest.py
|
||||
+++ b/tests/pytests/functional/states/rabbitmq/conftest.py
|
||||
@@ -5,8 +5,19 @@ import attr
|
||||
import pytest
|
||||
from saltfactories.utils import random_string
|
||||
|
||||
+from salt.utils.versions import Version
|
||||
+
|
||||
log = logging.getLogger(__name__)
|
||||
|
||||
+docker = pytest.importorskip("docker")
|
||||
+
|
||||
+pytestmark = [
|
||||
+ pytest.mark.skipif(
|
||||
+ Version(docker.__version__) < Version("4.0.0"),
|
||||
+ reason="Test does not work in this version of docker-py",
|
||||
+ ),
|
||||
+]
|
||||
+
|
||||
|
||||
@attr.s(kw_only=True, slots=True)
|
||||
class RabbitMQImage:
|
||||
diff --git a/tests/pytests/functional/states/rabbitmq/test_cluster.py b/tests/pytests/functional/states/rabbitmq/test_cluster.py
|
||||
index 210b22a2360..df85f04f78d 100644
|
||||
--- a/tests/pytests/functional/states/rabbitmq/test_cluster.py
|
||||
+++ b/tests/pytests/functional/states/rabbitmq/test_cluster.py
|
||||
@@ -9,8 +9,9 @@ import pytest
|
||||
|
||||
import salt.modules.rabbitmq as rabbitmq
|
||||
import salt.states.rabbitmq_cluster as rabbitmq_cluster
|
||||
+from salt.utils.versions import Version
|
||||
|
||||
-pytest.importorskip("docker")
|
||||
+docker = pytest.importorskip("docker")
|
||||
|
||||
log = logging.getLogger(__name__)
|
||||
|
||||
@@ -22,6 +23,10 @@ pytestmark = [
|
||||
"docker", "dockerd", reason="Docker not installed"
|
||||
),
|
||||
pytest.mark.skipif(INSIDE_CONTAINER, reason="Cannot run in a container"),
|
||||
+ pytest.mark.skipif(
|
||||
+ Version(docker.__version__) < Version("4.0.0"),
|
||||
+ reason="Test does not work in this version of docker-py",
|
||||
+ ),
|
||||
]
|
||||
|
||||
|
||||
diff --git a/tests/pytests/functional/states/rabbitmq/test_plugin.py b/tests/pytests/functional/states/rabbitmq/test_plugin.py
|
||||
index f1191490536..6ed4cdc9238 100644
|
||||
--- a/tests/pytests/functional/states/rabbitmq/test_plugin.py
|
||||
+++ b/tests/pytests/functional/states/rabbitmq/test_plugin.py
|
||||
@@ -9,11 +9,13 @@ import pytest
|
||||
|
||||
import salt.modules.rabbitmq as rabbitmq
|
||||
import salt.states.rabbitmq_plugin as rabbitmq_plugin
|
||||
+from salt.utils.versions import Version
|
||||
from tests.support.mock import patch
|
||||
|
||||
log = logging.getLogger(__name__)
|
||||
|
||||
-pytest.importorskip("docker")
|
||||
+docker = pytest.importorskip("docker")
|
||||
+
|
||||
|
||||
INSIDE_CONTAINER = os.getenv("HOSTNAME", "") == "salt-test-container"
|
||||
|
||||
@@ -23,6 +25,10 @@ pytestmark = [
|
||||
"docker", "dockerd", reason="Docker not installed"
|
||||
),
|
||||
pytest.mark.skipif(INSIDE_CONTAINER, reason="Cannot run in a container"),
|
||||
+ pytest.mark.skipif(
|
||||
+ Version(docker.__version__) < Version("4.0.0"),
|
||||
+ reason="Test does not work in this version of docker-py",
|
||||
+ ),
|
||||
]
|
||||
|
||||
|
||||
diff --git a/tests/pytests/functional/states/rabbitmq/test_policy.py b/tests/pytests/functional/states/rabbitmq/test_policy.py
|
||||
index 7ccf6a522e0..c648c9ff947 100644
|
||||
--- a/tests/pytests/functional/states/rabbitmq/test_policy.py
|
||||
+++ b/tests/pytests/functional/states/rabbitmq/test_policy.py
|
||||
@@ -9,11 +9,12 @@ import pytest
|
||||
|
||||
import salt.modules.rabbitmq as rabbitmq
|
||||
import salt.states.rabbitmq_policy as rabbitmq_policy
|
||||
+from salt.utils.versions import Version
|
||||
from tests.support.mock import MagicMock, patch
|
||||
|
||||
log = logging.getLogger(__name__)
|
||||
|
||||
-pytest.importorskip("docker")
|
||||
+docker = pytest.importorskip("docker")
|
||||
|
||||
INSIDE_CONTAINER = os.getenv("HOSTNAME", "") == "salt-test-container"
|
||||
|
||||
@@ -23,6 +24,10 @@ pytestmark = [
|
||||
"docker", "dockerd", reason="Docker not installed"
|
||||
),
|
||||
pytest.mark.skipif(INSIDE_CONTAINER, reason="Cannot run in a container"),
|
||||
+ pytest.mark.skipif(
|
||||
+ Version(docker.__version__) < Version("4.0.0"),
|
||||
+ reason="Test does not work in this version of docker-py",
|
||||
+ ),
|
||||
]
|
||||
|
||||
|
||||
diff --git a/tests/pytests/functional/states/rabbitmq/test_upstream.py b/tests/pytests/functional/states/rabbitmq/test_upstream.py
|
||||
index c7bcf3b0d44..0a9686d6948 100644
|
||||
--- a/tests/pytests/functional/states/rabbitmq/test_upstream.py
|
||||
+++ b/tests/pytests/functional/states/rabbitmq/test_upstream.py
|
||||
@@ -9,10 +9,11 @@ import pytest
|
||||
|
||||
import salt.modules.rabbitmq as rabbitmq
|
||||
import salt.states.rabbitmq_upstream as rabbitmq_upstream
|
||||
+from salt.utils.versions import Version
|
||||
|
||||
log = logging.getLogger(__name__)
|
||||
|
||||
-pytest.importorskip("docker")
|
||||
+docker = pytest.importorskip("docker")
|
||||
|
||||
INSIDE_CONTAINER = os.getenv("HOSTNAME", "") == "salt-test-container"
|
||||
|
||||
@@ -22,6 +23,10 @@ pytestmark = [
|
||||
"docker", "dockerd", reason="Docker not installed"
|
||||
),
|
||||
pytest.mark.skipif(INSIDE_CONTAINER, reason="Cannot run in a container"),
|
||||
+ pytest.mark.skipif(
|
||||
+ Version(docker.__version__) < Version("4.0.0"),
|
||||
+ reason="Test does not work in this version of docker-py",
|
||||
+ ),
|
||||
]
|
||||
|
||||
|
||||
diff --git a/tests/pytests/functional/states/rabbitmq/test_user.py b/tests/pytests/functional/states/rabbitmq/test_user.py
|
||||
index 31723df7be8..a6b0766087f 100644
|
||||
--- a/tests/pytests/functional/states/rabbitmq/test_user.py
|
||||
+++ b/tests/pytests/functional/states/rabbitmq/test_user.py
|
||||
@@ -9,10 +9,11 @@ import pytest
|
||||
|
||||
import salt.modules.rabbitmq as rabbitmq
|
||||
import salt.states.rabbitmq_user as rabbitmq_user
|
||||
+from salt.utils.versions import Version
|
||||
|
||||
log = logging.getLogger(__name__)
|
||||
|
||||
-pytest.importorskip("docker")
|
||||
+docker = pytest.importorskip("docker")
|
||||
|
||||
INSIDE_CONTAINER = os.getenv("HOSTNAME", "") == "salt-test-container"
|
||||
|
||||
@@ -22,6 +23,10 @@ pytestmark = [
|
||||
"docker", "dockerd", reason="Docker not installed"
|
||||
),
|
||||
pytest.mark.skipif(INSIDE_CONTAINER, reason="Cannot run in a container"),
|
||||
+ pytest.mark.skipif(
|
||||
+ Version(docker.__version__) < Version("4.0.0"),
|
||||
+ reason="Test does not work in this version of docker-py",
|
||||
+ ),
|
||||
]
|
||||
|
||||
|
||||
diff --git a/tests/pytests/functional/states/rabbitmq/test_vhost.py b/tests/pytests/functional/states/rabbitmq/test_vhost.py
|
||||
index d6ac6901a25..f3553c03e58 100644
|
||||
--- a/tests/pytests/functional/states/rabbitmq/test_vhost.py
|
||||
+++ b/tests/pytests/functional/states/rabbitmq/test_vhost.py
|
||||
@@ -9,10 +9,11 @@ import pytest
|
||||
|
||||
import salt.modules.rabbitmq as rabbitmq
|
||||
import salt.states.rabbitmq_vhost as rabbitmq_vhost
|
||||
+from salt.utils.versions import Version
|
||||
|
||||
log = logging.getLogger(__name__)
|
||||
|
||||
-pytest.importorskip("docker")
|
||||
+docker = pytest.importorskip("docker")
|
||||
|
||||
INSIDE_CONTAINER = os.getenv("HOSTNAME", "") == "salt-test-container"
|
||||
|
||||
@@ -22,6 +23,10 @@ pytestmark = [
|
||||
"docker", "dockerd", reason="Docker not installed"
|
||||
),
|
||||
pytest.mark.skipif(INSIDE_CONTAINER, reason="Cannot run in a container"),
|
||||
+ pytest.mark.skipif(
|
||||
+ Version(docker.__version__) < Version("4.0.0"),
|
||||
+ reason="Test does not work in this version of docker-py",
|
||||
+ ),
|
||||
]
|
||||
|
||||
|
||||
diff --git a/tests/pytests/functional/states/test_docker_network.py b/tests/pytests/functional/states/test_docker_network.py
|
||||
index 0da01ed8bac..19868d03ad1 100644
|
||||
--- a/tests/pytests/functional/states/test_docker_network.py
|
||||
+++ b/tests/pytests/functional/states/test_docker_network.py
|
||||
@@ -220,10 +220,15 @@ def test_present_with_containers(network, docker, docker_network, container):
|
||||
|
||||
|
||||
@pytest.mark.parametrize("reconnect", [True, False])
|
||||
-def test_present_with_reconnect(network, docker, docker_network, container, reconnect):
|
||||
+def test_present_with_reconnect(
|
||||
+ network, docker, docker_network, container, reconnect, grains
|
||||
+):
|
||||
"""
|
||||
Test reconnecting with containers not passed to state
|
||||
"""
|
||||
+ if grains["os_family"] == "Suse":
|
||||
+ pytest.skip("This test is failing for SUSE family")
|
||||
+
|
||||
with network() as net:
|
||||
ret = docker_network.present(name=net.name, driver="bridge")
|
||||
assert ret.result is True
|
||||
diff --git a/tests/pytests/functional/states/test_pkg.py b/tests/pytests/functional/states/test_pkg.py
|
||||
index 12318c996d1..864c1d025f3 100644
|
||||
--- a/tests/pytests/functional/states/test_pkg.py
|
||||
+++ b/tests/pytests/functional/states/test_pkg.py
|
||||
@@ -55,7 +55,7 @@ def PKG_TARGETS(grains):
|
||||
else:
|
||||
_PKG_TARGETS = ["units", "zsh-html"]
|
||||
elif grains["os_family"] == "Suse":
|
||||
- _PKG_TARGETS = ["lynx", "htop"]
|
||||
+ _PKG_TARGETS = ["iotop", "screen"]
|
||||
return _PKG_TARGETS
|
||||
|
||||
|
||||
diff --git a/tests/pytests/functional/test_version.py b/tests/pytests/functional/test_version.py
|
||||
index dfa8850557e..3b85c05ccc6 100644
|
||||
--- a/tests/pytests/functional/test_version.py
|
||||
+++ b/tests/pytests/functional/test_version.py
|
||||
@@ -1,14 +1,23 @@
|
||||
import json
|
||||
import logging
|
||||
+import os
|
||||
|
||||
import pytest
|
||||
|
||||
from tests.support.helpers import SaltVirtualEnv
|
||||
from tests.support.pytest.helpers import FakeSaltExtension
|
||||
+from tests.support.runtests import RUNTIME_VARS
|
||||
+
|
||||
+MISSING_SETUP_PY_FILE = not os.path.exists(
|
||||
+ os.path.join(RUNTIME_VARS.CODE_DIR, "setup.py")
|
||||
+)
|
||||
|
||||
pytestmark = [
|
||||
# These are slow because they create a virtualenv and install salt in it
|
||||
pytest.mark.slow_test,
|
||||
+ pytest.mark.skipif(
|
||||
+ MISSING_SETUP_PY_FILE, reason="This test only work if setup.py is available"
|
||||
+ ),
|
||||
]
|
||||
|
||||
log = logging.getLogger(__name__)
|
||||
diff --git a/tests/pytests/integration/modules/test_virt.py b/tests/pytests/integration/modules/test_virt.py
|
||||
index 1b7f30154a7..572923764bb 100644
|
||||
--- a/tests/pytests/integration/modules/test_virt.py
|
||||
+++ b/tests/pytests/integration/modules/test_virt.py
|
||||
@@ -9,6 +9,7 @@ from xml.etree import ElementTree
|
||||
import pytest
|
||||
|
||||
import salt.version
|
||||
+from salt.utils.versions import Version
|
||||
from tests.support.virt import SaltVirtMinionContainerFactory
|
||||
|
||||
docker = pytest.importorskip("docker")
|
||||
@@ -21,6 +22,10 @@ pytestmark = [
|
||||
pytest.mark.slow_test,
|
||||
pytest.mark.skip_if_binaries_missing("docker"),
|
||||
pytest.mark.skipif(INSIDE_CONTAINER, reason="Cannot run in a container"),
|
||||
+ pytest.mark.skipif(
|
||||
+ Version(docker.__version__) < Version("4.0.0"),
|
||||
+ reason="Test does not work in this version of docker-py",
|
||||
+ ),
|
||||
]
|
||||
|
||||
|
||||
diff --git a/tests/pytests/integration/modules/test_x509_v2.py b/tests/pytests/integration/modules/test_x509_v2.py
|
||||
index 2fd005778c5..cc8712e45cd 100644
|
||||
--- a/tests/pytests/integration/modules/test_x509_v2.py
|
||||
+++ b/tests/pytests/integration/modules/test_x509_v2.py
|
||||
@@ -11,7 +11,7 @@ from pathlib import Path
|
||||
import pytest
|
||||
from saltfactories.utils import random_string
|
||||
|
||||
-import salt.utils.x509 as x509util
|
||||
+x509util = pytest.importorskip("salt.utils.x509")
|
||||
|
||||
try:
|
||||
import cryptography
|
||||
diff --git a/tests/pytests/integration/ssh/test_log.py b/tests/pytests/integration/ssh/test_log.py
|
||||
index 683feb8bd91..a63dd72373d 100644
|
||||
--- a/tests/pytests/integration/ssh/test_log.py
|
||||
+++ b/tests/pytests/integration/ssh/test_log.py
|
||||
@@ -8,9 +8,10 @@ import time
|
||||
import pytest
|
||||
from saltfactories.utils import random_string
|
||||
|
||||
+from salt.utils.versions import Version
|
||||
from tests.support.helpers import Keys
|
||||
|
||||
-pytest.importorskip("docker")
|
||||
+docker = pytest.importorskip("docker")
|
||||
|
||||
INSIDE_CONTAINER = os.getenv("HOSTNAME", "") == "salt-test-container"
|
||||
|
||||
@@ -20,6 +21,10 @@ pytestmark = [
|
||||
pytest.mark.slow_test,
|
||||
pytest.mark.skip_if_binaries_missing("dockerd"),
|
||||
pytest.mark.skipif(INSIDE_CONTAINER, reason="Cannot run in a container"),
|
||||
+ pytest.mark.skipif(
|
||||
+ Version(docker.__version__) < Version("4.0.0"),
|
||||
+ reason="Test does not work in this version of docker-py",
|
||||
+ ),
|
||||
]
|
||||
|
||||
|
||||
diff --git a/tests/pytests/integration/ssh/test_master.py b/tests/pytests/integration/ssh/test_master.py
|
||||
index 0c2f482cf9f..c658123726b 100644
|
||||
--- a/tests/pytests/integration/ssh/test_master.py
|
||||
+++ b/tests/pytests/integration/ssh/test_master.py
|
||||
@@ -23,7 +23,7 @@ def test_service(salt_ssh_cli, grains):
|
||||
os_release = grains["osrelease"]
|
||||
if os_family == "RedHat":
|
||||
service = "crond"
|
||||
- elif os_family == "Arch":
|
||||
+ elif os_family in ["Suse", "Arch"]:
|
||||
service = "sshd"
|
||||
elif os_family == "MacOS":
|
||||
service = "org.ntp.ntpd"
|
||||
diff --git a/tests/pytests/integration/ssh/test_py_versions.py b/tests/pytests/integration/ssh/test_py_versions.py
|
||||
index 71d4cfaa94e..991a3b71c44 100644
|
||||
--- a/tests/pytests/integration/ssh/test_py_versions.py
|
||||
+++ b/tests/pytests/integration/ssh/test_py_versions.py
|
||||
@@ -9,9 +9,10 @@ import time
|
||||
import pytest
|
||||
from saltfactories.utils import random_string
|
||||
|
||||
+from salt.utils.versions import Version
|
||||
from tests.support.helpers import Keys
|
||||
|
||||
-pytest.importorskip("docker")
|
||||
+docker = pytest.importorskip("docker")
|
||||
|
||||
INSIDE_CONTAINER = os.getenv("HOSTNAME", "") == "salt-test-container"
|
||||
|
||||
@@ -21,6 +22,10 @@ pytestmark = [
|
||||
pytest.mark.slow_test,
|
||||
pytest.mark.skip_if_binaries_missing("dockerd"),
|
||||
pytest.mark.skipif(INSIDE_CONTAINER, reason="Cannot run in a container"),
|
||||
+ pytest.mark.skipif(
|
||||
+ Version(docker.__version__) < Version("4.0.0"),
|
||||
+ reason="Test does not work in this version of docker-py",
|
||||
+ ),
|
||||
]
|
||||
|
||||
|
||||
diff --git a/tests/pytests/integration/ssh/test_ssh_setup.py b/tests/pytests/integration/ssh/test_ssh_setup.py
|
||||
index 79b55ad90a5..97494bed36b 100644
|
||||
--- a/tests/pytests/integration/ssh/test_ssh_setup.py
|
||||
+++ b/tests/pytests/integration/ssh/test_ssh_setup.py
|
||||
@@ -13,9 +13,10 @@ import pytest
|
||||
from pytestshellutils.utils.processes import ProcessResult, terminate_process
|
||||
from saltfactories.utils import random_string
|
||||
|
||||
+from salt.utils.versions import Version
|
||||
from tests.support.helpers import Keys
|
||||
|
||||
-pytest.importorskip("docker")
|
||||
+docker = pytest.importorskip("docker")
|
||||
|
||||
INSIDE_CONTAINER = os.getenv("HOSTNAME", "") == "salt-test-container"
|
||||
|
||||
@@ -25,6 +26,10 @@ pytestmark = [
|
||||
pytest.mark.slow_test,
|
||||
pytest.mark.skip_if_binaries_missing("dockerd"),
|
||||
pytest.mark.skipif(INSIDE_CONTAINER, reason="Cannot run in a container"),
|
||||
+ pytest.mark.skipif(
|
||||
+ Version(docker.__version__) < Version("4.0.0"),
|
||||
+ reason="Test does not work in this version of docker-py",
|
||||
+ ),
|
||||
]
|
||||
|
||||
|
||||
diff --git a/tests/pytests/integration/states/test_x509_v2.py b/tests/pytests/integration/states/test_x509_v2.py
|
||||
index 9a1c09bb8bd..4f943412950 100644
|
||||
--- a/tests/pytests/integration/states/test_x509_v2.py
|
||||
+++ b/tests/pytests/integration/states/test_x509_v2.py
|
||||
@@ -10,7 +10,7 @@ from pathlib import Path
|
||||
import pytest
|
||||
from saltfactories.utils import random_string
|
||||
|
||||
-import salt.utils.x509 as x509util
|
||||
+x509util = pytest.importorskip("salt.utils.x509")
|
||||
|
||||
try:
|
||||
import cryptography
|
||||
diff --git a/tests/pytests/scenarios/setup/test_install.py b/tests/pytests/scenarios/setup/test_install.py
|
||||
index 7664fda804e..7a4abfc6e9e 100644
|
||||
--- a/tests/pytests/scenarios/setup/test_install.py
|
||||
+++ b/tests/pytests/scenarios/setup/test_install.py
|
||||
@@ -14,11 +14,16 @@ import salt.utils.path
|
||||
import salt.utils.platform
|
||||
import salt.version
|
||||
from salt.modules.virtualenv_mod import KNOWN_BINARY_NAMES
|
||||
+from tests.support.runtests import RUNTIME_VARS
|
||||
|
||||
log = logging.getLogger(__name__)
|
||||
|
||||
INSIDE_CONTAINER = os.getenv("HOSTNAME", "") == "salt-test-container"
|
||||
|
||||
+MISSING_SETUP_PY_FILE = not os.path.exists(
|
||||
+ os.path.join(RUNTIME_VARS.CODE_DIR, "setup.py")
|
||||
+)
|
||||
+
|
||||
pytestmark = [
|
||||
pytest.mark.core_test,
|
||||
pytest.mark.windows_whitelisted,
|
||||
@@ -27,6 +32,9 @@ pytestmark = [
|
||||
pytest.mark.skipif(
|
||||
INSIDE_CONTAINER, reason="No gcc and python3-devel in container."
|
||||
),
|
||||
+ pytest.mark.skipif(
|
||||
+ MISSING_SETUP_PY_FILE, reason="This test only work if setup.py is available"
|
||||
+ ),
|
||||
]
|
||||
|
||||
|
||||
diff --git a/tests/pytests/unit/modules/test_pip.py b/tests/pytests/unit/modules/test_pip.py
|
||||
index c03e6ed292b..4b2da77786b 100644
|
||||
--- a/tests/pytests/unit/modules/test_pip.py
|
||||
+++ b/tests/pytests/unit/modules/test_pip.py
|
||||
@@ -9,6 +9,11 @@ import salt.utils.files
|
||||
import salt.utils.platform
|
||||
from salt.exceptions import CommandExecutionError
|
||||
from tests.support.mock import MagicMock, patch
|
||||
+from tests.support.runtests import RUNTIME_VARS
|
||||
+
|
||||
+MISSING_SETUP_PY_FILE = not os.path.exists(
|
||||
+ os.path.join(RUNTIME_VARS.CODE_DIR, "setup.py")
|
||||
+)
|
||||
|
||||
|
||||
class FakeFopen:
|
||||
@@ -1738,6 +1743,9 @@ def test_when_version_is_called_with_a_user_it_should_be_passed_to_undelying_run
|
||||
)
|
||||
|
||||
|
||||
+@pytest.mark.skipif(
|
||||
+ MISSING_SETUP_PY_FILE, reason="This test only work if setup.py is available"
|
||||
+)
|
||||
@pytest.mark.parametrize(
|
||||
"bin_env,target,target_env,expected_target",
|
||||
[
|
||||
diff --git a/tests/pytests/unit/utils/test_x509.py b/tests/pytests/unit/utils/test_x509.py
|
||||
index 25971af40d8..dade9eda46b 100644
|
||||
--- a/tests/pytests/unit/utils/test_x509.py
|
||||
+++ b/tests/pytests/unit/utils/test_x509.py
|
||||
@@ -4,9 +4,10 @@ import ipaddress
|
||||
import pytest
|
||||
|
||||
import salt.exceptions
|
||||
-import salt.utils.x509 as x509
|
||||
from tests.support.mock import ANY, Mock, patch
|
||||
|
||||
+x509 = pytest.importorskip("salt.utils.x509")
|
||||
+
|
||||
try:
|
||||
import cryptography
|
||||
import cryptography.x509 as cx509
|
||||
diff --git a/tests/unit/states/test_pip_state.py b/tests/unit/states/test_pip_state.py
|
||||
index 981ad46a135..d70b1150008 100644
|
||||
--- a/tests/unit/states/test_pip_state.py
|
||||
+++ b/tests/unit/states/test_pip_state.py
|
||||
@@ -27,6 +27,9 @@ try:
|
||||
except ImportError:
|
||||
HAS_PIP = False
|
||||
|
||||
+MISSING_SETUP_PY_FILE = not os.path.exists(
|
||||
+ os.path.join(RUNTIME_VARS.CODE_DIR, "setup.py")
|
||||
+)
|
||||
|
||||
log = logging.getLogger(__name__)
|
||||
|
||||
@@ -408,6 +411,9 @@ class PipStateUtilsTest(TestCase):
|
||||
|
||||
@pytest.mark.skip_if_binaries_missing(*KNOWN_BINARY_NAMES, check_all=False)
|
||||
@pytest.mark.requires_network
|
||||
+@pytest.mark.skipif(
|
||||
+ MISSING_SETUP_PY_FILE, reason="This test only work if setup.py is available"
|
||||
+)
|
||||
class PipStateInstallationErrorTest(TestCase):
|
||||
@pytest.mark.slow_test
|
||||
def test_importable_installation_error(self):
|
||||
diff --git a/tests/unit/utils/test_thin.py b/tests/unit/utils/test_thin.py
|
||||
index 7fd1e7b5dc3..c4e9c3b3bef 100644
|
||||
--- a/tests/unit/utils/test_thin.py
|
||||
+++ b/tests/unit/utils/test_thin.py
|
||||
@@ -1379,6 +1379,9 @@ class SSHThinTestCase(TestCase):
|
||||
assert [x for x in calls if "{}".format(_file) in x[-2]]
|
||||
|
||||
@pytest.mark.slow_test
|
||||
+ @pytest.mark.skip_if_binaries_missing(
|
||||
+ "virtualenv", reason="Needs virtualenv binary"
|
||||
+ )
|
||||
@pytest.mark.skip_on_windows(reason="salt-ssh does not deploy to/from windows")
|
||||
def test_thin_dir(self):
|
||||
"""
|
||||
--
|
||||
2.43.0
|
||||
|
||||
|
265
fix-user.list_groups-omits-remote-groups.patch
Normal file
265
fix-user.list_groups-omits-remote-groups.patch
Normal file
@ -0,0 +1,265 @@
|
||||
From 70509ff67d4eb734c88032913134092257a0d35b Mon Sep 17 00:00:00 2001
|
||||
From: Flex Liu <fliu@suse.com>
|
||||
Date: Tue, 2 Jul 2024 15:25:30 +0800
|
||||
Subject: [PATCH] Fix user.list_groups omits remote groups
|
||||
|
||||
* fixes saltstack/salt#64953 user.list_groups omits remote groups
|
||||
|
||||
* fixes saltstack/salt#65029 support for pysss can be removed
|
||||
|
||||
* add changlog entries
|
||||
|
||||
* add tests for _getgrall and local vs remote group handling
|
||||
|
||||
* add negative tests for _getgrall
|
||||
|
||||
* root can still read the file and tests run as root
|
||||
|
||||
* remove permission check as its probably an unreachable edge case
|
||||
|
||||
---------
|
||||
|
||||
Co-authored-by: nicholasmhughes <nicholasmhughes@gmail.com>
|
||||
---
|
||||
changelog/64888.fixed.md | 1 +
|
||||
changelog/64953.fixed.md | 1 +
|
||||
changelog/65029.removed.md | 1 +
|
||||
salt/auth/pam.py | 9 ---
|
||||
salt/utils/user.py | 73 ++++++++++++-------
|
||||
.../functional/utils/user/test__getgrall.py | 44 +++++++++++
|
||||
tests/pytests/unit/utils/test_user.py | 29 ++++++++
|
||||
7 files changed, 122 insertions(+), 36 deletions(-)
|
||||
create mode 100644 changelog/64888.fixed.md
|
||||
create mode 100644 changelog/64953.fixed.md
|
||||
create mode 100644 changelog/65029.removed.md
|
||||
create mode 100644 tests/pytests/functional/utils/user/test__getgrall.py
|
||||
create mode 100644 tests/pytests/unit/utils/test_user.py
|
||||
|
||||
diff --git a/changelog/64888.fixed.md b/changelog/64888.fixed.md
|
||||
new file mode 100644
|
||||
index 0000000000..08b2efd042
|
||||
--- /dev/null
|
||||
+++ b/changelog/64888.fixed.md
|
||||
@@ -0,0 +1 @@
|
||||
+Fixed grp.getgrall() in utils/user.py causing performance issues
|
||||
diff --git a/changelog/64953.fixed.md b/changelog/64953.fixed.md
|
||||
new file mode 100644
|
||||
index 0000000000..f0b1ed46f1
|
||||
--- /dev/null
|
||||
+++ b/changelog/64953.fixed.md
|
||||
@@ -0,0 +1 @@
|
||||
+Fix user.list_groups omits remote groups via sssd, etc.
|
||||
diff --git a/changelog/65029.removed.md b/changelog/65029.removed.md
|
||||
new file mode 100644
|
||||
index 0000000000..d09f10b4ba
|
||||
--- /dev/null
|
||||
+++ b/changelog/65029.removed.md
|
||||
@@ -0,0 +1 @@
|
||||
+Tech Debt - support for pysss removed due to functionality addition in Python 3.3
|
||||
diff --git a/salt/auth/pam.py b/salt/auth/pam.py
|
||||
index f0397c1062..12af29bbdb 100644
|
||||
--- a/salt/auth/pam.py
|
||||
+++ b/salt/auth/pam.py
|
||||
@@ -24,15 +24,6 @@ authenticated against. This defaults to `login`
|
||||
|
||||
The Python interface to PAM does not support authenticating as ``root``.
|
||||
|
||||
-.. note:: Using PAM groups with SSSD groups on python2.
|
||||
-
|
||||
- To use sssd with the PAM eauth module and groups the `pysss` module is
|
||||
- needed. On RedHat/CentOS this is `python-sss`.
|
||||
-
|
||||
- This should not be needed with python >= 3.3, because the `os` modules has the
|
||||
- `getgrouplist` function.
|
||||
-
|
||||
-
|
||||
.. note:: This module executes itself in a subprocess in order to user the system python
|
||||
and pam libraries. We do this to avoid openssl version conflicts when
|
||||
running under a salt onedir build.
|
||||
diff --git a/salt/utils/user.py b/salt/utils/user.py
|
||||
index 2f1ca65cf9..3588b3804a 100644
|
||||
--- a/salt/utils/user.py
|
||||
+++ b/salt/utils/user.py
|
||||
@@ -31,13 +31,6 @@ try:
|
||||
except ImportError:
|
||||
HAS_GRP = False
|
||||
|
||||
-try:
|
||||
- import pysss
|
||||
-
|
||||
- HAS_PYSSS = True
|
||||
-except ImportError:
|
||||
- HAS_PYSSS = False
|
||||
-
|
||||
try:
|
||||
import salt.utils.win_functions
|
||||
|
||||
@@ -289,30 +282,35 @@ def get_group_list(user, include_default=True):
|
||||
return []
|
||||
group_names = None
|
||||
ugroups = set()
|
||||
- if hasattr(os, "getgrouplist"):
|
||||
- # Try os.getgrouplist, available in python >= 3.3
|
||||
- log.trace("Trying os.getgrouplist for '%s'", user)
|
||||
- try:
|
||||
- user_group_list = os.getgrouplist(user, pwd.getpwnam(user).pw_gid)
|
||||
- group_names = [
|
||||
- _group.gr_name
|
||||
- for _group in grp.getgrall()
|
||||
- if _group.gr_gid in user_group_list
|
||||
- ]
|
||||
- except Exception: # pylint: disable=broad-except
|
||||
- pass
|
||||
- elif HAS_PYSSS:
|
||||
- # Try pysss.getgrouplist
|
||||
- log.trace("Trying pysss.getgrouplist for '%s'", user)
|
||||
- try:
|
||||
- group_names = list(pysss.getgrouplist(user))
|
||||
- except Exception: # pylint: disable=broad-except
|
||||
- pass
|
||||
+ # Try os.getgrouplist, available in python >= 3.3
|
||||
+ log.trace("Trying os.getgrouplist for '%s'", user)
|
||||
+ try:
|
||||
+ user_group_list = sorted(os.getgrouplist(user, pwd.getpwnam(user).pw_gid))
|
||||
+ local_grall = _getgrall()
|
||||
+ local_gids = sorted(lgrp.gr_gid for lgrp in local_grall)
|
||||
+ max_idx = -1
|
||||
+ local_max = local_gids[max_idx]
|
||||
+ while local_max >= 65000:
|
||||
+ max_idx -= 1
|
||||
+ local_max = local_gids[max_idx]
|
||||
+ user_group_list_local = [lgrp for lgrp in user_group_list if lgrp <= local_max]
|
||||
+ user_group_list_remote = [rgrp for rgrp in user_group_list if rgrp > local_max]
|
||||
+ local_group_names = [
|
||||
+ _group.gr_name
|
||||
+ for _group in local_grall
|
||||
+ if _group.gr_gid in user_group_list_local
|
||||
+ ]
|
||||
+ remote_group_names = [
|
||||
+ grp.getgrgid(group_id).gr_name for group_id in user_group_list_remote
|
||||
+ ]
|
||||
+ group_names = local_group_names + remote_group_names
|
||||
+ except Exception: # pylint: disable=broad-except
|
||||
+ pass
|
||||
|
||||
if group_names is None:
|
||||
# Fall back to generic code
|
||||
# Include the user's default group to match behavior of
|
||||
- # os.getgrouplist() and pysss.getgrouplist()
|
||||
+ # os.getgrouplist()
|
||||
log.trace("Trying generic group list for '%s'", user)
|
||||
group_names = [g.gr_name for g in grp.getgrall() if user in g.gr_mem]
|
||||
try:
|
||||
@@ -389,3 +387,24 @@ def get_gid(group=None):
|
||||
return grp.getgrnam(group).gr_gid
|
||||
except KeyError:
|
||||
return None
|
||||
+
|
||||
+
|
||||
+def _getgrall(root=None):
|
||||
+ """
|
||||
+ Alternative implemetantion for getgrall, that uses only /etc/group
|
||||
+ """
|
||||
+ ret = []
|
||||
+ root = "/" if not root else root
|
||||
+ etc_group = os.path.join(root, "etc/group")
|
||||
+ with salt.utils.files.fopen(etc_group) as fp_:
|
||||
+ for line in fp_:
|
||||
+ line = salt.utils.stringutils.to_unicode(line)
|
||||
+ comps = line.strip().split(":")
|
||||
+ # Generate a getgrall compatible output
|
||||
+ comps[2] = int(comps[2])
|
||||
+ if comps[3]:
|
||||
+ comps[3] = [mem.strip() for mem in comps[3].split(",")]
|
||||
+ else:
|
||||
+ comps[3] = []
|
||||
+ ret.append(grp.struct_group(comps))
|
||||
+ return ret
|
||||
diff --git a/tests/pytests/functional/utils/user/test__getgrall.py b/tests/pytests/functional/utils/user/test__getgrall.py
|
||||
new file mode 100644
|
||||
index 0000000000..db994019e6
|
||||
--- /dev/null
|
||||
+++ b/tests/pytests/functional/utils/user/test__getgrall.py
|
||||
@@ -0,0 +1,44 @@
|
||||
+from textwrap import dedent
|
||||
+
|
||||
+import pytest
|
||||
+
|
||||
+pytest.importorskip("grp")
|
||||
+
|
||||
+import grp
|
||||
+
|
||||
+import salt.utils.user
|
||||
+
|
||||
+
|
||||
+@pytest.fixture(scope="function")
|
||||
+def etc_group(tmp_path):
|
||||
+ etcgrp = tmp_path / "etc" / "group"
|
||||
+ etcgrp.parent.mkdir()
|
||||
+ etcgrp.write_text(
|
||||
+ dedent(
|
||||
+ """games:x:50:
|
||||
+ docker:x:959:debian,salt
|
||||
+ salt:x:1000:"""
|
||||
+ )
|
||||
+ )
|
||||
+ return etcgrp
|
||||
+
|
||||
+
|
||||
+def test__getgrall(etc_group):
|
||||
+ group_lines = [
|
||||
+ ["games", "x", 50, []],
|
||||
+ ["docker", "x", 959, ["debian", "salt"]],
|
||||
+ ["salt", "x", 1000, []],
|
||||
+ ]
|
||||
+ expected_grall = [grp.struct_group(comps) for comps in group_lines]
|
||||
+
|
||||
+ grall = salt.utils.user._getgrall(root=str(etc_group.parent.parent))
|
||||
+
|
||||
+ assert grall == expected_grall
|
||||
+
|
||||
+
|
||||
+def test__getgrall_bad_format(etc_group):
|
||||
+ with etc_group.open("a") as _fp:
|
||||
+ _fp.write("\n# some comment here\n")
|
||||
+
|
||||
+ with pytest.raises(IndexError):
|
||||
+ salt.utils.user._getgrall(root=str(etc_group.parent.parent))
|
||||
diff --git a/tests/pytests/unit/utils/test_user.py b/tests/pytests/unit/utils/test_user.py
|
||||
new file mode 100644
|
||||
index 0000000000..17c6b1551f
|
||||
--- /dev/null
|
||||
+++ b/tests/pytests/unit/utils/test_user.py
|
||||
@@ -0,0 +1,29 @@
|
||||
+from types import SimpleNamespace
|
||||
+
|
||||
+import pytest
|
||||
+
|
||||
+from tests.support.mock import MagicMock, patch
|
||||
+
|
||||
+pytest.importorskip("grp")
|
||||
+
|
||||
+import grp
|
||||
+
|
||||
+import salt.utils.user
|
||||
+
|
||||
+
|
||||
+def test_get_group_list():
|
||||
+ getpwname = SimpleNamespace(pw_gid=1000)
|
||||
+ getgrgid = MagicMock(side_effect=[SimpleNamespace(gr_name="remote")])
|
||||
+ group_lines = [
|
||||
+ ["games", "x", 50, []],
|
||||
+ ["salt", "x", 1000, []],
|
||||
+ ]
|
||||
+ getgrall = [grp.struct_group(comps) for comps in group_lines]
|
||||
+ with patch("os.getgrouplist", MagicMock(return_value=[50, 1000, 12000])), patch(
|
||||
+ "pwd.getpwnam", MagicMock(return_value=getpwname)
|
||||
+ ), patch("salt.utils.user._getgrall", MagicMock(return_value=getgrall)), patch(
|
||||
+ "grp.getgrgid", getgrgid
|
||||
+ ):
|
||||
+ group_list = salt.utils.user.get_group_list("salt")
|
||||
+ assert group_list == ["games", "remote", "salt"]
|
||||
+ getgrgid.assert_called_once()
|
||||
--
|
||||
2.35.3
|
||||
|
202
improve-broken-events-catching-and-reporting.patch
Normal file
202
improve-broken-events-catching-and-reporting.patch
Normal file
@ -0,0 +1,202 @@
|
||||
From 88bd54971d39b34d9728f3fe5fcb493cec3ff2fd Mon Sep 17 00:00:00 2001
|
||||
From: Victor Zhestkov <vzhestkov@suse.com>
|
||||
Date: Wed, 15 May 2024 09:22:11 +0200
|
||||
Subject: [PATCH] Improve broken events catching and reporting
|
||||
|
||||
* Improve broken events catching and reporting
|
||||
|
||||
* Add test of catching SaltDeserializationError on reading event
|
||||
|
||||
* Add test for fire_ret_load
|
||||
---
|
||||
salt/utils/event.py | 23 +++-
|
||||
tests/pytests/unit/utils/event/test_event.py | 107 +++++++++++++++++++
|
||||
2 files changed, 128 insertions(+), 2 deletions(-)
|
||||
|
||||
diff --git a/salt/utils/event.py b/salt/utils/event.py
|
||||
index e6d7b00520..ef048335ae 100644
|
||||
--- a/salt/utils/event.py
|
||||
+++ b/salt/utils/event.py
|
||||
@@ -75,6 +75,7 @@ import salt.utils.platform
|
||||
import salt.utils.process
|
||||
import salt.utils.stringutils
|
||||
import salt.utils.zeromq
|
||||
+from salt.exceptions import SaltDeserializationError
|
||||
|
||||
log = logging.getLogger(__name__)
|
||||
|
||||
@@ -461,7 +462,13 @@ class SaltEvent:
|
||||
salt.utils.stringutils.to_bytes(TAGEND)
|
||||
) # split tag from data
|
||||
mtag = salt.utils.stringutils.to_str(mtag)
|
||||
- data = salt.payload.loads(mdata, encoding="utf-8")
|
||||
+ try:
|
||||
+ data = salt.payload.loads(mdata, encoding="utf-8")
|
||||
+ except SaltDeserializationError:
|
||||
+ log.warning(
|
||||
+ "SaltDeserializationError on unpacking data, the payload could be incomplete"
|
||||
+ )
|
||||
+ raise
|
||||
return mtag, data
|
||||
|
||||
def _get_match_func(self, match_type=None):
|
||||
@@ -583,6 +590,9 @@ class SaltEvent:
|
||||
raise
|
||||
else:
|
||||
return None
|
||||
+ except SaltDeserializationError:
|
||||
+ log.error("Unable to deserialize received event")
|
||||
+ return None
|
||||
except RuntimeError:
|
||||
return None
|
||||
|
||||
@@ -889,6 +899,14 @@ class SaltEvent:
|
||||
ret = load.get("return", {})
|
||||
retcode = load["retcode"]
|
||||
|
||||
+ if not isinstance(ret, dict):
|
||||
+ log.error(
|
||||
+ "Event with bad payload received from '%s': %s",
|
||||
+ load.get("id", "UNKNOWN"),
|
||||
+ "".join(ret) if isinstance(ret, list) else ret,
|
||||
+ )
|
||||
+ return
|
||||
+
|
||||
try:
|
||||
for tag, data in ret.items():
|
||||
data["retcode"] = retcode
|
||||
@@ -910,7 +928,8 @@ class SaltEvent:
|
||||
)
|
||||
except Exception as exc: # pylint: disable=broad-except
|
||||
log.error(
|
||||
- "Event iteration failed with exception: %s",
|
||||
+ "Event from '%s' iteration failed with exception: %s",
|
||||
+ load.get("id", "UNKNOWN"),
|
||||
exc,
|
||||
exc_info_on_loglevel=logging.DEBUG,
|
||||
)
|
||||
diff --git a/tests/pytests/unit/utils/event/test_event.py b/tests/pytests/unit/utils/event/test_event.py
|
||||
index f4b6c15999..3eadfaf6ba 100644
|
||||
--- a/tests/pytests/unit/utils/event/test_event.py
|
||||
+++ b/tests/pytests/unit/utils/event/test_event.py
|
||||
@@ -12,6 +12,7 @@ import salt.ext.tornado.ioloop
|
||||
import salt.ext.tornado.iostream
|
||||
import salt.utils.event
|
||||
import salt.utils.stringutils
|
||||
+from salt.exceptions import SaltDeserializationError
|
||||
from salt.utils.event import SaltEvent
|
||||
from tests.support.events import eventpublisher_process, eventsender_process
|
||||
from tests.support.mock import patch
|
||||
@@ -340,3 +341,109 @@ def test_master_pub_permissions(sock_dir):
|
||||
assert bool(os.lstat(p).st_mode & stat.S_IRUSR)
|
||||
assert not bool(os.lstat(p).st_mode & stat.S_IRGRP)
|
||||
assert not bool(os.lstat(p).st_mode & stat.S_IROTH)
|
||||
+
|
||||
+
|
||||
+def test_event_unpack_with_SaltDeserializationError(sock_dir):
|
||||
+ with eventpublisher_process(str(sock_dir)), salt.utils.event.MasterEvent(
|
||||
+ str(sock_dir), listen=True
|
||||
+ ) as me, patch.object(
|
||||
+ salt.utils.event.log, "warning", autospec=True
|
||||
+ ) as mock_log_warning, patch.object(
|
||||
+ salt.utils.event.log, "error", autospec=True
|
||||
+ ) as mock_log_error:
|
||||
+ me.fire_event({"data": "foo1"}, "evt1")
|
||||
+ me.fire_event({"data": "foo2"}, "evt2")
|
||||
+ evt2 = me.get_event(tag="")
|
||||
+ with patch("salt.payload.loads", side_effect=SaltDeserializationError):
|
||||
+ evt1 = me.get_event(tag="")
|
||||
+ _assert_got_event(evt2, {"data": "foo2"}, expected_failure=True)
|
||||
+ assert evt1 is None
|
||||
+ assert (
|
||||
+ mock_log_warning.mock_calls[0].args[0]
|
||||
+ == "SaltDeserializationError on unpacking data, the payload could be incomplete"
|
||||
+ )
|
||||
+ assert (
|
||||
+ mock_log_error.mock_calls[0].args[0]
|
||||
+ == "Unable to deserialize received event"
|
||||
+ )
|
||||
+
|
||||
+
|
||||
+def test_event_fire_ret_load():
|
||||
+ event = SaltEvent(node=None)
|
||||
+ test_load = {
|
||||
+ "id": "minion_id.example.org",
|
||||
+ "jid": "20240212095247760376",
|
||||
+ "fun": "state.highstate",
|
||||
+ "retcode": 254,
|
||||
+ "return": {
|
||||
+ "saltutil_|-sync_states_|-sync_states_|-sync_states": {
|
||||
+ "result": True,
|
||||
+ },
|
||||
+ "saltutil_|-sync_modules_|-sync_modules_|-sync_modules": {
|
||||
+ "result": False,
|
||||
+ },
|
||||
+ },
|
||||
+ }
|
||||
+ test_fire_event_data = {
|
||||
+ "result": False,
|
||||
+ "retcode": 254,
|
||||
+ "jid": "20240212095247760376",
|
||||
+ "id": "minion_id.example.org",
|
||||
+ "success": False,
|
||||
+ "return": "Error: saltutil.sync_modules",
|
||||
+ "fun": "state.highstate",
|
||||
+ }
|
||||
+ test_unhandled_exc = "Unhandled exception running state.highstate"
|
||||
+ test_traceback = [
|
||||
+ "Traceback (most recent call last):\n",
|
||||
+ " Just an example of possible return as a list\n",
|
||||
+ ]
|
||||
+ with patch.object(
|
||||
+ event, "fire_event", side_effect=[None, None, Exception]
|
||||
+ ) as mock_fire_event, patch.object(
|
||||
+ salt.utils.event.log, "error", autospec=True
|
||||
+ ) as mock_log_error:
|
||||
+ event.fire_ret_load(test_load)
|
||||
+ assert len(mock_fire_event.mock_calls) == 2
|
||||
+ assert mock_fire_event.mock_calls[0].args[0] == test_fire_event_data
|
||||
+ assert mock_fire_event.mock_calls[0].args[1] == "saltutil.sync_modules"
|
||||
+ assert mock_fire_event.mock_calls[1].args[0] == test_fire_event_data
|
||||
+ assert (
|
||||
+ mock_fire_event.mock_calls[1].args[1]
|
||||
+ == "salt/job/20240212095247760376/sub/minion_id.example.org/error/state.highstate"
|
||||
+ )
|
||||
+ assert not mock_log_error.mock_calls
|
||||
+
|
||||
+ mock_log_error.reset_mock()
|
||||
+
|
||||
+ event.fire_ret_load(test_load)
|
||||
+ assert (
|
||||
+ mock_log_error.mock_calls[0].args[0]
|
||||
+ == "Event from '%s' iteration failed with exception: %s"
|
||||
+ )
|
||||
+ assert mock_log_error.mock_calls[0].args[1] == "minion_id.example.org"
|
||||
+
|
||||
+ mock_log_error.reset_mock()
|
||||
+ test_load["return"] = test_unhandled_exc
|
||||
+
|
||||
+ event.fire_ret_load(test_load)
|
||||
+ assert (
|
||||
+ mock_log_error.mock_calls[0].args[0]
|
||||
+ == "Event with bad payload received from '%s': %s"
|
||||
+ )
|
||||
+ assert mock_log_error.mock_calls[0].args[1] == "minion_id.example.org"
|
||||
+ assert (
|
||||
+ mock_log_error.mock_calls[0].args[2]
|
||||
+ == "Unhandled exception running state.highstate"
|
||||
+ )
|
||||
+
|
||||
+ mock_log_error.reset_mock()
|
||||
+ test_load["return"] = test_traceback
|
||||
+
|
||||
+ event.fire_ret_load(test_load)
|
||||
+ assert (
|
||||
+ mock_log_error.mock_calls[0].args[0]
|
||||
+ == "Event with bad payload received from '%s': %s"
|
||||
+ )
|
||||
+ assert mock_log_error.mock_calls[0].args[1] == "minion_id.example.org"
|
||||
+ assert mock_log_error.mock_calls[0].args[2] == "".join(test_traceback)
|
||||
--
|
||||
2.45.0
|
||||
|
63
make-importing-seco.range-thread-safe-bsc-1211649.patch
Normal file
63
make-importing-seco.range-thread-safe-bsc-1211649.patch
Normal file
@ -0,0 +1,63 @@
|
||||
From 0913a58a36ef69d957dd9cc5c95fafe6d56448d5 Mon Sep 17 00:00:00 2001
|
||||
From: Marek Czernek <marek.czernek@suse.com>
|
||||
Date: Mon, 4 Mar 2024 11:27:35 +0100
|
||||
Subject: [PATCH] Make importing seco.range thread safe (bsc#1211649)
|
||||
|
||||
---
|
||||
salt/roster/range.py | 5 +++++
|
||||
salt/utils/roster_matcher.py | 5 +++++
|
||||
2 files changed, 10 insertions(+)
|
||||
|
||||
diff --git a/salt/roster/range.py b/salt/roster/range.py
|
||||
index 3f039dcef42..1525f70c32b 100644
|
||||
--- a/salt/roster/range.py
|
||||
+++ b/salt/roster/range.py
|
||||
@@ -15,16 +15,21 @@ import copy
|
||||
import fnmatch
|
||||
import logging
|
||||
|
||||
+import salt.loader
|
||||
+
|
||||
log = logging.getLogger(__name__)
|
||||
|
||||
# Try to import range from https://github.com/ytoolshed/range
|
||||
HAS_RANGE = False
|
||||
try:
|
||||
+ salt.loader.LOAD_LOCK.acquire()
|
||||
import seco.range
|
||||
|
||||
HAS_RANGE = True
|
||||
except ImportError:
|
||||
log.error("Unable to load range library")
|
||||
+finally:
|
||||
+ salt.loader.LOAD_LOCK.release()
|
||||
# pylint: enable=import-error
|
||||
|
||||
|
||||
diff --git a/salt/utils/roster_matcher.py b/salt/utils/roster_matcher.py
|
||||
index db5dfda3e03..5165dc122b7 100644
|
||||
--- a/salt/utils/roster_matcher.py
|
||||
+++ b/salt/utils/roster_matcher.py
|
||||
@@ -8,14 +8,19 @@ import functools
|
||||
import logging
|
||||
import re
|
||||
|
||||
+import salt.loader
|
||||
+
|
||||
# Try to import range from https://github.com/ytoolshed/range
|
||||
HAS_RANGE = False
|
||||
try:
|
||||
+ salt.loader.LOAD_LOCK.acquire()
|
||||
import seco.range
|
||||
|
||||
HAS_RANGE = True
|
||||
except ImportError:
|
||||
pass
|
||||
+finally:
|
||||
+ salt.loader.LOAD_LOCK.release()
|
||||
# pylint: enable=import-error
|
||||
|
||||
|
||||
--
|
||||
2.44.0
|
||||
|
233
make-logging-calls-lighter.patch
Normal file
233
make-logging-calls-lighter.patch
Normal file
@ -0,0 +1,233 @@
|
||||
From 48b6f57ece7eb9f58b8e6da40ec241b6df3f6d01 Mon Sep 17 00:00:00 2001
|
||||
From: Victor Zhestkov <vzhestkov@suse.com>
|
||||
Date: Wed, 15 May 2024 09:20:18 +0200
|
||||
Subject: [PATCH] Make logging calls lighter
|
||||
|
||||
* Call set_lowest_log_level_by_opts with set_logging_options_dict
|
||||
|
||||
* Fix the _logging test with setting minimum logging level
|
||||
|
||||
* Fix test_deferred_stream_handler test
|
||||
|
||||
* Fix vt.Terminal failing test: test_log_sanitize
|
||||
|
||||
Fixes failing test added in a09b4f445052be66f0ac53fd01fa02bfa5b82ea6
|
||||
|
||||
We can't assume tests are run at debug level, so this ensures the test
|
||||
passes regardless of what logging level is currently set by capturing
|
||||
the output in caplog at DEBUG which stream_stdout/stream_stderr uses by
|
||||
default.
|
||||
|
||||
Signed-off-by: Joe Groocock <jgroocock@cloudflare.com>
|
||||
|
||||
---------
|
||||
|
||||
Signed-off-by: Joe Groocock <jgroocock@cloudflare.com>
|
||||
Co-authored-by: Joe Groocock <jgroocock@cloudflare.com>
|
||||
---
|
||||
salt/_logging/impl.py | 1 +
|
||||
.../integration/_logging/test_logging.py | 106 ++++++++++++++++++
|
||||
.../handlers/test_deferred_stream_handler.py | 9 +-
|
||||
tests/pytests/unit/utils/test_vt.py | 6 +-
|
||||
4 files changed, 117 insertions(+), 5 deletions(-)
|
||||
create mode 100644 tests/pytests/integration/_logging/test_logging.py
|
||||
|
||||
diff --git a/salt/_logging/impl.py b/salt/_logging/impl.py
|
||||
index 2d1a276cb8..1d71cb8be8 100644
|
||||
--- a/salt/_logging/impl.py
|
||||
+++ b/salt/_logging/impl.py
|
||||
@@ -426,6 +426,7 @@ def set_logging_options_dict(opts):
|
||||
except AttributeError:
|
||||
pass
|
||||
set_logging_options_dict.__options_dict__ = opts
|
||||
+ set_lowest_log_level_by_opts(opts)
|
||||
|
||||
|
||||
def freeze_logging_options_dict():
|
||||
diff --git a/tests/pytests/integration/_logging/test_logging.py b/tests/pytests/integration/_logging/test_logging.py
|
||||
new file mode 100644
|
||||
index 0000000000..8e38f55b38
|
||||
--- /dev/null
|
||||
+++ b/tests/pytests/integration/_logging/test_logging.py
|
||||
@@ -0,0 +1,106 @@
|
||||
+import logging
|
||||
+import os
|
||||
+
|
||||
+import pytest
|
||||
+
|
||||
+import salt._logging.impl as log_impl
|
||||
+from tests.support.mock import MagicMock, patch
|
||||
+
|
||||
+pytestmark = [
|
||||
+ pytest.mark.skip_on_windows(reason="Temporarily skipped on the newer golden images")
|
||||
+]
|
||||
+
|
||||
+
|
||||
+log = logging.getLogger(__name__)
|
||||
+
|
||||
+
|
||||
+@pytest.fixture
|
||||
+def configure_loader_modules():
|
||||
+ return {log_impl: {}}
|
||||
+
|
||||
+
|
||||
+def log_nameToLevel(name):
|
||||
+ """
|
||||
+ Return the numeric representation of textual logging level
|
||||
+ """
|
||||
+ # log level values
|
||||
+ CRITICAL = 50
|
||||
+ FATAL = CRITICAL
|
||||
+ ERROR = 40
|
||||
+ WARNING = 30
|
||||
+ WARN = WARNING
|
||||
+ INFO = 20
|
||||
+ DEBUG = 10
|
||||
+ NOTSET = 0
|
||||
+
|
||||
+ _nameToLevel = {
|
||||
+ "CRITICAL": CRITICAL,
|
||||
+ "FATAL": FATAL,
|
||||
+ "ERROR": ERROR,
|
||||
+ "WARN": WARNING,
|
||||
+ "WARNING": WARNING,
|
||||
+ "INFO": INFO,
|
||||
+ "DEBUG": DEBUG,
|
||||
+ "NOTSET": NOTSET,
|
||||
+ }
|
||||
+ return _nameToLevel.get(name, None)
|
||||
+
|
||||
+
|
||||
+def test_lowest_log_level():
|
||||
+ ret = log_impl.get_lowest_log_level()
|
||||
+ assert ret is not None
|
||||
+
|
||||
+ log_impl.set_lowest_log_level(log_nameToLevel("DEBUG"))
|
||||
+ ret = log_impl.get_lowest_log_level()
|
||||
+ assert ret is log_nameToLevel("DEBUG")
|
||||
+
|
||||
+ log_impl.set_lowest_log_level(log_nameToLevel("WARNING"))
|
||||
+ ret = log_impl.get_lowest_log_level()
|
||||
+ assert ret is log_nameToLevel("WARNING")
|
||||
+
|
||||
+ opts = {"log_level": "ERROR", "log_level_logfile": "INFO"}
|
||||
+ log_impl.set_lowest_log_level_by_opts(opts)
|
||||
+ ret = log_impl.get_lowest_log_level()
|
||||
+ assert ret is log_nameToLevel("INFO")
|
||||
+
|
||||
+
|
||||
+def test_get_logging_level_from_string(caplog):
|
||||
+ ret = log_impl.get_logging_level_from_string(None)
|
||||
+ assert ret is log_nameToLevel("WARNING")
|
||||
+
|
||||
+ ret = log_impl.get_logging_level_from_string(log_nameToLevel("DEBUG"))
|
||||
+ assert ret is log_nameToLevel("DEBUG")
|
||||
+
|
||||
+ ret = log_impl.get_logging_level_from_string("CRITICAL")
|
||||
+ assert ret is log_nameToLevel("CRITICAL")
|
||||
+
|
||||
+ caplog.clear()
|
||||
+ with caplog.at_level(logging.WARNING):
|
||||
+ msg = "Could not translate the logging level string 'BADLEVEL' into an actual logging level integer. Returning 'logging.ERROR'."
|
||||
+ ret = log_impl.get_logging_level_from_string("BADLEVEL")
|
||||
+ assert ret is log_nameToLevel("ERROR")
|
||||
+ assert msg in caplog.text
|
||||
+
|
||||
+
|
||||
+def test_logfile_handler(caplog):
|
||||
+ caplog.clear()
|
||||
+ with caplog.at_level(logging.WARNING):
|
||||
+ ret = log_impl.is_logfile_handler_configured()
|
||||
+ assert ret is False
|
||||
+
|
||||
+ msg = "log_path setting is set to `None`. Nothing else to do"
|
||||
+ log_path = None
|
||||
+ assert log_impl.setup_logfile_handler(log_path) is None
|
||||
+ assert msg in caplog.text
|
||||
+
|
||||
+
|
||||
+def test_in_mainprocess():
|
||||
+ ret = log_impl.in_mainprocess()
|
||||
+ assert ret is True
|
||||
+
|
||||
+ curr_pid = os.getpid()
|
||||
+ with patch(
|
||||
+ "os.getpid", MagicMock(side_effect=[AttributeError, curr_pid, curr_pid])
|
||||
+ ):
|
||||
+ ret = log_impl.in_mainprocess()
|
||||
+ assert ret is True
|
||||
diff --git a/tests/pytests/unit/_logging/handlers/test_deferred_stream_handler.py b/tests/pytests/unit/_logging/handlers/test_deferred_stream_handler.py
|
||||
index 76b0e88eca..62c0dff4be 100644
|
||||
--- a/tests/pytests/unit/_logging/handlers/test_deferred_stream_handler.py
|
||||
+++ b/tests/pytests/unit/_logging/handlers/test_deferred_stream_handler.py
|
||||
@@ -9,6 +9,7 @@ import pytest
|
||||
from pytestshellutils.utils.processes import terminate_process
|
||||
|
||||
from salt._logging.handlers import DeferredStreamHandler
|
||||
+from salt._logging.impl import set_lowest_log_level
|
||||
from salt.utils.nb_popen import NonBlockingPopen
|
||||
from tests.support.helpers import CaptureOutput, dedent
|
||||
from tests.support.runtests import RUNTIME_VARS
|
||||
@@ -20,7 +21,7 @@ def _sync_with_handlers_proc_target():
|
||||
|
||||
with CaptureOutput() as stds:
|
||||
handler = DeferredStreamHandler(sys.stderr)
|
||||
- handler.setLevel(logging.DEBUG)
|
||||
+ set_lowest_log_level(logging.DEBUG)
|
||||
formatter = logging.Formatter("%(message)s")
|
||||
handler.setFormatter(formatter)
|
||||
logging.root.addHandler(handler)
|
||||
@@ -45,7 +46,7 @@ def _deferred_write_on_flush_proc_target():
|
||||
|
||||
with CaptureOutput() as stds:
|
||||
handler = DeferredStreamHandler(sys.stderr)
|
||||
- handler.setLevel(logging.DEBUG)
|
||||
+ set_lowest_log_level(logging.DEBUG)
|
||||
formatter = logging.Formatter("%(message)s")
|
||||
handler.setFormatter(formatter)
|
||||
logging.root.addHandler(handler)
|
||||
@@ -126,7 +127,7 @@ def test_deferred_write_on_atexit(tmp_path):
|
||||
# Just loop consuming output
|
||||
while True:
|
||||
if time.time() > max_time:
|
||||
- pytest.fail("Script didn't exit after {} second".format(execution_time))
|
||||
+ pytest.fail(f"Script didn't exit after {execution_time} second")
|
||||
|
||||
time.sleep(0.125)
|
||||
_out = proc.recv()
|
||||
@@ -146,7 +147,7 @@ def test_deferred_write_on_atexit(tmp_path):
|
||||
finally:
|
||||
terminate_process(proc.pid, kill_children=True)
|
||||
if b"Foo" not in err:
|
||||
- pytest.fail("'Foo' should be in stderr and it's not: {}".format(err))
|
||||
+ pytest.fail(f"'Foo' should be in stderr and it's not: {err}")
|
||||
|
||||
|
||||
@pytest.mark.skip_on_windows(reason="Windows does not support SIGINT")
|
||||
diff --git a/tests/pytests/unit/utils/test_vt.py b/tests/pytests/unit/utils/test_vt.py
|
||||
index 438a6eb09c..c31b25e623 100644
|
||||
--- a/tests/pytests/unit/utils/test_vt.py
|
||||
+++ b/tests/pytests/unit/utils/test_vt.py
|
||||
@@ -1,3 +1,4 @@
|
||||
+import logging
|
||||
import os
|
||||
import signal
|
||||
|
||||
@@ -43,10 +44,13 @@ def test_log_sanitize(test_cmd, caplog):
|
||||
cmd,
|
||||
log_stdout=True,
|
||||
log_stderr=True,
|
||||
+ log_stdout_level="debug",
|
||||
+ log_stderr_level="debug",
|
||||
log_sanitize=password,
|
||||
stream_stdout=False,
|
||||
stream_stderr=False,
|
||||
)
|
||||
- ret = term.recv()
|
||||
+ with caplog.at_level(logging.DEBUG):
|
||||
+ ret = term.recv()
|
||||
assert password not in caplog.text
|
||||
assert "******" in caplog.text
|
||||
--
|
||||
2.45.0
|
||||
|
104
make-reactor-engine-less-blocking-the-eventpublisher.patch
Normal file
104
make-reactor-engine-less-blocking-the-eventpublisher.patch
Normal file
@ -0,0 +1,104 @@
|
||||
From 0d35f09288700f5c961567442c3fcc25838b8de4 Mon Sep 17 00:00:00 2001
|
||||
From: Victor Zhestkov <vzhestkov@suse.com>
|
||||
Date: Wed, 15 May 2024 09:44:21 +0200
|
||||
Subject: [PATCH] Make reactor engine less blocking the EventPublisher
|
||||
|
||||
---
|
||||
salt/utils/reactor.py | 45 +++++++++++++++++++++++++++----------------
|
||||
1 file changed, 28 insertions(+), 17 deletions(-)
|
||||
|
||||
diff --git a/salt/utils/reactor.py b/salt/utils/reactor.py
|
||||
index 19420a51cf..78adad34da 100644
|
||||
--- a/salt/utils/reactor.py
|
||||
+++ b/salt/utils/reactor.py
|
||||
@@ -1,10 +1,12 @@
|
||||
"""
|
||||
Functions which implement running reactor jobs
|
||||
"""
|
||||
+
|
||||
import fnmatch
|
||||
import glob
|
||||
import logging
|
||||
import os
|
||||
+from threading import Lock
|
||||
|
||||
import salt.client
|
||||
import salt.defaults.exitcodes
|
||||
@@ -194,13 +196,6 @@ class Reactor(salt.utils.process.SignalHandlingProcess, salt.state.Compiler):
|
||||
self.resolve_aliases(chunks)
|
||||
return chunks
|
||||
|
||||
- def call_reactions(self, chunks):
|
||||
- """
|
||||
- Execute the reaction state
|
||||
- """
|
||||
- for chunk in chunks:
|
||||
- self.wrap.run(chunk)
|
||||
-
|
||||
def run(self):
|
||||
"""
|
||||
Enter into the server loop
|
||||
@@ -218,7 +213,7 @@ class Reactor(salt.utils.process.SignalHandlingProcess, salt.state.Compiler):
|
||||
) as event:
|
||||
self.wrap = ReactWrap(self.opts)
|
||||
|
||||
- for data in event.iter_events(full=True):
|
||||
+ for data in event.iter_events(full=True, auto_reconnect=True):
|
||||
# skip all events fired by ourselves
|
||||
if data["data"].get("user") == self.wrap.event_user:
|
||||
continue
|
||||
@@ -268,15 +263,9 @@ class Reactor(salt.utils.process.SignalHandlingProcess, salt.state.Compiler):
|
||||
if not self.is_leader:
|
||||
continue
|
||||
else:
|
||||
- reactors = self.list_reactors(data["tag"])
|
||||
- if not reactors:
|
||||
- continue
|
||||
- chunks = self.reactions(data["tag"], data["data"], reactors)
|
||||
- if chunks:
|
||||
- try:
|
||||
- self.call_reactions(chunks)
|
||||
- except SystemExit:
|
||||
- log.warning("Exit ignored by reactor")
|
||||
+ self.wrap.call_reactions(
|
||||
+ data, self.list_reactors, self.reactions
|
||||
+ )
|
||||
|
||||
|
||||
class ReactWrap:
|
||||
@@ -297,6 +286,7 @@ class ReactWrap:
|
||||
|
||||
def __init__(self, opts):
|
||||
self.opts = opts
|
||||
+ self._run_lock = Lock()
|
||||
if ReactWrap.client_cache is None:
|
||||
ReactWrap.client_cache = salt.utils.cache.CacheDict(
|
||||
opts["reactor_refresh_interval"]
|
||||
@@ -480,3 +470,24 @@ class ReactWrap:
|
||||
Wrap LocalCaller to execute remote exec functions locally on the Minion
|
||||
"""
|
||||
self.client_cache["caller"].cmd(fun, *kwargs["arg"], **kwargs["kwarg"])
|
||||
+
|
||||
+ def _call_reactions(self, data, list_reactors, get_reactions):
|
||||
+ reactors = list_reactors(data["tag"])
|
||||
+ if not reactors:
|
||||
+ return
|
||||
+ chunks = get_reactions(data["tag"], data["data"], reactors)
|
||||
+ if not chunks:
|
||||
+ return
|
||||
+ with self._run_lock:
|
||||
+ try:
|
||||
+ for chunk in chunks:
|
||||
+ self.run(chunk)
|
||||
+ except Exception as exc: # pylint: disable=broad-except
|
||||
+ log.error(
|
||||
+ "Exception while calling the reactions: %s", exc, exc_info=True
|
||||
+ )
|
||||
+
|
||||
+ def call_reactions(self, data, list_reactors, get_reactions):
|
||||
+ return self.pool.fire_async(
|
||||
+ self._call_reactions, args=(data, list_reactors, get_reactions)
|
||||
+ )
|
||||
--
|
||||
2.45.0
|
||||
|
243
make-salt-master-self-recoverable-on-killing-eventpu.patch
Normal file
243
make-salt-master-self-recoverable-on-killing-eventpu.patch
Normal file
@ -0,0 +1,243 @@
|
||||
From 794b5d1aa7b8e880e9a21940183d241c6cbde9c9 Mon Sep 17 00:00:00 2001
|
||||
From: Victor Zhestkov <vzhestkov@suse.com>
|
||||
Date: Wed, 15 May 2024 09:42:23 +0200
|
||||
Subject: [PATCH] Make salt-master self recoverable on killing
|
||||
EventPublisher
|
||||
|
||||
* Implement timeout and tries to transport.ipc.IPCClient.send
|
||||
|
||||
* Make timeout and tries configurable for fire_event
|
||||
|
||||
* Add test of timeout and tries
|
||||
|
||||
* Prevent exceptions from tornado Future on closing the IPC connection
|
||||
---
|
||||
salt/transport/ipc.py | 73 +++++++++++++++++---
|
||||
salt/utils/event.py | 21 +++++-
|
||||
tests/pytests/unit/utils/event/test_event.py | 43 ++++++++++++
|
||||
3 files changed, 125 insertions(+), 12 deletions(-)
|
||||
|
||||
diff --git a/salt/transport/ipc.py b/salt/transport/ipc.py
|
||||
index cee100b086..6631781c5c 100644
|
||||
--- a/salt/transport/ipc.py
|
||||
+++ b/salt/transport/ipc.py
|
||||
@@ -2,7 +2,6 @@
|
||||
IPC transport classes
|
||||
"""
|
||||
|
||||
-
|
||||
import errno
|
||||
import logging
|
||||
import socket
|
||||
@@ -340,7 +339,8 @@ class IPCClient:
|
||||
try:
|
||||
log.trace("IPCClient: Connecting to socket: %s", self.socket_path)
|
||||
yield self.stream.connect(sock_addr)
|
||||
- self._connecting_future.set_result(True)
|
||||
+ if self._connecting_future is not None:
|
||||
+ self._connecting_future.set_result(True)
|
||||
break
|
||||
except Exception as e: # pylint: disable=broad-except
|
||||
if self.stream.closed():
|
||||
@@ -350,7 +350,8 @@ class IPCClient:
|
||||
if self.stream is not None:
|
||||
self.stream.close()
|
||||
self.stream = None
|
||||
- self._connecting_future.set_exception(e)
|
||||
+ if self._connecting_future is not None:
|
||||
+ self._connecting_future.set_exception(e)
|
||||
break
|
||||
|
||||
yield salt.ext.tornado.gen.sleep(1)
|
||||
@@ -365,7 +366,13 @@ class IPCClient:
|
||||
return
|
||||
|
||||
self._closing = True
|
||||
- self._connecting_future = None
|
||||
+ if self._connecting_future is not None:
|
||||
+ try:
|
||||
+ self._connecting_future.set_result(True)
|
||||
+ self._connecting_future.exception() # pylint: disable=E0203
|
||||
+ except Exception as e: # pylint: disable=broad-except
|
||||
+ log.warning("Unhandled connecting exception: %s", e, exc_info=True)
|
||||
+ self._connecting_future = None
|
||||
|
||||
log.debug("Closing %s instance", self.__class__.__name__)
|
||||
|
||||
@@ -435,8 +442,6 @@ class IPCMessageClient(IPCClient):
|
||||
"close",
|
||||
]
|
||||
|
||||
- # FIXME timeout unimplemented
|
||||
- # FIXME tries unimplemented
|
||||
@salt.ext.tornado.gen.coroutine
|
||||
def send(self, msg, timeout=None, tries=None):
|
||||
"""
|
||||
@@ -445,12 +450,60 @@ class IPCMessageClient(IPCClient):
|
||||
If the socket is not currently connected, a connection will be established.
|
||||
|
||||
:param dict msg: The message to be sent
|
||||
- :param int timeout: Timeout when sending message (Currently unimplemented)
|
||||
+ :param int timeout: Timeout when sending message
|
||||
+ :param int tries: Maximum numer of tries to send message
|
||||
"""
|
||||
- if not self.connected():
|
||||
- yield self.connect()
|
||||
+ if tries is None or tries < 1:
|
||||
+ tries = 1
|
||||
+ due_time = None
|
||||
+ if timeout is not None:
|
||||
+ due_time = time.time() + timeout
|
||||
+ _try = 1
|
||||
+ exc_count = 0
|
||||
pack = salt.transport.frame.frame_msg_ipc(msg, raw_body=True)
|
||||
- yield self.stream.write(pack)
|
||||
+ while _try <= tries:
|
||||
+ if not self.connected():
|
||||
+ self.close()
|
||||
+ self.stream = None
|
||||
+ self._closing = False
|
||||
+ try:
|
||||
+ yield self.connect(
|
||||
+ timeout=(
|
||||
+ None if due_time is None else max(due_time - time.time(), 1)
|
||||
+ )
|
||||
+ )
|
||||
+ except StreamClosedError:
|
||||
+ log.warning(
|
||||
+ "IPCMessageClient: Unable to reconnect IPC stream on sending message with ID: 0x%016x%s",
|
||||
+ id(msg),
|
||||
+ f", retry {_try} of {tries}" if tries > 1 else "",
|
||||
+ )
|
||||
+ exc_count += 1
|
||||
+ if self.connected():
|
||||
+ try:
|
||||
+ yield self.stream.write(pack)
|
||||
+ return
|
||||
+ except StreamClosedError:
|
||||
+ if self._closing:
|
||||
+ break
|
||||
+ log.warning(
|
||||
+ "IPCMessageClient: Stream was closed on sending message with ID: 0x%016x",
|
||||
+ id(msg),
|
||||
+ )
|
||||
+ exc_count += 1
|
||||
+ if exc_count == 1:
|
||||
+ # Give one more chance in case if stream was detected as closed
|
||||
+ # on the first write attempt
|
||||
+ continue
|
||||
+ cur_time = time.time()
|
||||
+ _try += 1
|
||||
+ if _try > tries or (due_time is not None and cur_time > due_time):
|
||||
+ return
|
||||
+ yield salt.ext.tornado.gen.sleep(
|
||||
+ 1
|
||||
+ if due_time is None
|
||||
+ else (due_time - cur_time) / max(tries - _try + 1, 1)
|
||||
+ )
|
||||
|
||||
|
||||
class IPCMessageServer(IPCServer):
|
||||
diff --git a/salt/utils/event.py b/salt/utils/event.py
|
||||
index ef048335ae..36b530d1af 100644
|
||||
--- a/salt/utils/event.py
|
||||
+++ b/salt/utils/event.py
|
||||
@@ -270,6 +270,10 @@ class SaltEvent:
|
||||
# and don't read out events from the buffer on an on-going basis,
|
||||
# the buffer will grow resulting in big memory usage.
|
||||
self.connect_pub()
|
||||
+ self.pusher_send_timeout = self.opts.get(
|
||||
+ "pusher_send_timeout", self.opts.get("timeout")
|
||||
+ )
|
||||
+ self.pusher_send_tries = self.opts.get("pusher_send_tries", 3)
|
||||
|
||||
@classmethod
|
||||
def __load_cache_regex(cls):
|
||||
@@ -839,10 +843,18 @@ class SaltEvent:
|
||||
]
|
||||
)
|
||||
msg = salt.utils.stringutils.to_bytes(event, "utf-8")
|
||||
+ if timeout is None:
|
||||
+ timeout_s = self.pusher_send_timeout
|
||||
+ else:
|
||||
+ timeout_s = float(timeout) / 1000
|
||||
if self._run_io_loop_sync:
|
||||
with salt.utils.asynchronous.current_ioloop(self.io_loop):
|
||||
try:
|
||||
- self.pusher.send(msg)
|
||||
+ self.pusher.send(
|
||||
+ msg,
|
||||
+ timeout=timeout_s,
|
||||
+ tries=self.pusher_send_tries,
|
||||
+ )
|
||||
except Exception as exc: # pylint: disable=broad-except
|
||||
log.debug(
|
||||
"Publisher send failed with exception: %s",
|
||||
@@ -851,7 +863,12 @@ class SaltEvent:
|
||||
)
|
||||
raise
|
||||
else:
|
||||
- self.io_loop.spawn_callback(self.pusher.send, msg)
|
||||
+ self.io_loop.spawn_callback(
|
||||
+ self.pusher.send,
|
||||
+ msg,
|
||||
+ timeout=timeout_s,
|
||||
+ tries=self.pusher_send_tries,
|
||||
+ )
|
||||
return True
|
||||
|
||||
def fire_master(self, data, tag, timeout=1000):
|
||||
diff --git a/tests/pytests/unit/utils/event/test_event.py b/tests/pytests/unit/utils/event/test_event.py
|
||||
index 3eadfaf6ba..fa9e420a93 100644
|
||||
--- a/tests/pytests/unit/utils/event/test_event.py
|
||||
+++ b/tests/pytests/unit/utils/event/test_event.py
|
||||
@@ -447,3 +447,46 @@ def test_event_fire_ret_load():
|
||||
)
|
||||
assert mock_log_error.mock_calls[0].args[1] == "minion_id.example.org"
|
||||
assert mock_log_error.mock_calls[0].args[2] == "".join(test_traceback)
|
||||
+
|
||||
+
|
||||
+@pytest.mark.slow_test
|
||||
+def test_event_single_timeout_tries(sock_dir):
|
||||
+ """Test an event is sent with timout and tries"""
|
||||
+
|
||||
+ write_calls_count = 0
|
||||
+ real_stream_write = None
|
||||
+
|
||||
+ @salt.ext.tornado.gen.coroutine
|
||||
+ def write_mock(pack):
|
||||
+ nonlocal write_calls_count
|
||||
+ nonlocal real_stream_write
|
||||
+ write_calls_count += 1
|
||||
+ if write_calls_count > 3:
|
||||
+ yield real_stream_write(pack)
|
||||
+ else:
|
||||
+ raise salt.ext.tornado.iostream.StreamClosedError()
|
||||
+
|
||||
+ with eventpublisher_process(str(sock_dir)), salt.utils.event.MasterEvent(
|
||||
+ str(sock_dir), listen=True
|
||||
+ ) as me:
|
||||
+ me.fire_event({"data": "foo1"}, "evt1")
|
||||
+ evt1 = me.get_event(tag="evt1")
|
||||
+ _assert_got_event(evt1, {"data": "foo1"})
|
||||
+ real_stream_write = me.pusher.stream.write
|
||||
+ with patch.object(
|
||||
+ me.pusher,
|
||||
+ "connected",
|
||||
+ side_effect=[True, True, False, False, True, True],
|
||||
+ ), patch.object(
|
||||
+ me.pusher,
|
||||
+ "connect",
|
||||
+ side_effect=salt.ext.tornado.iostream.StreamClosedError,
|
||||
+ ), patch.object(
|
||||
+ me.pusher.stream,
|
||||
+ "write",
|
||||
+ write_mock,
|
||||
+ ):
|
||||
+ me.fire_event({"data": "bar2"}, "evt2", timeout=5000)
|
||||
+ evt2 = me.get_event(tag="evt2")
|
||||
+ _assert_got_event(evt2, {"data": "bar2"})
|
||||
+ assert write_calls_count == 4
|
||||
--
|
||||
2.45.0
|
||||
|
1272
prevent-oom-with-high-amount-of-batch-async-calls-bs.patch
Normal file
1272
prevent-oom-with-high-amount-of-batch-async-calls-bs.patch
Normal file
File diff suppressed because it is too large
Load Diff
37
prevent-possible-exception-in-tornado.concurrent.fut.patch
Normal file
37
prevent-possible-exception-in-tornado.concurrent.fut.patch
Normal file
@ -0,0 +1,37 @@
|
||||
From 859be3e8213d4b5814a18fa6e9f3f17bf65b3183 Mon Sep 17 00:00:00 2001
|
||||
From: Victor Zhestkov <vzhestkov@suse.com>
|
||||
Date: Wed, 15 May 2024 09:45:26 +0200
|
||||
Subject: [PATCH] Prevent possible exception in
|
||||
tornado.concurrent.Future._set_done
|
||||
|
||||
---
|
||||
salt/ext/tornado/concurrent.py | 13 +++++++------
|
||||
1 file changed, 7 insertions(+), 6 deletions(-)
|
||||
|
||||
diff --git a/salt/ext/tornado/concurrent.py b/salt/ext/tornado/concurrent.py
|
||||
index bea09ba125..011808ed27 100644
|
||||
--- a/salt/ext/tornado/concurrent.py
|
||||
+++ b/salt/ext/tornado/concurrent.py
|
||||
@@ -330,12 +330,13 @@ class Future(object):
|
||||
|
||||
def _set_done(self):
|
||||
self._done = True
|
||||
- for cb in self._callbacks:
|
||||
- try:
|
||||
- cb(self)
|
||||
- except Exception:
|
||||
- app_log.exception("Exception in callback %r for %r", cb, self)
|
||||
- self._callbacks = None
|
||||
+ if self._callbacks:
|
||||
+ for cb in self._callbacks:
|
||||
+ try:
|
||||
+ cb(self)
|
||||
+ except Exception:
|
||||
+ app_log.exception("Exception in callback %r for %r", cb, self)
|
||||
+ self._callbacks = None
|
||||
|
||||
# On Python 3.3 or older, objects with a destructor part of a reference
|
||||
# cycle are never destroyed. It's no longer the case on Python 3.4 thanks to
|
||||
--
|
||||
2.45.0
|
||||
|
43
provide-systemd-timer-unit.patch
Normal file
43
provide-systemd-timer-unit.patch
Normal file
@ -0,0 +1,43 @@
|
||||
From e3809178f7f6db4b0a5dcca48441100cec45c69d Mon Sep 17 00:00:00 2001
|
||||
From: Marek Czernek <marek.czernek@suse.com>
|
||||
Date: Thu, 6 Jun 2024 10:11:26 +0200
|
||||
Subject: [PATCH] Provide systemd timer unit
|
||||
|
||||
---
|
||||
pkg/common/venv-salt-minion-postinstall.service | 7 +++++++
|
||||
pkg/common/venv-salt-minion-postinstall.timer | 9 +++++++++
|
||||
2 files changed, 16 insertions(+)
|
||||
create mode 100644 pkg/common/venv-salt-minion-postinstall.service
|
||||
create mode 100644 pkg/common/venv-salt-minion-postinstall.timer
|
||||
|
||||
diff --git a/pkg/common/venv-salt-minion-postinstall.service b/pkg/common/venv-salt-minion-postinstall.service
|
||||
new file mode 100644
|
||||
index 00000000000..b122d7d6eab
|
||||
--- /dev/null
|
||||
+++ b/pkg/common/venv-salt-minion-postinstall.service
|
||||
@@ -0,0 +1,7 @@
|
||||
+[Unit]
|
||||
+Description=Clean old environment for venv-salt-minion
|
||||
+
|
||||
+[Service]
|
||||
+ExecStart=/bin/sh -c '/usr/lib/venv-salt-minion/bin/post_start_cleanup.sh || :'
|
||||
+Type=oneshot
|
||||
+
|
||||
diff --git a/pkg/common/venv-salt-minion-postinstall.timer b/pkg/common/venv-salt-minion-postinstall.timer
|
||||
new file mode 100644
|
||||
index 00000000000..e6bd86d86e7
|
||||
--- /dev/null
|
||||
+++ b/pkg/common/venv-salt-minion-postinstall.timer
|
||||
@@ -0,0 +1,9 @@
|
||||
+[Unit]
|
||||
+Description=Clean old venv-salt-minion environment in 60 seconds
|
||||
+
|
||||
+[Timer]
|
||||
+OnActiveSec=60
|
||||
+
|
||||
+[Install]
|
||||
+WantedBy=timers.target
|
||||
+
|
||||
--
|
||||
2.45.1
|
||||
|
40
remove-redundant-_file_find-call-to-the-master.patch
Normal file
40
remove-redundant-_file_find-call-to-the-master.patch
Normal file
@ -0,0 +1,40 @@
|
||||
From 768495df67725ae840b06d321bef8299eca2368a Mon Sep 17 00:00:00 2001
|
||||
From: Victor Zhestkov <vzhestkov@suse.com>
|
||||
Date: Wed, 15 May 2024 09:47:40 +0200
|
||||
Subject: [PATCH] Remove redundant `_file_find` call to the master
|
||||
|
||||
---
|
||||
salt/fileclient.py | 10 ++--------
|
||||
1 file changed, 2 insertions(+), 8 deletions(-)
|
||||
|
||||
diff --git a/salt/fileclient.py b/salt/fileclient.py
|
||||
index f01a86dd0d..f4b8d76dbe 100644
|
||||
--- a/salt/fileclient.py
|
||||
+++ b/salt/fileclient.py
|
||||
@@ -1162,10 +1162,7 @@ class RemoteClient(Client):
|
||||
if senv:
|
||||
saltenv = senv
|
||||
|
||||
- if not salt.utils.platform.is_windows():
|
||||
- hash_server, stat_server = self.hash_and_stat_file(path, saltenv)
|
||||
- else:
|
||||
- hash_server = self.hash_file(path, saltenv)
|
||||
+ hash_server = self.hash_file(path, saltenv)
|
||||
|
||||
# Check if file exists on server, before creating files and
|
||||
# directories
|
||||
@@ -1206,10 +1203,7 @@ class RemoteClient(Client):
|
||||
)
|
||||
|
||||
if dest2check and os.path.isfile(dest2check):
|
||||
- if not salt.utils.platform.is_windows():
|
||||
- hash_local, stat_local = self.hash_and_stat_file(dest2check, saltenv)
|
||||
- else:
|
||||
- hash_local = self.hash_file(dest2check, saltenv)
|
||||
+ hash_local = self.hash_file(dest2check, saltenv)
|
||||
|
||||
if hash_local == hash_server:
|
||||
return dest2check
|
||||
--
|
||||
2.45.0
|
||||
|
25
remove-unused-import-causing-delays-on-starting-salt.patch
Normal file
25
remove-unused-import-causing-delays-on-starting-salt.patch
Normal file
@ -0,0 +1,25 @@
|
||||
From 032a470b6a2dbffbdee52c4f6a2a7fc40e3b6f85 Mon Sep 17 00:00:00 2001
|
||||
From: Victor Zhestkov <vzhestkov@suse.com>
|
||||
Date: Wed, 15 May 2024 09:18:42 +0200
|
||||
Subject: [PATCH] Remove unused import causing delays on starting
|
||||
salt-master
|
||||
|
||||
---
|
||||
salt/utils/minions.py | 1 -
|
||||
1 file changed, 1 deletion(-)
|
||||
|
||||
diff --git a/salt/utils/minions.py b/salt/utils/minions.py
|
||||
index 21d34b7edd..082b698522 100644
|
||||
--- a/salt/utils/minions.py
|
||||
+++ b/salt/utils/minions.py
|
||||
@@ -9,7 +9,6 @@ import logging
|
||||
import os
|
||||
import re
|
||||
|
||||
-import salt.auth.ldap
|
||||
import salt.cache
|
||||
import salt.payload
|
||||
import salt.roster
|
||||
--
|
||||
2.45.0
|
||||
|
66
salt.changes
66
salt.changes
@ -1,3 +1,69 @@
|
||||
-------------------------------------------------------------------
|
||||
Thu Aug 1 15:34:21 UTC 2024 - Yeray Gutiérrez Cedrés <yeray.gutierrez@suse.com>
|
||||
|
||||
- Fix rich rule comparison in firewalld module (bsc#1222684)
|
||||
- test_vultrpy: adjust test expectation to prevent failure after Debian 10 EOL
|
||||
- Make auth.pam more robust with Salt Bundle and fix tests
|
||||
- Fix performance of user.list_groups with many remote groups
|
||||
- Fix "status.diskusage" function and exclude some tests for Salt Bundle
|
||||
- Skip certain tests if necessary for some OSes and set flaky ones
|
||||
- Add a timer to delete old env post update for venv-minion
|
||||
- Several fixes for tests to avoid errors and failures in some OSes
|
||||
- Speed up salt.matcher.confirm_top by using __context__
|
||||
- Do not call the async wrapper calls with the separate thread
|
||||
- Prevent OOM with high amount of batch async calls (bsc#1216063)
|
||||
- Add missing contextvars dependency in salt.version
|
||||
- Skip tests for unsupported algorithm on old OpenSSL version
|
||||
- Remove redundant `_file_find` call to the master
|
||||
- Prevent possible exception in tornado.concurrent.Future._set_done
|
||||
- Make reactor engine less blocking the EventPublisher
|
||||
- Make salt-master self recoverable on killing EventPublisher
|
||||
- Improve broken events catching and reporting
|
||||
- Make logging calls lighter
|
||||
- Remove unused import causing delays on starting salt-master
|
||||
- Mark python3-CherryPy as recommended package for the testsuite
|
||||
- Make "man" a recommended package instead of required
|
||||
- Convert oscap output to UTF-8
|
||||
- Make Salt compatible with Python 3.11
|
||||
- Ignore non-ascii chars in oscap output (bsc#1219001)
|
||||
- Fix detected issues in Salt tests when running on VMs
|
||||
- Make importing seco.range thread safe (bsc#1211649)
|
||||
- Fix problematic tests and allow smooth tests executions on containers
|
||||
- Discover Ansible playbook files as "*.yml" or "*.yaml" files (bsc#1211888)
|
||||
- Provide user(salt)/group(salt) capabilities for RPM 4.19
|
||||
- Extend dependencies for python3-salt-testsuite and python3-salt packages
|
||||
- Improve Salt and testsuite packages multibuild
|
||||
- Enable multibuilld and create test flavor
|
||||
|
||||
- Added:
|
||||
* add-missing-contextvars-dependency-in-salt.version.patch
|
||||
* fix-status.diskusage-and-exclude-some-tests-to-run-w.patch
|
||||
* switch-oscap-encoding-to-utf-8-639.patch
|
||||
* fix-user.list_groups-omits-remote-groups.patch
|
||||
* remove-unused-import-causing-delays-on-starting-salt.patch
|
||||
* provide-systemd-timer-unit.patch
|
||||
* make-reactor-engine-less-blocking-the-eventpublisher.patch
|
||||
* improve-broken-events-catching-and-reporting.patch
|
||||
* make-logging-calls-lighter.patch
|
||||
* make-importing-seco.range-thread-safe-bsc-1211649.patch
|
||||
* prevent-possible-exception-in-tornado.concurrent.fut.patch
|
||||
* fix-salt-warnings-and-testuite-for-python-3.11-635.patch
|
||||
* make-salt-master-self-recoverable-on-killing-eventpu.patch
|
||||
* fix-tests-failures-and-errors-when-detected-on-vm-ex.patch
|
||||
* discover-both-.yml-and-.yaml-playbooks-bsc-1211888.patch
|
||||
* fix-problematic-tests-and-allow-smooth-tests-executi.patch
|
||||
* several-fixes-for-tests-to-avoid-errors-and-failures.patch
|
||||
* prevent-oom-with-high-amount-of-batch-async-calls-bs.patch
|
||||
* skip-certain-tests-if-necessary-and-mark-some-flaky-.patch
|
||||
* speed-up-salt.matcher.confirm_top-by-using-__context.patch
|
||||
* do-not-call-the-async-wrapper-calls-with-the-separat.patch
|
||||
* firewalld-normalize-new-rich-rules-before-comparing-.patch
|
||||
* remove-redundant-_file_find-call-to-the-master.patch
|
||||
* skip-tests-for-unsupported-algorithm-on-old-openssl-.patch
|
||||
* some-more-small-tests-fixes-enhancements-661.patch
|
||||
* decode-oscap-byte-stream-to-string-bsc-1219001.patch
|
||||
* test_vultrpy-adjust-test-expectation-to-prevent-fail.patch
|
||||
|
||||
-------------------------------------------------------------------
|
||||
Thu Feb 1 14:48:40 UTC 2024 - Pablo Suárez Hernández <pablo.suarezhernandez@suse.com>
|
||||
|
||||
|
180
salt.spec
180
salt.spec
@ -16,6 +16,13 @@
|
||||
#
|
||||
%global debug_package %{nil}
|
||||
|
||||
%global flavor @BUILD_FLAVOR@%{nil}
|
||||
%if "%{flavor}" == "testsuite"
|
||||
%define psuffix -test
|
||||
%else
|
||||
%define psuffix %{nil}
|
||||
%endif
|
||||
|
||||
%if 0%{?suse_version} > 1210 || 0%{?rhel} >= 7 || 0%{?fedora} >=28
|
||||
%bcond_without systemd
|
||||
%else
|
||||
@ -31,11 +38,10 @@
|
||||
%bcond_with fish_completion
|
||||
%bcond_with zsh_completion
|
||||
%endif
|
||||
%bcond_with test
|
||||
%bcond_without docs
|
||||
%bcond_with builddocs
|
||||
|
||||
Name: salt
|
||||
Name: salt%{psuffix}
|
||||
Version: 3006.0
|
||||
Release: 0
|
||||
Summary: A parallel remote execution system
|
||||
@ -343,7 +349,67 @@ Patch97: fixed-keyerror-in-logs-when-running-a-state-that-fai.patch
|
||||
Patch98: improve-pip-target-override-condition-with-venv_pip_.patch
|
||||
# PATCH-FIX_UPSTREAM https://github.com/saltstack/salt/pull/65819
|
||||
Patch99: allow-kwargs-for-fileserver-roots-update-bsc-1218482.patch
|
||||
|
||||
# PATCH-FIX_UPSTREAM https://github.com/saltstack/salt/pull/66048
|
||||
Patch100: discover-both-.yml-and-.yaml-playbooks-bsc-1211888.patch
|
||||
# PATCH-FIX_UPSTREAM https://github.com/saltstack/salt/pull/66130
|
||||
Patch101: fix-problematic-tests-and-allow-smooth-tests-executi.patch
|
||||
# PATCH-FIX_OPENSUSE: https://github.com/openSUSE/salt/pull/628
|
||||
Patch102: make-importing-seco.range-thread-safe-bsc-1211649.patch
|
||||
# PATCH-FIX_UPSTREAM https://github.com/saltstack/salt/pull/66130
|
||||
Patch103: fix-tests-failures-and-errors-when-detected-on-vm-ex.patch
|
||||
# PATCH-FIX_UPSTREAM https://github.com/saltstack/salt/pull/66234 (modified at Patch106)
|
||||
Patch104: decode-oscap-byte-stream-to-string-bsc-1219001.patch
|
||||
### Commits to make Salt compatible with Python 3.11 (and 3.6)
|
||||
# PATCH-FIX_UPSTREAM https://github.com/saltstack/salt/commit/d92b5423464f93da6e3feb47d05a9acef8da75f9
|
||||
# PATCH-FIX_UPSTREAM https://github.com/saltstack/salt/commit/60b36489225f958772b6a2f99d8fe6ae33ee9d73
|
||||
# PATCH-FIX_UPSTREAM https://github.com/saltstack/salt/commit/eee0eca5e48922e5e404f812ced08ca7484bb568
|
||||
# PATCH-FIX_UPSTREAM https://github.com/saltstack/salt/commit/991f7cf0a7baf08a31194ce52f4ec08290db8e52
|
||||
# PATCH-FIX_UPSTREAM https://github.com/saltstack/salt/commit/2688c86f45eea9f8a6b916fcdf8eb94b3f5e185b
|
||||
# PATCH-FIX_UPSTREAM https://github.com/saltstack/salt/commit/a1873a1d6d50d1769ddef528d7442e38aba9de23
|
||||
# PATCH-FIX_OPENSUSE https://github.com/openSUSE/salt/commit/c7ecccb0a080ca9cca097f760ef0992ab34f82df
|
||||
Patch105: fix-salt-warnings-and-testuite-for-python-3.11-635.patch
|
||||
# PATCH-FIX_OPENSUSE: https://github.com/openSUSE/salt/pull/639
|
||||
Patch106: switch-oscap-encoding-to-utf-8-639.patch
|
||||
# PATCH-FIX_UPSTREAM https://github.com/saltstack/salt/pull/65982
|
||||
Patch107: remove-unused-import-causing-delays-on-starting-salt.patch
|
||||
# PATCH-FIX_UPSTREAM https://github.com/saltstack/salt/pull/66024
|
||||
Patch108: make-logging-calls-lighter.patch
|
||||
# PATCH-FIX_UPSTREAM https://github.com/saltstack/salt/pull/66034
|
||||
Patch109: improve-broken-events-catching-and-reporting.patch
|
||||
# PATCH-FIX_OPENSUSE: https://github.com/openSUSE/salt/pull/633
|
||||
Patch110: make-salt-master-self-recoverable-on-killing-eventpu.patch
|
||||
# PATCH-FIX_UPSTREAM https://github.com/saltstack/salt/pull/66158
|
||||
Patch111: make-reactor-engine-less-blocking-the-eventpublisher.patch
|
||||
# PATCH-FIX_OPENSUSE: https://github.com/openSUSE/salt/pull/638
|
||||
Patch112: prevent-possible-exception-in-tornado.concurrent.fut.patch
|
||||
# PATCH-FIX_UPSTREAM https://github.com/saltstack/salt/pull/66455
|
||||
Patch113: remove-redundant-_file_find-call-to-the-master.patch
|
||||
# PATCH-FIX_OPENSUSE: https://github.com/openSUSE/salt/pull/646
|
||||
Patch114: skip-tests-for-unsupported-algorithm-on-old-openssl-.patch
|
||||
# PATCH-FIX_OPENSUSE: https://github.com/openSUSE/salt/pull/652
|
||||
Patch115: add-missing-contextvars-dependency-in-salt.version.patch
|
||||
# PATCH-FIX_OPENSUSE: https://github.com/openSUSE/salt/pull/640
|
||||
Patch116: prevent-oom-with-high-amount-of-batch-async-calls-bs.patch
|
||||
# PATCH-FIX_UPSTREAM https://github.com/saltstack/salt/pull/65983
|
||||
Patch117: do-not-call-the-async-wrapper-calls-with-the-separat.patch
|
||||
# PATCH-FIX_UPSTREAM https://github.com/saltstack/salt/pull/66494
|
||||
Patch118: speed-up-salt.matcher.confirm_top-by-using-__context.patch
|
||||
# PATCH-FIX_UPSTREAM https://github.com/saltstack/salt/pull/66593
|
||||
Patch119: several-fixes-for-tests-to-avoid-errors-and-failures.patch
|
||||
# PATCH-FIX_OPENSUSE: https://github.com/openSUSE/salt/pull/656
|
||||
Patch120: provide-systemd-timer-unit.patch
|
||||
# PATCH-FIX_UPSTREAM https://github.com/saltstack/salt/pull/66630
|
||||
Patch121: skip-certain-tests-if-necessary-and-mark-some-flaky-.patch
|
||||
# PATCH-FIX_UPSTREAM https://github.com/saltstack/salt/pull/66647
|
||||
Patch122: fix-status.diskusage-and-exclude-some-tests-to-run-w.patch
|
||||
# PATCH-FIX_UPSTREAM https://github.com/saltstack/salt/pull/65077
|
||||
Patch123: fix-user.list_groups-omits-remote-groups.patch
|
||||
# PATCH-FIX_UPSTREAM https://github.com/saltstack/salt/pull/66695
|
||||
Patch124: some-more-small-tests-fixes-enhancements-661.patch
|
||||
# PATCH-FIX_OPENSUSE: https://github.com/openSUSE/salt/pull/666
|
||||
Patch125: test_vultrpy-adjust-test-expectation-to-prevent-fail.patch
|
||||
# PATCH-FIX_UPSTREAM https://github.com/saltstack/salt/pull/66698
|
||||
Patch126: firewalld-normalize-new-rich-rules-before-comparing-.patch
|
||||
|
||||
### IMPORTANT: The line below is used as a snippet marker. Do not touch it.
|
||||
### SALT PATCHES LIST END
|
||||
@ -359,6 +425,8 @@ Obsoletes: python2-%{name}
|
||||
|
||||
Requires(pre): %{_sbindir}/groupadd
|
||||
Requires(pre): %{_sbindir}/useradd
|
||||
Provides: user(salt)
|
||||
Provides: group(salt)
|
||||
|
||||
%if 0%{?suse_version}
|
||||
Requires(pre): %fillup_prereq
|
||||
@ -422,6 +490,8 @@ malleable. Salt accomplishes this via its ability to handle larger loads of
|
||||
information, and not just dozens, but hundreds or even thousands of individual
|
||||
servers, handle them quickly and through a simple and manageable interface.
|
||||
|
||||
%if "%{flavor}" != "testsuite"
|
||||
|
||||
%package -n python3-salt
|
||||
Summary: python3 library for salt
|
||||
Group: System/Management
|
||||
@ -462,7 +532,7 @@ BuildRequires: python3-packaging
|
||||
# requirements/zeromq.txt
|
||||
%if %{with test}
|
||||
BuildRequires: python3-boto >= 2.32.1
|
||||
BuildRequires: python3-mock
|
||||
BuildRequires: %{python3-mock if %python-base < 3.8}
|
||||
BuildRequires: python3-moto >= 0.3.6
|
||||
BuildRequires: python3-pip
|
||||
BuildRequires: python3-salt-testing >= 2015.2.16
|
||||
@ -531,6 +601,12 @@ Recommends: python3-netaddr
|
||||
Recommends: python3-pyinotify
|
||||
%endif
|
||||
|
||||
# Required by Salt modules
|
||||
Recommends: iputils
|
||||
Recommends: sudo
|
||||
Recommends: file
|
||||
Recommends: man
|
||||
|
||||
Provides: bundled(python3-tornado) = 4.5.3
|
||||
|
||||
%description -n python3-salt
|
||||
@ -699,31 +775,6 @@ Requires(pre): %fillup_prereq
|
||||
Salt ssh is a master running without zmq.
|
||||
it enables the management of minions over a ssh connection.
|
||||
|
||||
%package -n python3-salt-testsuite
|
||||
Summary: Unit and integration tests for Salt
|
||||
Requires: %{name} = %{version}-%{release}
|
||||
Requires: python3-CherryPy
|
||||
Requires: python3-Genshi
|
||||
Requires: python3-Mako
|
||||
%if !0%{?suse_version} > 1600 || 0%{?centos}
|
||||
Requires: python3-boto
|
||||
%endif
|
||||
Requires: python3-boto3
|
||||
Requires: python3-docker
|
||||
Requires: python3-mock
|
||||
Requires: python3-pygit2
|
||||
Requires: python3-pytest >= 7.0.1
|
||||
Requires: python3-pytest-httpserver
|
||||
Requires: python3-pytest-salt-factories >= 1.0.0~rc21
|
||||
Requires: python3-pytest-subtests
|
||||
Requires: python3-testinfra
|
||||
Requires: python3-yamllint
|
||||
|
||||
Obsoletes: %{name}-tests
|
||||
|
||||
%description -n python3-salt-testsuite
|
||||
Collection of unit, functional, and integration tests for %{name}.
|
||||
|
||||
%if %{with bash_completion}
|
||||
%package bash-completion
|
||||
Summary: Bash Completion for %{name}
|
||||
@ -790,6 +841,51 @@ For transactional systems, like MicroOS, Salt can operate
|
||||
transparently if the executor "transactional-update" is registered in
|
||||
list of active executors. This package add the configuration file.
|
||||
|
||||
%endif
|
||||
|
||||
%if "%{flavor}" == "testsuite"
|
||||
|
||||
%package -n python3-salt-testsuite
|
||||
Summary: Unit and integration tests for Salt
|
||||
|
||||
%if 0%{?rhel} == 8
|
||||
BuildRequires: platform-python
|
||||
%else
|
||||
BuildRequires: python3
|
||||
%endif
|
||||
BuildRequires: python3-devel
|
||||
BuildRequires: python3-setuptools
|
||||
|
||||
Requires: salt = %{version}
|
||||
Recommends: python3-CherryPy
|
||||
Requires: python3-Genshi
|
||||
Requires: python3-Mako
|
||||
%if !0%{?suse_version} > 1600 || 0%{?centos}
|
||||
Requires: python3-boto
|
||||
%endif
|
||||
Requires: python3-boto3
|
||||
Requires: python3-docker
|
||||
%if 0%{?suse_version} < 1600
|
||||
Requires: python3-mock
|
||||
%endif
|
||||
Requires: python3-pygit2
|
||||
Requires: python3-pytest >= 7.0.1
|
||||
Requires: python3-pytest-httpserver
|
||||
Requires: python3-pytest-salt-factories >= 1.0.0~rc21
|
||||
Requires: python3-pytest-subtests
|
||||
Requires: python3-testinfra
|
||||
Requires: python3-yamllint
|
||||
Requires: python3-pip
|
||||
Requires: docker
|
||||
Requires: openssh
|
||||
Requires: git
|
||||
|
||||
Obsoletes: %{name}-tests
|
||||
|
||||
%description -n python3-salt-testsuite
|
||||
Collection of unit, functional, and integration tests for %{name}.
|
||||
|
||||
%endif
|
||||
|
||||
%prep
|
||||
%setup -q -n salt-%{version}-suse
|
||||
@ -799,6 +895,8 @@ cp %{S:6} .
|
||||
%autopatch -p1
|
||||
|
||||
%build
|
||||
%if "%{flavor}" != "testsuite"
|
||||
|
||||
# Putting /usr/bin at the front of $PATH is needed for RHEL/RES 7. Without this
|
||||
# change, the RPM will require /bin/python, which is not provided by any package
|
||||
# on RHEL/RES 7.
|
||||
@ -821,7 +919,11 @@ popd
|
||||
cd doc && make html && rm _build/html/.buildinfo && rm _build/html/_images/proxy_minions.png && cd _build/html && chmod -R -x+X *
|
||||
%endif
|
||||
|
||||
%endif
|
||||
|
||||
%install
|
||||
%if "%{flavor}" != "testsuite"
|
||||
|
||||
mv _build.python3 build
|
||||
python3 setup.py --salt-transport=both install --prefix=%{_prefix} --root=%{buildroot}
|
||||
mv build _build.python3
|
||||
@ -869,6 +971,9 @@ install -Dd -m 0755 %{buildroot}%{_sysconfdir}/logrotate.d/
|
||||
# Install salt-support profiles
|
||||
install -Dpm 0644 salt/cli/support/profiles/* %{buildroot}%{python3_sitelib}/salt/cli/support/profiles
|
||||
|
||||
%endif
|
||||
|
||||
%if "%{flavor}" == "testsuite"
|
||||
# Install Salt tests
|
||||
install -Dd %{buildroot}%{python3_sitelib}/salt-testsuite
|
||||
cp -a tests %{buildroot}%{python3_sitelib}/salt-testsuite/
|
||||
@ -876,6 +981,9 @@ cp -a tests %{buildroot}%{python3_sitelib}/salt-testsuite/
|
||||
rm %{buildroot}%{python3_sitelib}/salt-testsuite/tests/runtests.py
|
||||
# Copy conf files to the testsuite as they are used by the tests
|
||||
cp -a conf %{buildroot}%{python3_sitelib}/salt-testsuite/
|
||||
%endif
|
||||
|
||||
%if "%{flavor}" != "testsuite"
|
||||
|
||||
## Install Zypper plugins only on SUSE machines
|
||||
%if 0%{?suse_version}
|
||||
@ -986,11 +1094,10 @@ install -Dpm 0640 conf/suse/standalone-formulas-configuration.conf %{buildroot}%
|
||||
%fdupes %{buildroot}%{python3_sitelib}
|
||||
%endif
|
||||
|
||||
%check
|
||||
%if %{with test}
|
||||
python3 setup.py test --runtests-opts=-u
|
||||
%endif
|
||||
|
||||
%if "%{flavor}" != "testsuite"
|
||||
|
||||
%pre
|
||||
S_HOME="/var/lib/salt"
|
||||
S_PHOME="/srv/salt"
|
||||
@ -1464,9 +1571,6 @@ rm -f %{_localstatedir}/cache/salt/minion/thin/version
|
||||
%doc doc/_build/html
|
||||
%endif
|
||||
|
||||
%files -n python3-salt-testsuite
|
||||
%{python3_sitelib}/salt-testsuite
|
||||
|
||||
%if %{with bash_completion}
|
||||
%files bash-completion
|
||||
%defattr(-,root,root)
|
||||
@ -1503,6 +1607,12 @@ rm -f %{_localstatedir}/cache/salt/minion/thin/version
|
||||
%defattr(-,root,root)
|
||||
%config(noreplace) %attr(0640, root, root) %{_sysconfdir}/salt/minion.d/transactional_update.conf
|
||||
|
||||
%endif
|
||||
|
||||
%if "%{flavor}" == "testsuite"
|
||||
%files -n python3-salt-testsuite
|
||||
%{python3_sitelib}/salt-testsuite
|
||||
%endif
|
||||
|
||||
%changelog
|
||||
|
||||
|
557
several-fixes-for-tests-to-avoid-errors-and-failures.patch
Normal file
557
several-fixes-for-tests-to-avoid-errors-and-failures.patch
Normal file
@ -0,0 +1,557 @@
|
||||
From 30fd274d606b565a0a63fbc7f2fd67aec3c495b1 Mon Sep 17 00:00:00 2001
|
||||
From: =?UTF-8?q?Pablo=20Su=C3=A1rez=20Hern=C3=A1ndez?=
|
||||
<psuarezhernandez@suse.com>
|
||||
Date: Mon, 27 May 2024 12:01:53 +0100
|
||||
Subject: [PATCH] Several fixes for tests to avoid errors and failures
|
||||
in some OSes
|
||||
|
||||
* test_pip_state: skip tests which requires virtualenv CLI
|
||||
|
||||
* test_syndic_eauth: skip when using an incompatible Docker version
|
||||
|
||||
* test_pip: skip tests which requires virtualenv CLI
|
||||
|
||||
* Some more extra fixes for tests
|
||||
|
||||
* Enhance paths to look for 'sftp-server'
|
||||
|
||||
* Do trigger errors on newer docker-py version
|
||||
|
||||
* Make test_search_not_found to not fail on transactional systems
|
||||
|
||||
* Add `@pytest.mark.flaky_jail` to `tests/pytests/integration/ssh/test_ssh_setup.py::test_setup`
|
||||
|
||||
Signed-off-by: Pedro Algarvio <palgarvio@vmware.com>
|
||||
|
||||
* Prevent crashing if mountpoint does not exist anymore
|
||||
|
||||
* Skip failing tests on transactional systems
|
||||
|
||||
* test_consul.py: do not produce error if consul is not available
|
||||
|
||||
* Redefine max retries for some flaky tests
|
||||
|
||||
* test_virt.py: skip as CI containers are not compatible with Salt 3006
|
||||
|
||||
* test_schema.py: Adjust expectations to newer jsonschema versions
|
||||
|
||||
* Apply suggestions from code review
|
||||
|
||||
Co-authored-by: Pedro Algarvio <pedro@algarvio.me>
|
||||
|
||||
---------
|
||||
|
||||
Signed-off-by: Pedro Algarvio <palgarvio@vmware.com>
|
||||
Co-authored-by: Pedro Algarvio <palgarvio@vmware.com>
|
||||
Co-authored-by: Pedro Algarvio <pedro@algarvio.me>
|
||||
---
|
||||
salt/modules/status.py | 11 +++---
|
||||
tests/conftest.py | 2 +
|
||||
tests/integration/modules/test_pip.py | 4 ++
|
||||
tests/pytests/functional/cache/test_consul.py | 4 ++
|
||||
tests/pytests/functional/modules/test_pip.py | 1 +
|
||||
.../functional/states/test_pip_state.py | 11 ++++++
|
||||
tests/pytests/functional/states/test_pkg.py | 4 ++
|
||||
.../integration/cli/test_syndic_eauth.py | 4 +-
|
||||
.../integration/daemons/test_memory_leak.py | 2 +-
|
||||
.../integration/modules/test_cmdmod.py | 1 +
|
||||
.../pytests/integration/modules/test_virt.py | 4 ++
|
||||
.../integration/ssh/test_pre_flight.py | 4 ++
|
||||
.../pytests/integration/ssh/test_ssh_setup.py | 1 +
|
||||
tests/pytests/scenarios/setup/test_man.py | 6 +++
|
||||
.../unit/modules/dockermod/test_module.py | 20 +++++-----
|
||||
tests/unit/modules/test_zypperpkg.py | 1 +
|
||||
tests/unit/utils/test_schema.py | 37 +++++++++++++++----
|
||||
17 files changed, 92 insertions(+), 25 deletions(-)
|
||||
|
||||
diff --git a/salt/modules/status.py b/salt/modules/status.py
|
||||
index 4b0a3b0d400..33e5d7b8df5 100644
|
||||
--- a/salt/modules/status.py
|
||||
+++ b/salt/modules/status.py
|
||||
@@ -1052,11 +1052,12 @@ def diskusage(*args):
|
||||
# query the filesystems disk usage
|
||||
ret = {}
|
||||
for path in selected:
|
||||
- fsstats = os.statvfs(path)
|
||||
- blksz = fsstats.f_bsize
|
||||
- available = fsstats.f_bavail * blksz
|
||||
- total = fsstats.f_blocks * blksz
|
||||
- ret[path] = {"available": available, "total": total}
|
||||
+ if os.path.exists(path):
|
||||
+ fsstats = os.statvfs(path)
|
||||
+ blksz = fsstats.f_bsize
|
||||
+ available = fsstats.f_bavail * blksz
|
||||
+ total = fsstats.f_blocks * blksz
|
||||
+ ret[path] = {"available": available, "total": total}
|
||||
return ret
|
||||
|
||||
|
||||
diff --git a/tests/conftest.py b/tests/conftest.py
|
||||
index a7777c2cea6..ad57b4adef4 100644
|
||||
--- a/tests/conftest.py
|
||||
+++ b/tests/conftest.py
|
||||
@@ -1428,6 +1428,8 @@ def sshd_server(salt_factories, sshd_config_dir, salt_master, grains):
|
||||
"/usr/libexec/openssh/sftp-server",
|
||||
# Arch Linux
|
||||
"/usr/lib/ssh/sftp-server",
|
||||
+ # openSUSE Tumbleweed and SL Micro 6.0
|
||||
+ "/usr/libexec/ssh/sftp-server",
|
||||
]
|
||||
sftp_server_path = None
|
||||
for path in sftp_server_paths:
|
||||
diff --git a/tests/integration/modules/test_pip.py b/tests/integration/modules/test_pip.py
|
||||
index 83457b467c8..d57e9cd2aea 100644
|
||||
--- a/tests/integration/modules/test_pip.py
|
||||
+++ b/tests/integration/modules/test_pip.py
|
||||
@@ -557,6 +557,10 @@ class PipModuleTest(ModuleCase):
|
||||
@pytest.mark.skip_initial_gh_actions_failure(
|
||||
reason="This was skipped on older golden images and is failing on newer."
|
||||
)
|
||||
+ @pytest.mark.skipif(
|
||||
+ bool(salt.utils.path.which("transactional-update")),
|
||||
+ reason="Skipping on transactional systems",
|
||||
+ )
|
||||
def test_system_pip3(self):
|
||||
|
||||
self.run_function(
|
||||
diff --git a/tests/pytests/functional/cache/test_consul.py b/tests/pytests/functional/cache/test_consul.py
|
||||
index 30dc6925f26..996a1e932b6 100644
|
||||
--- a/tests/pytests/functional/cache/test_consul.py
|
||||
+++ b/tests/pytests/functional/cache/test_consul.py
|
||||
@@ -11,6 +11,10 @@ import salt.loader
|
||||
from salt.utils.versions import Version
|
||||
from tests.pytests.functional.cache.helpers import run_common_cache_tests
|
||||
|
||||
+pytest.importorskip(
|
||||
+ "consul",
|
||||
+ reason="Please install python-consul package to use consul data cache driver",
|
||||
+)
|
||||
docker = pytest.importorskip("docker")
|
||||
|
||||
log = logging.getLogger(__name__)
|
||||
diff --git a/tests/pytests/functional/modules/test_pip.py b/tests/pytests/functional/modules/test_pip.py
|
||||
index 9b87735b68f..e04baa7c43f 100644
|
||||
--- a/tests/pytests/functional/modules/test_pip.py
|
||||
+++ b/tests/pytests/functional/modules/test_pip.py
|
||||
@@ -22,6 +22,7 @@ from tests.support.helpers import VirtualEnv
|
||||
)
|
||||
@pytest.mark.requires_network
|
||||
@pytest.mark.slow_test
|
||||
+@pytest.mark.skip_if_binaries_missing("virtualenv", reason="Needs virtualenv binary")
|
||||
def test_list_available_packages(modules, pip_version, tmp_path):
|
||||
with VirtualEnv(venv_dir=tmp_path, pip_requirement=pip_version) as virtualenv:
|
||||
virtualenv.install("-U", pip_version)
|
||||
diff --git a/tests/pytests/functional/states/test_pip_state.py b/tests/pytests/functional/states/test_pip_state.py
|
||||
index 3fc6ac7a1df..1921751b5dc 100644
|
||||
--- a/tests/pytests/functional/states/test_pip_state.py
|
||||
+++ b/tests/pytests/functional/states/test_pip_state.py
|
||||
@@ -94,6 +94,7 @@ def test_pip_installed_removed(modules, states):
|
||||
|
||||
|
||||
@pytest.mark.slow_test
|
||||
+@pytest.mark.skip_if_binaries_missing("virtualenv", reason="Needs virtualenv binary")
|
||||
def test_pip_installed_removed_venv(tmp_path, create_virtualenv, states):
|
||||
venv_dir = tmp_path / "pip_installed_removed"
|
||||
create_virtualenv(str(venv_dir))
|
||||
@@ -105,6 +106,7 @@ def test_pip_installed_removed_venv(tmp_path, create_virtualenv, states):
|
||||
|
||||
|
||||
@pytest.mark.slow_test
|
||||
+@pytest.mark.skip_if_binaries_missing("virtualenv", reason="Needs virtualenv binary")
|
||||
def test_pip_installed_errors(tmp_path, modules, state_tree):
|
||||
venv_dir = tmp_path / "pip-installed-errors"
|
||||
# Since we don't have the virtualenv created, pip.installed will
|
||||
@@ -141,6 +143,7 @@ pep8-pip:
|
||||
assert state_return.result is True
|
||||
|
||||
|
||||
+@pytest.mark.skip_if_binaries_missing("virtualenv", reason="Needs virtualenv binary")
|
||||
def test_pip_installed_name_test_mode(tmp_path, create_virtualenv, states):
|
||||
"""
|
||||
Test pip.installed state while test=true
|
||||
@@ -154,6 +157,7 @@ def test_pip_installed_name_test_mode(tmp_path, create_virtualenv, states):
|
||||
assert name in ret.comment
|
||||
|
||||
|
||||
+@pytest.mark.skip_if_binaries_missing("virtualenv", reason="Needs virtualenv binary")
|
||||
def test_pip_installed_pkgs_test_mode(tmp_path, create_virtualenv, states):
|
||||
"""
|
||||
Test pip.installed state while test=true
|
||||
@@ -168,6 +172,7 @@ def test_pip_installed_pkgs_test_mode(tmp_path, create_virtualenv, states):
|
||||
|
||||
|
||||
@pytest.mark.slow_test
|
||||
+@pytest.mark.skip_if_binaries_missing("virtualenv", reason="Needs virtualenv binary")
|
||||
def test_issue_2028_pip_installed_state(
|
||||
tmp_path, modules, state_tree, get_python_executable
|
||||
):
|
||||
@@ -226,6 +231,7 @@ pep8-pip:
|
||||
|
||||
|
||||
@pytest.mark.slow_test
|
||||
+@pytest.mark.skip_if_binaries_missing("virtualenv", reason="Needs virtualenv binary")
|
||||
def test_issue_2087_missing_pip(tmp_path, create_virtualenv, modules):
|
||||
venv_dir = tmp_path / "issue-2087-missing-pip"
|
||||
|
||||
@@ -271,6 +277,7 @@ pip.installed:
|
||||
@pytest.mark.destructive_test
|
||||
@pytest.mark.slow_test
|
||||
@pytest.mark.skip_if_not_root
|
||||
+@pytest.mark.skip_if_binaries_missing("virtualenv", reason="Needs virtualenv binary")
|
||||
def test_issue_6912_wrong_owner(tmp_path, create_virtualenv, modules, states):
|
||||
# Setup virtual environment directory to be used throughout the test
|
||||
venv_dir = tmp_path / "6912-wrong-owner"
|
||||
@@ -338,6 +345,7 @@ def test_issue_6912_wrong_owner(tmp_path, create_virtualenv, modules, states):
|
||||
@pytest.mark.skip_on_darwin(reason="Test is flaky on macosx")
|
||||
@pytest.mark.slow_test
|
||||
@pytest.mark.skip_if_not_root
|
||||
+@pytest.mark.skip_if_binaries_missing("virtualenv", reason="Needs virtualenv binary")
|
||||
def test_issue_6912_wrong_owner_requirements_file(
|
||||
tmp_path, create_virtualenv, state_tree, modules, states
|
||||
):
|
||||
@@ -409,6 +417,7 @@ def test_issue_6912_wrong_owner_requirements_file(
|
||||
|
||||
@pytest.mark.destructive_test
|
||||
@pytest.mark.slow_test
|
||||
+@pytest.mark.skip_if_binaries_missing("virtualenv", reason="Needs virtualenv binary")
|
||||
def test_issue_6833_pip_upgrade_pip(tmp_path, create_virtualenv, modules, states):
|
||||
# Create the testing virtualenv
|
||||
if sys.platform == "win32":
|
||||
@@ -465,6 +474,7 @@ def test_issue_6833_pip_upgrade_pip(tmp_path, create_virtualenv, modules, states
|
||||
|
||||
|
||||
@pytest.mark.slow_test
|
||||
+@pytest.mark.skip_if_binaries_missing("virtualenv", reason="Needs virtualenv binary")
|
||||
def test_pip_installed_specific_env(
|
||||
tmp_path, state_tree_prod, states, create_virtualenv
|
||||
):
|
||||
@@ -514,6 +524,7 @@ def test_pip_installed_specific_env(
|
||||
|
||||
|
||||
@pytest.mark.slow_test
|
||||
+@pytest.mark.skip_if_binaries_missing("virtualenv", reason="Needs virtualenv binary")
|
||||
def test_22359_pip_installed_unless_does_not_trigger_warnings(
|
||||
create_virtualenv, tmp_path, states
|
||||
):
|
||||
diff --git a/tests/pytests/functional/states/test_pkg.py b/tests/pytests/functional/states/test_pkg.py
|
||||
index 864c1d025f3..9e5a8350ad9 100644
|
||||
--- a/tests/pytests/functional/states/test_pkg.py
|
||||
+++ b/tests/pytests/functional/states/test_pkg.py
|
||||
@@ -19,6 +19,10 @@ pytestmark = [
|
||||
pytest.mark.slow_test,
|
||||
pytest.mark.skip_if_not_root,
|
||||
pytest.mark.destructive_test,
|
||||
+ pytest.mark.skipif(
|
||||
+ bool(salt.utils.path.which("transactional-update")),
|
||||
+ reason="Skipping on transactional systems",
|
||||
+ ),
|
||||
]
|
||||
|
||||
|
||||
diff --git a/tests/pytests/integration/cli/test_syndic_eauth.py b/tests/pytests/integration/cli/test_syndic_eauth.py
|
||||
index 218022b9e3c..8dcdd3fbd28 100644
|
||||
--- a/tests/pytests/integration/cli/test_syndic_eauth.py
|
||||
+++ b/tests/pytests/integration/cli/test_syndic_eauth.py
|
||||
@@ -6,7 +6,9 @@ import time
|
||||
|
||||
import pytest
|
||||
|
||||
-docker = pytest.importorskip("docker")
|
||||
+from tests.conftest import CODE_DIR
|
||||
+
|
||||
+docker = pytest.importorskip("docker", minversion="4.0.0")
|
||||
|
||||
INSIDE_CONTAINER = os.getenv("HOSTNAME", "") == "salt-test-container"
|
||||
|
||||
diff --git a/tests/pytests/integration/daemons/test_memory_leak.py b/tests/pytests/integration/daemons/test_memory_leak.py
|
||||
index 8157091c44e..f2c5307f1a5 100644
|
||||
--- a/tests/pytests/integration/daemons/test_memory_leak.py
|
||||
+++ b/tests/pytests/integration/daemons/test_memory_leak.py
|
||||
@@ -49,7 +49,7 @@ def file_add_delete_sls(testfile_path, base_env_state_tree_root_dir):
|
||||
|
||||
@pytest.mark.skip_on_darwin(reason="MacOS is a spawning platform, won't work")
|
||||
@pytest.mark.skipif(GITHUB_ACTIONS, reason="Test is failing in GitHub Actions")
|
||||
-@pytest.mark.flaky(max_runs=4)
|
||||
+@pytest.mark.flaky(max_runs=10)
|
||||
def test_memory_leak(salt_cli, salt_minion, file_add_delete_sls):
|
||||
max_usg = None
|
||||
|
||||
diff --git a/tests/pytests/integration/modules/test_cmdmod.py b/tests/pytests/integration/modules/test_cmdmod.py
|
||||
index d9c326c3f0a..d0b993ddbcf 100644
|
||||
--- a/tests/pytests/integration/modules/test_cmdmod.py
|
||||
+++ b/tests/pytests/integration/modules/test_cmdmod.py
|
||||
@@ -63,6 +63,7 @@ def test_avoid_injecting_shell_code_as_root(
|
||||
|
||||
|
||||
@pytest.mark.slow_test
|
||||
+@pytest.mark.flaky(max_runs=4)
|
||||
def test_blacklist_glob(salt_call_cli):
|
||||
"""
|
||||
cmd_blacklist_glob
|
||||
diff --git a/tests/pytests/integration/modules/test_virt.py b/tests/pytests/integration/modules/test_virt.py
|
||||
index 572923764bb..a1cd577fe76 100644
|
||||
--- a/tests/pytests/integration/modules/test_virt.py
|
||||
+++ b/tests/pytests/integration/modules/test_virt.py
|
||||
@@ -26,6 +26,10 @@ pytestmark = [
|
||||
Version(docker.__version__) < Version("4.0.0"),
|
||||
reason="Test does not work in this version of docker-py",
|
||||
),
|
||||
+ pytest.mark.skipif(
|
||||
+ salt.version.__saltstack_version__.major <= 3006,
|
||||
+ reason="CI containers are not compatible with this Salt version",
|
||||
+ ),
|
||||
]
|
||||
|
||||
|
||||
diff --git a/tests/pytests/integration/ssh/test_pre_flight.py b/tests/pytests/integration/ssh/test_pre_flight.py
|
||||
index 09c65d29430..ac32b8d90fd 100644
|
||||
--- a/tests/pytests/integration/ssh/test_pre_flight.py
|
||||
+++ b/tests/pytests/integration/ssh/test_pre_flight.py
|
||||
@@ -235,6 +235,10 @@ def demote(user_uid, user_gid):
|
||||
|
||||
|
||||
@pytest.mark.slow_test
|
||||
+@pytest.mark.skipif(
|
||||
+ bool(salt.utils.path.which("transactional-update")),
|
||||
+ reason="Skipping on transactional systems",
|
||||
+)
|
||||
def test_ssh_pre_flight_perms(salt_ssh_cli, caplog, _create_roster, account):
|
||||
"""
|
||||
Test to ensure standard user cannot run pre flight script
|
||||
diff --git a/tests/pytests/integration/ssh/test_ssh_setup.py b/tests/pytests/integration/ssh/test_ssh_setup.py
|
||||
index 97494bed36b..3b4cede85f8 100644
|
||||
--- a/tests/pytests/integration/ssh/test_ssh_setup.py
|
||||
+++ b/tests/pytests/integration/ssh/test_ssh_setup.py
|
||||
@@ -161,6 +161,7 @@ def salt_ssh_cli(
|
||||
)
|
||||
|
||||
|
||||
+@pytest.mark.flaky_jail
|
||||
def test_setup(salt_ssh_cli, ssh_container_name, ssh_sub_container_name, ssh_password):
|
||||
"""
|
||||
Test salt-ssh setup works
|
||||
diff --git a/tests/pytests/scenarios/setup/test_man.py b/tests/pytests/scenarios/setup/test_man.py
|
||||
index 28f0d6285a3..f10fe711f2d 100644
|
||||
--- a/tests/pytests/scenarios/setup/test_man.py
|
||||
+++ b/tests/pytests/scenarios/setup/test_man.py
|
||||
@@ -9,6 +9,9 @@ import pytest
|
||||
|
||||
import salt.utils.platform
|
||||
from salt.modules.virtualenv_mod import KNOWN_BINARY_NAMES
|
||||
+from tests.conftest import CODE_DIR
|
||||
+
|
||||
+MISSING_SETUP_PY_FILE = not CODE_DIR.joinpath("setup.py").exists()
|
||||
|
||||
pytestmark = [
|
||||
pytest.mark.core_test,
|
||||
@@ -16,6 +19,9 @@ pytestmark = [
|
||||
pytest.mark.skip_on_aix,
|
||||
pytest.mark.skip_initial_onedir_failure,
|
||||
pytest.mark.skip_if_binaries_missing(*KNOWN_BINARY_NAMES, check_all=False),
|
||||
+ pytest.mark.skipif(
|
||||
+ MISSING_SETUP_PY_FILE, reason="This test only work if setup.py is available"
|
||||
+ ),
|
||||
]
|
||||
|
||||
|
||||
diff --git a/tests/pytests/unit/modules/dockermod/test_module.py b/tests/pytests/unit/modules/dockermod/test_module.py
|
||||
index 1ac7dff52a5..a87d1add167 100644
|
||||
--- a/tests/pytests/unit/modules/dockermod/test_module.py
|
||||
+++ b/tests/pytests/unit/modules/dockermod/test_module.py
|
||||
@@ -357,7 +357,7 @@ def test_update_mine():
|
||||
|
||||
|
||||
@pytest.mark.skipif(
|
||||
- docker_mod.docker.version_info < (1, 5, 0),
|
||||
+ docker_mod._get_docker_py_versioninfo() < (1, 5, 0),
|
||||
reason="docker module must be installed to run this test or is too old. >=1.5.0",
|
||||
)
|
||||
def test_list_networks():
|
||||
@@ -381,7 +381,7 @@ def test_list_networks():
|
||||
|
||||
|
||||
@pytest.mark.skipif(
|
||||
- docker_mod.docker.version_info < (1, 5, 0),
|
||||
+ docker_mod._get_docker_py_versioninfo() < (1, 5, 0),
|
||||
reason="docker module must be installed to run this test or is too old. >=1.5.0",
|
||||
)
|
||||
def test_create_network():
|
||||
@@ -425,7 +425,7 @@ def test_create_network():
|
||||
|
||||
|
||||
@pytest.mark.skipif(
|
||||
- docker_mod.docker.version_info < (1, 5, 0),
|
||||
+ docker_mod._get_docker_py_versioninfo() < (1, 5, 0),
|
||||
reason="docker module must be installed to run this test or is too old. >=1.5.0",
|
||||
)
|
||||
def test_remove_network():
|
||||
@@ -447,7 +447,7 @@ def test_remove_network():
|
||||
|
||||
|
||||
@pytest.mark.skipif(
|
||||
- docker_mod.docker.version_info < (1, 5, 0),
|
||||
+ docker_mod._get_docker_py_versioninfo() < (1, 5, 0),
|
||||
reason="docker module must be installed to run this test or is too old. >=1.5.0",
|
||||
)
|
||||
def test_inspect_network():
|
||||
@@ -469,7 +469,7 @@ def test_inspect_network():
|
||||
|
||||
|
||||
@pytest.mark.skipif(
|
||||
- docker_mod.docker.version_info < (1, 5, 0),
|
||||
+ docker_mod._get_docker_py_versioninfo() < (1, 5, 0),
|
||||
reason="docker module must be installed to run this test or is too old. >=1.5.0",
|
||||
)
|
||||
def test_connect_container_to_network():
|
||||
@@ -494,7 +494,7 @@ def test_connect_container_to_network():
|
||||
|
||||
|
||||
@pytest.mark.skipif(
|
||||
- docker_mod.docker.version_info < (1, 5, 0),
|
||||
+ docker_mod._get_docker_py_versioninfo() < (1, 5, 0),
|
||||
reason="docker module must be installed to run this test or is too old. >=1.5.0",
|
||||
)
|
||||
def test_disconnect_container_from_network():
|
||||
@@ -516,7 +516,7 @@ def test_disconnect_container_from_network():
|
||||
|
||||
|
||||
@pytest.mark.skipif(
|
||||
- docker_mod.docker.version_info < (1, 5, 0),
|
||||
+ docker_mod._get_docker_py_versioninfo() < (1, 5, 0),
|
||||
reason="docker module must be installed to run this test or is too old. >=1.5.0",
|
||||
)
|
||||
def test_list_volumes():
|
||||
@@ -542,7 +542,7 @@ def test_list_volumes():
|
||||
|
||||
|
||||
@pytest.mark.skipif(
|
||||
- docker_mod.docker.version_info < (1, 5, 0),
|
||||
+ docker_mod._get_docker_py_versioninfo() < (1, 5, 0),
|
||||
reason="docker module must be installed to run this test or is too old. >=1.5.0",
|
||||
)
|
||||
def test_create_volume():
|
||||
@@ -572,7 +572,7 @@ def test_create_volume():
|
||||
|
||||
|
||||
@pytest.mark.skipif(
|
||||
- docker_mod.docker.version_info < (1, 5, 0),
|
||||
+ docker_mod._get_docker_py_versioninfo() < (1, 5, 0),
|
||||
reason="docker module must be installed to run this test or is too old. >=1.5.0",
|
||||
)
|
||||
def test_remove_volume():
|
||||
@@ -594,7 +594,7 @@ def test_remove_volume():
|
||||
|
||||
|
||||
@pytest.mark.skipif(
|
||||
- docker_mod.docker.version_info < (1, 5, 0),
|
||||
+ docker_mod._get_docker_py_versioninfo() < (1, 5, 0),
|
||||
reason="docker module must be installed to run this test or is too old. >=1.5.0",
|
||||
)
|
||||
def test_inspect_volume():
|
||||
diff --git a/tests/unit/modules/test_zypperpkg.py b/tests/unit/modules/test_zypperpkg.py
|
||||
index 6e5ca88895f..bd67b16745c 100644
|
||||
--- a/tests/unit/modules/test_zypperpkg.py
|
||||
+++ b/tests/unit/modules/test_zypperpkg.py
|
||||
@@ -2602,6 +2602,7 @@ pattern() = package-c"""
|
||||
zypp_mock.assert_called_with(root=None, ignore_not_found=True)
|
||||
xml_mock.nolock.noraise.xml.call.assert_called_with("search", "emacs")
|
||||
|
||||
+ @patch("salt.utils.files.is_fcntl_available", MagicMock(return_value=False))
|
||||
def test_search_not_found(self):
|
||||
"""Test zypperpkg.search()"""
|
||||
ret = {
|
||||
diff --git a/tests/unit/utils/test_schema.py b/tests/unit/utils/test_schema.py
|
||||
index 113c6836e07..a531dd93111 100644
|
||||
--- a/tests/unit/utils/test_schema.py
|
||||
+++ b/tests/unit/utils/test_schema.py
|
||||
@@ -531,7 +531,9 @@ class ConfigTestCase(TestCase):
|
||||
jsonschema.validate(
|
||||
{"personal_access_token": "foo"}, Requirements.serialize()
|
||||
)
|
||||
- if JSONSCHEMA_VERSION >= Version("3.0.0"):
|
||||
+ if JSONSCHEMA_VERSION >= Version("3.0.0") and JSONSCHEMA_VERSION < Version(
|
||||
+ "4.8.0"
|
||||
+ ):
|
||||
self.assertIn(
|
||||
"'ssh_key_file' is a required property", excinfo.exception.message
|
||||
)
|
||||
@@ -899,13 +901,20 @@ class ConfigTestCase(TestCase):
|
||||
except jsonschema.exceptions.ValidationError as exc:
|
||||
self.fail("ValidationError raised: {}".format(exc))
|
||||
|
||||
- with self.assertRaises(jsonschema.exceptions.ValidationError) as excinfo:
|
||||
+ if JSONSCHEMA_VERSION < Version("4.0.0"):
|
||||
+ with self.assertRaises(jsonschema.exceptions.ValidationError) as excinfo:
|
||||
+ jsonschema.validate(
|
||||
+ {"item": "3"},
|
||||
+ TestConf.serialize(),
|
||||
+ format_checker=jsonschema.FormatChecker(),
|
||||
+ )
|
||||
+ self.assertIn("is not a", excinfo.exception.message)
|
||||
+ else:
|
||||
jsonschema.validate(
|
||||
{"item": "3"},
|
||||
TestConf.serialize(),
|
||||
format_checker=jsonschema.FormatChecker(),
|
||||
)
|
||||
- self.assertIn("is not a", excinfo.exception.message)
|
||||
|
||||
def test_datetime_config(self):
|
||||
item = schema.DateTimeItem(title="Foo", description="Foo Item")
|
||||
@@ -1878,7 +1887,9 @@ class ConfigTestCase(TestCase):
|
||||
jsonschema.validate(
|
||||
{"item": {"sides": "4", "color": "blue"}}, TestConf.serialize()
|
||||
)
|
||||
- if JSONSCHEMA_VERSION >= Version("3.0.0"):
|
||||
+ if JSONSCHEMA_VERSION >= Version("3.0.0") and JSONSCHEMA_VERSION < Version(
|
||||
+ "4.8.0"
|
||||
+ ):
|
||||
self.assertIn("'4'", excinfo.exception.message)
|
||||
self.assertIn("is not of type", excinfo.exception.message)
|
||||
self.assertIn("'boolean'", excinfo.exception.message)
|
||||
@@ -2003,7 +2014,9 @@ class ConfigTestCase(TestCase):
|
||||
|
||||
with self.assertRaises(jsonschema.exceptions.ValidationError) as excinfo:
|
||||
jsonschema.validate({"item": ["maybe"]}, TestConf.serialize())
|
||||
- if JSONSCHEMA_VERSION >= Version("3.0.0"):
|
||||
+ if JSONSCHEMA_VERSION >= Version("3.0.0") and JSONSCHEMA_VERSION < Version(
|
||||
+ "4.8.0"
|
||||
+ ):
|
||||
self.assertIn("'maybe'", excinfo.exception.message)
|
||||
self.assertIn("is not one of", excinfo.exception.message)
|
||||
self.assertIn("'yes'", excinfo.exception.message)
|
||||
@@ -2067,7 +2080,9 @@ class ConfigTestCase(TestCase):
|
||||
|
||||
with self.assertRaises(jsonschema.exceptions.ValidationError) as excinfo:
|
||||
jsonschema.validate({"item": ["maybe"]}, TestConf.serialize())
|
||||
- if JSONSCHEMA_VERSION >= Version("3.0.0"):
|
||||
+ if JSONSCHEMA_VERSION >= Version("3.0.0") and JSONSCHEMA_VERSION < Version(
|
||||
+ "4.8.0"
|
||||
+ ):
|
||||
self.assertIn("'maybe'", excinfo.exception.message)
|
||||
self.assertIn("is not one of", excinfo.exception.message)
|
||||
self.assertIn("'yes'", excinfo.exception.message)
|
||||
@@ -2154,11 +2169,17 @@ class ConfigTestCase(TestCase):
|
||||
|
||||
with self.assertRaises(jsonschema.exceptions.ValidationError) as excinfo:
|
||||
jsonschema.validate({"item": [True]}, TestConf.serialize())
|
||||
- self.assertIn("is not allowed for", excinfo.exception.message)
|
||||
+ if JSONSCHEMA_VERSION >= Version("4.0.0"):
|
||||
+ self.assertIn("should not be valid under", excinfo.exception.message)
|
||||
+ else:
|
||||
+ self.assertIn("is not allowed for", excinfo.exception.message)
|
||||
|
||||
with self.assertRaises(jsonschema.exceptions.ValidationError) as excinfo:
|
||||
jsonschema.validate({"item": [False]}, TestConf.serialize())
|
||||
- self.assertIn("is not allowed for", excinfo.exception.message)
|
||||
+ if JSONSCHEMA_VERSION >= Version("4.0.0"):
|
||||
+ self.assertIn("should not be valid under", excinfo.exception.message)
|
||||
+ else:
|
||||
+ self.assertIn("is not allowed for", excinfo.exception.message)
|
||||
|
||||
def test_item_name_override_class_attrname(self):
|
||||
class TestConf(schema.Schema):
|
||||
--
|
||||
2.44.0
|
||||
|
||||
|
392
skip-certain-tests-if-necessary-and-mark-some-flaky-.patch
Normal file
392
skip-certain-tests-if-necessary-and-mark-some-flaky-.patch
Normal file
@ -0,0 +1,392 @@
|
||||
From c02adf9e721dbebf0b50f202d2e86723e5642514 Mon Sep 17 00:00:00 2001
|
||||
From: =?UTF-8?q?Pablo=20Su=C3=A1rez=20Hern=C3=A1ndez?=
|
||||
<psuarezhernandez@suse.com>
|
||||
Date: Wed, 12 Jun 2024 09:38:43 +0100
|
||||
Subject: [PATCH] Skip certain tests if necessary and mark some flaky
|
||||
ones (#657)
|
||||
|
||||
* Small alignments with upstream
|
||||
|
||||
* Skip tests if necessary and mark some flaky ones
|
||||
|
||||
* Add extra flaky test
|
||||
---
|
||||
tests/integration/modules/test_status.py | 1 +
|
||||
tests/pytests/functional/cache/test_consul.py | 7 +------
|
||||
tests/pytests/functional/cache/test_mysql.py | 6 +++---
|
||||
tests/pytests/functional/modules/state/test_state.py | 3 +++
|
||||
tests/pytests/functional/modules/test_pkg.py | 8 ++++++++
|
||||
.../pytests/functional/modules/test_virtualenv_mod.py | 5 +++++
|
||||
tests/pytests/functional/states/file/test_managed.py | 2 +-
|
||||
tests/pytests/functional/states/pkgrepo/test_suse.py | 10 ++++++++++
|
||||
.../functional/states/test_docker_container.py | 7 +++++++
|
||||
tests/pytests/functional/states/test_npm.py | 5 +++++
|
||||
tests/pytests/functional/states/test_pip_state.py | 4 ++++
|
||||
tests/pytests/functional/states/test_user.py | 11 ++++++++++-
|
||||
tests/pytests/integration/cli/test_syndic_eauth.py | 2 --
|
||||
tests/pytests/integration/daemons/test_memory_leak.py | 2 +-
|
||||
tests/support/pytest/mysql.py | 8 ++++++++
|
||||
15 files changed, 67 insertions(+), 14 deletions(-)
|
||||
|
||||
diff --git a/tests/integration/modules/test_status.py b/tests/integration/modules/test_status.py
|
||||
index 73ce4817e82..a7265672ebe 100644
|
||||
--- a/tests/integration/modules/test_status.py
|
||||
+++ b/tests/integration/modules/test_status.py
|
||||
@@ -44,6 +44,7 @@ class StatusModuleTest(ModuleCase):
|
||||
self.assertTrue(isinstance(ret, int))
|
||||
|
||||
@pytest.mark.slow_test
|
||||
+ @pytest.mark.flaky(max_runs=4)
|
||||
def test_status_diskusage(self):
|
||||
"""
|
||||
status.diskusage
|
||||
diff --git a/tests/pytests/functional/cache/test_consul.py b/tests/pytests/functional/cache/test_consul.py
|
||||
index 996a1e932b6..19ad6f4aae0 100644
|
||||
--- a/tests/pytests/functional/cache/test_consul.py
|
||||
+++ b/tests/pytests/functional/cache/test_consul.py
|
||||
@@ -8,14 +8,13 @@ from saltfactories.utils import random_string
|
||||
|
||||
import salt.cache
|
||||
import salt.loader
|
||||
-from salt.utils.versions import Version
|
||||
from tests.pytests.functional.cache.helpers import run_common_cache_tests
|
||||
|
||||
pytest.importorskip(
|
||||
"consul",
|
||||
reason="Please install python-consul package to use consul data cache driver",
|
||||
)
|
||||
-docker = pytest.importorskip("docker")
|
||||
+docker = pytest.importorskip("docker", minversion="4.0.0")
|
||||
|
||||
log = logging.getLogger(__name__)
|
||||
|
||||
@@ -25,10 +24,6 @@ pytestmark = [
|
||||
pytest.mark.slow_test,
|
||||
pytest.mark.skip_if_binaries_missing("dockerd"),
|
||||
pytest.mark.skipif(INSIDE_CONTAINER, reason="Cannot run in a container"),
|
||||
- pytest.mark.skipif(
|
||||
- Version(docker.__version__) < Version("4.0.0"),
|
||||
- reason="Test does not work in this version of docker-py",
|
||||
- ),
|
||||
]
|
||||
|
||||
|
||||
diff --git a/tests/pytests/functional/cache/test_mysql.py b/tests/pytests/functional/cache/test_mysql.py
|
||||
index 93c6c7c6f6f..6cf3cc49534 100644
|
||||
--- a/tests/pytests/functional/cache/test_mysql.py
|
||||
+++ b/tests/pytests/functional/cache/test_mysql.py
|
||||
@@ -5,11 +5,12 @@ import pytest
|
||||
|
||||
import salt.cache
|
||||
import salt.loader
|
||||
+import salt.modules.mysql
|
||||
from salt.utils.versions import Version
|
||||
from tests.pytests.functional.cache.helpers import run_common_cache_tests
|
||||
from tests.support.pytest.mysql import * # pylint: disable=wildcard-import,unused-wildcard-import
|
||||
|
||||
-docker = pytest.importorskip("docker")
|
||||
+pytest.importorskip("docker", minversion="4.0.0")
|
||||
|
||||
log = logging.getLogger(__name__)
|
||||
|
||||
@@ -20,8 +21,7 @@ pytestmark = [
|
||||
pytest.mark.skip_if_binaries_missing("dockerd"),
|
||||
pytest.mark.skipif(INSIDE_CONTAINER, reason="Cannot run in a container"),
|
||||
pytest.mark.skipif(
|
||||
- Version(docker.__version__) < Version("4.0.0"),
|
||||
- reason="Test does not work in this version of docker-py",
|
||||
+ not salt.modules.mysql.MySQLdb, reason="Missing python MySQLdb library"
|
||||
),
|
||||
]
|
||||
|
||||
diff --git a/tests/pytests/functional/modules/state/test_state.py b/tests/pytests/functional/modules/state/test_state.py
|
||||
index 7640afaa882..57aa53001ab 100644
|
||||
--- a/tests/pytests/functional/modules/state/test_state.py
|
||||
+++ b/tests/pytests/functional/modules/state/test_state.py
|
||||
@@ -714,6 +714,7 @@ def test_retry_option_success(state, state_tree, tmp_path):
|
||||
@pytest.mark.skip_on_windows(
|
||||
reason="Skipped until parallel states can be fixed on Windows"
|
||||
)
|
||||
+@pytest.mark.xfail(reason="This test is flaky")
|
||||
def test_retry_option_success_parallel(state, state_tree, tmp_path):
|
||||
"""
|
||||
test a state with the retry option that should return True immediately (i.e. no retries)
|
||||
@@ -753,6 +754,7 @@ def test_retry_option_success_parallel(state, state_tree, tmp_path):
|
||||
|
||||
|
||||
@pytest.mark.slow_test
|
||||
+@pytest.mark.xfail(reason="This test is flaky")
|
||||
def test_retry_option_eventual_success(state, state_tree, tmp_path):
|
||||
"""
|
||||
test a state with the retry option that should return True, eventually
|
||||
@@ -801,6 +803,7 @@ def test_retry_option_eventual_success(state, state_tree, tmp_path):
|
||||
reason="Skipped until parallel states can be fixed on Windows"
|
||||
)
|
||||
@pytest.mark.slow_test
|
||||
+@pytest.mark.xfail(reason="This test is flaky")
|
||||
def test_retry_option_eventual_success_parallel(state, state_tree, tmp_path):
|
||||
"""
|
||||
test a state with the retry option that should return True, eventually
|
||||
diff --git a/tests/pytests/functional/modules/test_pkg.py b/tests/pytests/functional/modules/test_pkg.py
|
||||
index 7cedd32bf6c..82d0801965d 100644
|
||||
--- a/tests/pytests/functional/modules/test_pkg.py
|
||||
+++ b/tests/pytests/functional/modules/test_pkg.py
|
||||
@@ -232,6 +232,10 @@ def test_which(modules):
|
||||
@pytest.mark.requires_salt_modules("pkg.version", "pkg.install", "pkg.remove")
|
||||
@pytest.mark.slow_test
|
||||
@pytest.mark.requires_network
|
||||
+@pytest.mark.skipif(
|
||||
+ bool(salt.utils.path.which("transactional-update")),
|
||||
+ reason="Skipping on transactional systems",
|
||||
+)
|
||||
def test_install_remove(modules, test_pkg, refresh_db):
|
||||
"""
|
||||
successfully install and uninstall a package
|
||||
@@ -272,6 +276,10 @@ def test_install_remove(modules, test_pkg, refresh_db):
|
||||
@pytest.mark.slow_test
|
||||
@pytest.mark.requires_network
|
||||
@pytest.mark.requires_salt_states("pkg.installed")
|
||||
+@pytest.mark.skipif(
|
||||
+ bool(salt.utils.path.which("transactional-update")),
|
||||
+ reason="Skipping on transactional systems",
|
||||
+)
|
||||
def test_hold_unhold(grains, modules, states, test_pkg, refresh_db):
|
||||
"""
|
||||
test holding and unholding a package
|
||||
diff --git a/tests/pytests/functional/modules/test_virtualenv_mod.py b/tests/pytests/functional/modules/test_virtualenv_mod.py
|
||||
index 7d8398e149b..2b6abf91e23 100644
|
||||
--- a/tests/pytests/functional/modules/test_virtualenv_mod.py
|
||||
+++ b/tests/pytests/functional/modules/test_virtualenv_mod.py
|
||||
@@ -2,6 +2,7 @@ import shutil
|
||||
|
||||
import pytest
|
||||
|
||||
+import salt.utils.path
|
||||
from salt.modules.virtualenv_mod import KNOWN_BINARY_NAMES
|
||||
|
||||
pytestmark = [
|
||||
@@ -63,6 +64,10 @@ def test_clear(virtualenv, venv_dir, modules):
|
||||
assert "pep8" not in packages
|
||||
|
||||
|
||||
+@pytest.mark.skipif(
|
||||
+ bool(salt.utils.path.which("transactional-update")),
|
||||
+ reason="Skipping on transactional systems",
|
||||
+)
|
||||
def test_virtualenv_ver(virtualenv, venv_dir):
|
||||
ret = virtualenv.create(str(venv_dir))
|
||||
assert ret
|
||||
diff --git a/tests/pytests/functional/states/file/test_managed.py b/tests/pytests/functional/states/file/test_managed.py
|
||||
index 9678fb63432..1b904c33543 100644
|
||||
--- a/tests/pytests/functional/states/file/test_managed.py
|
||||
+++ b/tests/pytests/functional/states/file/test_managed.py
|
||||
@@ -658,7 +658,6 @@ def test_issue_8947_utf8_sls(modules, tmp_path, state_tree, subtests):
|
||||
@pytest.mark.skip_if_not_root
|
||||
@pytest.mark.skip_on_windows(reason="Windows does not support setuid. Skipping.")
|
||||
def test_owner_after_setuid(file, modules, tmp_path, state_file_account):
|
||||
-
|
||||
"""
|
||||
Test to check file user/group after setting setuid or setgid.
|
||||
Because Python os.chown() does reset the setuid/setgid to 0.
|
||||
@@ -767,6 +766,7 @@ def test_file_managed_keep_source_false_http(
|
||||
|
||||
|
||||
@pytest.mark.parametrize("verify_ssl", [True, False])
|
||||
+@pytest.mark.flaky(max_runs=4)
|
||||
def test_verify_ssl_https_source(file, tmp_path, ssl_webserver, verify_ssl):
|
||||
"""
|
||||
test verify_ssl when its False and True when managing
|
||||
diff --git a/tests/pytests/functional/states/pkgrepo/test_suse.py b/tests/pytests/functional/states/pkgrepo/test_suse.py
|
||||
index 19ba928ce6e..3bafeedc941 100644
|
||||
--- a/tests/pytests/functional/states/pkgrepo/test_suse.py
|
||||
+++ b/tests/pytests/functional/states/pkgrepo/test_suse.py
|
||||
@@ -1,5 +1,7 @@
|
||||
import pytest
|
||||
|
||||
+import salt.utils.path
|
||||
+
|
||||
pytestmark = [
|
||||
pytest.mark.destructive_test,
|
||||
pytest.mark.skip_if_not_root,
|
||||
@@ -80,6 +82,10 @@ def suse_state_tree(grains, pkgrepo, state_tree):
|
||||
|
||||
|
||||
@pytest.mark.requires_salt_states("pkgrepo.managed", "pkgrepo.absent")
|
||||
+@pytest.mark.skipif(
|
||||
+ bool(salt.utils.path.which("transactional-update")),
|
||||
+ reason="Skipping on transactional systems",
|
||||
+)
|
||||
def test_pkgrepo_managed_absent(grains, modules, subtests, suse_state_tree):
|
||||
"""
|
||||
Test adding and removing a repository
|
||||
@@ -134,6 +140,10 @@ def test_pkgrepo_managed_absent(grains, modules, subtests, suse_state_tree):
|
||||
|
||||
|
||||
@pytest.mark.requires_salt_states("pkgrepo.managed")
|
||||
+@pytest.mark.skipif(
|
||||
+ bool(salt.utils.path.which("transactional-update")),
|
||||
+ reason="Skipping on transactional systems",
|
||||
+)
|
||||
def test_pkgrepo_managed_modify(grains, modules, subtests, suse_state_tree):
|
||||
"""
|
||||
Test adding and modifying a repository
|
||||
diff --git a/tests/pytests/functional/states/test_docker_container.py b/tests/pytests/functional/states/test_docker_container.py
|
||||
index 2267399891e..539a2acbf1a 100644
|
||||
--- a/tests/pytests/functional/states/test_docker_container.py
|
||||
+++ b/tests/pytests/functional/states/test_docker_container.py
|
||||
@@ -26,6 +26,7 @@ pytestmark = [
|
||||
pytest.mark.slow_test,
|
||||
pytest.mark.skip_on_freebsd(reason="No Docker on FreeBSD available"),
|
||||
pytest.mark.skip_if_binaries_missing("busybox", reason="Busybox not installed"),
|
||||
+ pytest.mark.skip_if_binaries_missing("ldd", reason="ldd is missing"),
|
||||
pytest.mark.skip_if_binaries_missing(
|
||||
"docker", "dockerd", reason="Docker not installed"
|
||||
),
|
||||
@@ -172,6 +173,12 @@ def image(tmp_path_factory):
|
||||
# Somehow the above skip_if_binaries_missing marker for docker
|
||||
# only get's evaluated after this fixture?!?
|
||||
pytest.skip("The `docker` binary is not available")
|
||||
+ if not salt.modules.cmdmod.retcode(
|
||||
+ "ldd {}".format(salt.utils.path.which("busybox"))
|
||||
+ ):
|
||||
+ pytest.skip(
|
||||
+ "`busybox` appears to be a dynamic executable, please use busybox-static"
|
||||
+ )
|
||||
container_build_dir = tmp_path_factory.mktemp("busybox")
|
||||
image_name = random_string("salt-busybox-", uppercase=False)
|
||||
|
||||
diff --git a/tests/pytests/functional/states/test_npm.py b/tests/pytests/functional/states/test_npm.py
|
||||
index 2899b7985a1..54db6042716 100644
|
||||
--- a/tests/pytests/functional/states/test_npm.py
|
||||
+++ b/tests/pytests/functional/states/test_npm.py
|
||||
@@ -3,6 +3,7 @@ import shutil
|
||||
|
||||
import pytest
|
||||
|
||||
+import salt.utils.path
|
||||
from salt.exceptions import CommandExecutionError
|
||||
from salt.utils.versions import Version
|
||||
|
||||
@@ -10,6 +11,10 @@ pytestmark = [
|
||||
pytest.mark.slow_test,
|
||||
pytest.mark.destructive_test,
|
||||
pytest.mark.requires_network,
|
||||
+ pytest.mark.skipif(
|
||||
+ bool(salt.utils.path.which("transactional-update")),
|
||||
+ reason="Skipping on transactional systems",
|
||||
+ ),
|
||||
]
|
||||
|
||||
MAX_NPM_VERSION = "5.0.0"
|
||||
diff --git a/tests/pytests/functional/states/test_pip_state.py b/tests/pytests/functional/states/test_pip_state.py
|
||||
index 1921751b5dc..1f2080f1f86 100644
|
||||
--- a/tests/pytests/functional/states/test_pip_state.py
|
||||
+++ b/tests/pytests/functional/states/test_pip_state.py
|
||||
@@ -80,6 +80,10 @@ def create_virtualenv(modules):
|
||||
|
||||
|
||||
@pytest.mark.slow_test
|
||||
+@pytest.mark.skipif(
|
||||
+ bool(salt.utils.path.which("transactional-update")),
|
||||
+ reason="Skipping on transactional systems",
|
||||
+)
|
||||
def test_pip_installed_removed(modules, states):
|
||||
"""
|
||||
Tests installed and removed states
|
||||
diff --git a/tests/pytests/functional/states/test_user.py b/tests/pytests/functional/states/test_user.py
|
||||
index 96b1ec55c88..5eac093ef44 100644
|
||||
--- a/tests/pytests/functional/states/test_user.py
|
||||
+++ b/tests/pytests/functional/states/test_user.py
|
||||
@@ -13,6 +13,7 @@ import pytest
|
||||
from saltfactories.utils import random_string
|
||||
|
||||
import salt.utils.files
|
||||
+import salt.utils.path
|
||||
import salt.utils.platform
|
||||
|
||||
try:
|
||||
@@ -137,7 +138,7 @@ def test_user_present_nondefault(grains, modules, states, username, user_home):
|
||||
if not salt.utils.platform.is_darwin() and not salt.utils.platform.is_windows():
|
||||
assert user_home.is_dir()
|
||||
|
||||
- if grains["os_family"] in ("Suse",):
|
||||
+ if grains["os_family"] in ("Suse",) and not grains.get("transactional", False):
|
||||
expected_group_name = "users"
|
||||
elif grains["os_family"] == "MacOS":
|
||||
expected_group_name = "staff"
|
||||
@@ -380,6 +381,10 @@ def test_user_present_existing(states, username):
|
||||
|
||||
|
||||
@pytest.mark.skip_unless_on_linux(reason="underlying functionality only runs on Linux")
|
||||
+@pytest.mark.skipif(
|
||||
+ bool(salt.utils.path.which("transactional-update")),
|
||||
+ reason="Skipping on transactional systems",
|
||||
+)
|
||||
def test_user_present_change_groups(modules, states, username, group_1, group_2):
|
||||
ret = states.user.present(
|
||||
name=username,
|
||||
@@ -404,6 +409,10 @@ def test_user_present_change_groups(modules, states, username, group_1, group_2)
|
||||
|
||||
|
||||
@pytest.mark.skip_unless_on_linux(reason="underlying functionality only runs on Linux")
|
||||
+@pytest.mark.skipif(
|
||||
+ bool(salt.utils.path.which("transactional-update")),
|
||||
+ reason="Skipping on transactional systems",
|
||||
+)
|
||||
def test_user_present_change_optional_groups(
|
||||
modules, states, username, group_1, group_2
|
||||
):
|
||||
diff --git a/tests/pytests/integration/cli/test_syndic_eauth.py b/tests/pytests/integration/cli/test_syndic_eauth.py
|
||||
index 8dcdd3fbd28..dde4c25bc91 100644
|
||||
--- a/tests/pytests/integration/cli/test_syndic_eauth.py
|
||||
+++ b/tests/pytests/integration/cli/test_syndic_eauth.py
|
||||
@@ -6,8 +6,6 @@ import time
|
||||
|
||||
import pytest
|
||||
|
||||
-from tests.conftest import CODE_DIR
|
||||
-
|
||||
docker = pytest.importorskip("docker", minversion="4.0.0")
|
||||
|
||||
INSIDE_CONTAINER = os.getenv("HOSTNAME", "") == "salt-test-container"
|
||||
diff --git a/tests/pytests/integration/daemons/test_memory_leak.py b/tests/pytests/integration/daemons/test_memory_leak.py
|
||||
index f2c5307f1a5..869ce72f588 100644
|
||||
--- a/tests/pytests/integration/daemons/test_memory_leak.py
|
||||
+++ b/tests/pytests/integration/daemons/test_memory_leak.py
|
||||
@@ -49,7 +49,7 @@ def file_add_delete_sls(testfile_path, base_env_state_tree_root_dir):
|
||||
|
||||
@pytest.mark.skip_on_darwin(reason="MacOS is a spawning platform, won't work")
|
||||
@pytest.mark.skipif(GITHUB_ACTIONS, reason="Test is failing in GitHub Actions")
|
||||
-@pytest.mark.flaky(max_runs=10)
|
||||
+@pytest.mark.xfail(reason="This test is flaky")
|
||||
def test_memory_leak(salt_cli, salt_minion, file_add_delete_sls):
|
||||
max_usg = None
|
||||
|
||||
diff --git a/tests/support/pytest/mysql.py b/tests/support/pytest/mysql.py
|
||||
index 218c38686e7..6195d53d212 100644
|
||||
--- a/tests/support/pytest/mysql.py
|
||||
+++ b/tests/support/pytest/mysql.py
|
||||
@@ -5,11 +5,19 @@ import attr
|
||||
import pytest
|
||||
from saltfactories.utils import random_string
|
||||
|
||||
+import salt.modules.mysql
|
||||
+
|
||||
# This `pytest.importorskip` here actually works because this module
|
||||
# is imported into test modules, otherwise, the skipping would just fail
|
||||
pytest.importorskip("docker")
|
||||
import docker.errors # isort:skip pylint: disable=3rd-party-module-not-gated
|
||||
|
||||
+pytestmark = [
|
||||
+ pytest.mark.skipif(
|
||||
+ not salt.modules.mysql.MySQLdb, reason="Missing python MySQLdb library"
|
||||
+ )
|
||||
+]
|
||||
+
|
||||
log = logging.getLogger(__name__)
|
||||
|
||||
|
||||
--
|
||||
2.44.0
|
||||
|
||||
|
117
skip-tests-for-unsupported-algorithm-on-old-openssl-.patch
Normal file
117
skip-tests-for-unsupported-algorithm-on-old-openssl-.patch
Normal file
@ -0,0 +1,117 @@
|
||||
From d64311862c8cfdd7728aca504a22822df1b043c1 Mon Sep 17 00:00:00 2001
|
||||
From: Victor Zhestkov <vzhestkov@suse.com>
|
||||
Date: Wed, 15 May 2024 09:48:39 +0200
|
||||
Subject: [PATCH] Skip tests for unsupported algorithm on old OpenSSL
|
||||
version
|
||||
|
||||
---
|
||||
.../functional/modules/test_x509_v2.py | 51 +++++++++++++------
|
||||
1 file changed, 35 insertions(+), 16 deletions(-)
|
||||
|
||||
diff --git a/tests/pytests/functional/modules/test_x509_v2.py b/tests/pytests/functional/modules/test_x509_v2.py
|
||||
index 8da31bed9d..c060ad2971 100644
|
||||
--- a/tests/pytests/functional/modules/test_x509_v2.py
|
||||
+++ b/tests/pytests/functional/modules/test_x509_v2.py
|
||||
@@ -9,6 +9,7 @@ from salt.utils.odict import OrderedDict
|
||||
try:
|
||||
import cryptography
|
||||
import cryptography.x509 as cx509
|
||||
+ from cryptography.exceptions import UnsupportedAlgorithm
|
||||
from cryptography.hazmat.primitives import hashes
|
||||
from cryptography.hazmat.primitives.serialization import (
|
||||
load_pem_private_key,
|
||||
@@ -678,7 +679,10 @@ def crl_revoked():
|
||||
@pytest.mark.parametrize("algo", ["rsa", "ec", "ed25519", "ed448"])
|
||||
def test_create_certificate_self_signed(x509, algo, request):
|
||||
privkey = request.getfixturevalue(f"{algo}_privkey")
|
||||
- res = x509.create_certificate(signing_private_key=privkey, CN="success")
|
||||
+ try:
|
||||
+ res = x509.create_certificate(signing_private_key=privkey, CN="success")
|
||||
+ except UnsupportedAlgorithm:
|
||||
+ pytest.skip(f"Algorithm '{algo}' is not supported on this OpenSSL version")
|
||||
assert res.startswith("-----BEGIN CERTIFICATE-----")
|
||||
cert = _get_cert(res)
|
||||
assert cert.subject.rfc4514_string() == "CN=success"
|
||||
@@ -743,12 +747,15 @@ def test_create_certificate_raw(x509, rsa_privkey):
|
||||
@pytest.mark.parametrize("algo", ["rsa", "ec", "ed25519", "ed448"])
|
||||
def test_create_certificate_from_privkey(x509, ca_key, ca_cert, algo, request):
|
||||
privkey = request.getfixturevalue(f"{algo}_privkey")
|
||||
- res = x509.create_certificate(
|
||||
- signing_cert=ca_cert,
|
||||
- signing_private_key=ca_key,
|
||||
- private_key=privkey,
|
||||
- CN="success",
|
||||
- )
|
||||
+ try:
|
||||
+ res = x509.create_certificate(
|
||||
+ signing_cert=ca_cert,
|
||||
+ signing_private_key=ca_key,
|
||||
+ private_key=privkey,
|
||||
+ CN="success",
|
||||
+ )
|
||||
+ except UnsupportedAlgorithm:
|
||||
+ pytest.skip(f"Algorithm '{algo}' is not supported on this OpenSSL version")
|
||||
assert res.startswith("-----BEGIN CERTIFICATE-----")
|
||||
cert = _get_cert(res)
|
||||
assert cert.subject.rfc4514_string() == "CN=success"
|
||||
@@ -788,12 +795,15 @@ def test_create_certificate_from_encrypted_privkey_with_encrypted_privkey(
|
||||
@pytest.mark.parametrize("algo", ["rsa", "ec", "ed25519", "ed448"])
|
||||
def test_create_certificate_from_pubkey(x509, ca_key, ca_cert, algo, request):
|
||||
pubkey = request.getfixturevalue(f"{algo}_pubkey")
|
||||
- res = x509.create_certificate(
|
||||
- signing_cert=ca_cert,
|
||||
- signing_private_key=ca_key,
|
||||
- public_key=pubkey,
|
||||
- CN="success",
|
||||
- )
|
||||
+ try:
|
||||
+ res = x509.create_certificate(
|
||||
+ signing_cert=ca_cert,
|
||||
+ signing_private_key=ca_key,
|
||||
+ public_key=pubkey,
|
||||
+ CN="success",
|
||||
+ )
|
||||
+ except UnsupportedAlgorithm:
|
||||
+ pytest.skip(f"Algorithm '{algo}' is not supported on this OpenSSL version")
|
||||
assert res.startswith("-----BEGIN CERTIFICATE-----")
|
||||
cert = _get_cert(res)
|
||||
assert cert.subject.rfc4514_string() == "CN=success"
|
||||
@@ -1329,7 +1339,10 @@ def test_create_crl_raw(x509, crl_args):
|
||||
@pytest.mark.parametrize("algo", ["rsa", "ec", "ed25519", "ed448"])
|
||||
def test_create_csr(x509, algo, request):
|
||||
privkey = request.getfixturevalue(f"{algo}_privkey")
|
||||
- res = x509.create_csr(private_key=privkey)
|
||||
+ try:
|
||||
+ res = x509.create_csr(private_key=privkey)
|
||||
+ except UnsupportedAlgorithm:
|
||||
+ pytest.skip(f"Algorithm '{algo}' is not supported on this OpenSSL version")
|
||||
assert res.startswith("-----BEGIN CERTIFICATE REQUEST-----")
|
||||
|
||||
|
||||
@@ -1444,7 +1457,10 @@ def test_create_private_key_raw(x509):
|
||||
)
|
||||
def test_get_private_key_size(x509, algo, expected, request):
|
||||
privkey = request.getfixturevalue(f"{algo}_privkey")
|
||||
- res = x509.get_private_key_size(privkey)
|
||||
+ try:
|
||||
+ res = x509.get_private_key_size(privkey)
|
||||
+ except UnsupportedAlgorithm:
|
||||
+ pytest.skip(f"Algorithm '{algo}' is not supported on this OpenSSL version")
|
||||
assert res == expected
|
||||
|
||||
|
||||
@@ -1588,7 +1604,10 @@ def test_verify_private_key(x509, ca_key, ca_cert):
|
||||
@pytest.mark.parametrize("algo", ["rsa", "ec", "ed25519", "ed448"])
|
||||
def test_verify_signature(x509, algo, request):
|
||||
wrong_privkey = request.getfixturevalue(f"{algo}_privkey")
|
||||
- privkey = x509.create_private_key(algo=algo)
|
||||
+ try:
|
||||
+ privkey = x509.create_private_key(algo=algo)
|
||||
+ except UnsupportedAlgorithm:
|
||||
+ pytest.skip(f"Algorithm '{algo}' is not supported on this OpenSSL version")
|
||||
cert = x509.create_certificate(signing_private_key=privkey)
|
||||
assert x509.verify_signature(cert, privkey)
|
||||
assert not x509.verify_signature(cert, wrong_privkey)
|
||||
--
|
||||
2.45.0
|
||||
|
152
some-more-small-tests-fixes-enhancements-661.patch
Normal file
152
some-more-small-tests-fixes-enhancements-661.patch
Normal file
@ -0,0 +1,152 @@
|
||||
From e4333e2000b3ee92c1df7f9af57133706b48ca66 Mon Sep 17 00:00:00 2001
|
||||
From: =?UTF-8?q?Pablo=20Su=C3=A1rez=20Hern=C3=A1ndez?=
|
||||
<psuarezhernandez@suse.com>
|
||||
Date: Mon, 8 Jul 2024 16:58:28 +0100
|
||||
Subject: [PATCH] Some more small tests fixes/enhancements (#661)
|
||||
|
||||
* test_system: prevent errors when systemd-timesyncd service is masked
|
||||
|
||||
* test_custom_module: disable tests when running on Salt Bundle
|
||||
|
||||
* Fix debian 12 package tests
|
||||
|
||||
* pam: use sys.executable in case /usr/bin/python3 does not exist
|
||||
|
||||
* pam: add unit test to ensure sys.executable is used
|
||||
|
||||
* Use proper method to calculate the path to Python interpreter
|
||||
|
||||
---------
|
||||
|
||||
Co-authored-by: Megan Wilhite <mwilhite@vmware.com>
|
||||
---
|
||||
salt/auth/pam.py | 19 ++++++++++++++++++-
|
||||
tests/integration/cli/test_custom_module.py | 6 ++++++
|
||||
.../pytests/functional/modules/test_system.py | 4 +++-
|
||||
.../functional/states/pkgrepo/test_debian.py | 4 ++++
|
||||
tests/pytests/unit/auth/test_pam.py | 19 +++++++++++++++++++
|
||||
5 files changed, 50 insertions(+), 2 deletions(-)
|
||||
|
||||
diff --git a/salt/auth/pam.py b/salt/auth/pam.py
|
||||
index 12af29bbdb8..25e080861b7 100644
|
||||
--- a/salt/auth/pam.py
|
||||
+++ b/salt/auth/pam.py
|
||||
@@ -223,12 +223,29 @@ def authenticate(username, password):
|
||||
|
||||
``password``: the password in plain text
|
||||
"""
|
||||
+
|
||||
+ def __find_pyexe():
|
||||
+ """
|
||||
+ Provides the path to the Python interpreter to use.
|
||||
+
|
||||
+ First option: the system's Python 3 interpreter
|
||||
+ If not found, it fallback to use the running Python interpreter (sys.executable)
|
||||
+
|
||||
+ This can be overwritten via "auth.pam.python" configuration parameter.
|
||||
+ """
|
||||
+ if __opts__.get("auth.pam.python"):
|
||||
+ return __opts__.get("auth.pam.python")
|
||||
+ elif os.path.exists("/usr/bin/python3"):
|
||||
+ return "/usr/bin/python3"
|
||||
+ else:
|
||||
+ return sys.executable
|
||||
+
|
||||
env = os.environ.copy()
|
||||
env["SALT_PAM_USERNAME"] = username
|
||||
env["SALT_PAM_PASSWORD"] = password
|
||||
env["SALT_PAM_SERVICE"] = __opts__.get("auth.pam.service", "login")
|
||||
env["SALT_PAM_ENCODING"] = __salt_system_encoding__
|
||||
- pyexe = pathlib.Path(__opts__.get("auth.pam.python", "/usr/bin/python3")).resolve()
|
||||
+ pyexe = pathlib.Path(__find_pyexe()).resolve()
|
||||
pyfile = pathlib.Path(__file__).resolve()
|
||||
if not pyexe.exists():
|
||||
log.error("Error 'auth.pam.python' config value does not exist: %s", pyexe)
|
||||
diff --git a/tests/integration/cli/test_custom_module.py b/tests/integration/cli/test_custom_module.py
|
||||
index 6c048e30cd2..a4863b584f8 100644
|
||||
--- a/tests/integration/cli/test_custom_module.py
|
||||
+++ b/tests/integration/cli/test_custom_module.py
|
||||
@@ -29,12 +29,18 @@
|
||||
olleh
|
||||
"""
|
||||
|
||||
+import sys
|
||||
+
|
||||
import pytest
|
||||
|
||||
from tests.support.case import SSHCase
|
||||
|
||||
|
||||
@pytest.mark.skip_on_windows
|
||||
+@pytest.mark.skipif(
|
||||
+ "venv-salt-minion" in sys.executable,
|
||||
+ reason="Skipping for Salt Bundle (tests are not compatible)",
|
||||
+)
|
||||
class SSHCustomModuleTest(SSHCase):
|
||||
"""
|
||||
Test sls with custom module functionality using ssh
|
||||
diff --git a/tests/pytests/functional/modules/test_system.py b/tests/pytests/functional/modules/test_system.py
|
||||
index 3b669c46afd..2cd03a3a3e4 100644
|
||||
--- a/tests/pytests/functional/modules/test_system.py
|
||||
+++ b/tests/pytests/functional/modules/test_system.py
|
||||
@@ -61,7 +61,9 @@ def setup_teardown_vars(file, service, system):
|
||||
_machine_info = False
|
||||
|
||||
try:
|
||||
- _systemd_timesyncd_available_ = service.available("systemd-timesyncd")
|
||||
+ _systemd_timesyncd_available_ = service.available(
|
||||
+ "systemd-timesyncd"
|
||||
+ ) and not service.masked("systemd-timesyncd")
|
||||
if _systemd_timesyncd_available_:
|
||||
res = service.stop("systemd-timesyncd")
|
||||
assert res
|
||||
diff --git a/tests/pytests/functional/states/pkgrepo/test_debian.py b/tests/pytests/functional/states/pkgrepo/test_debian.py
|
||||
index d025643aa4c..87716706d5e 100644
|
||||
--- a/tests/pytests/functional/states/pkgrepo/test_debian.py
|
||||
+++ b/tests/pytests/functional/states/pkgrepo/test_debian.py
|
||||
@@ -622,6 +622,10 @@ class Repo:
|
||||
if (
|
||||
self.grains["osfullname"] == "Ubuntu"
|
||||
and self.grains["osrelease"] == "22.04"
|
||||
+ or "Debian" in self.grains["osfullname"]
|
||||
+ and self.grains["osrelease"] == "12"
|
||||
+ # only need to use alt repo until
|
||||
+ # we release Debian 12 salt packages
|
||||
):
|
||||
return True
|
||||
return False
|
||||
diff --git a/tests/pytests/unit/auth/test_pam.py b/tests/pytests/unit/auth/test_pam.py
|
||||
index 22c7f438d63..35f599e3d17 100644
|
||||
--- a/tests/pytests/unit/auth/test_pam.py
|
||||
+++ b/tests/pytests/unit/auth/test_pam.py
|
||||
@@ -1,3 +1,5 @@
|
||||
+import tempfile
|
||||
+
|
||||
import pytest
|
||||
|
||||
import salt.auth.pam
|
||||
@@ -45,3 +47,20 @@ def test_if_pam_acct_mgmt_returns_zero_authenticate_should_be_true(mock_pam):
|
||||
)
|
||||
is True
|
||||
)
|
||||
+
|
||||
+
|
||||
+def test_if_sys_executable_is_used_to_call_pam_auth(mock_pam):
|
||||
+ class Ret:
|
||||
+ returncode = 0
|
||||
+
|
||||
+ with patch(
|
||||
+ "salt.auth.pam.subprocess.run", return_value=Ret
|
||||
+ ) as run_mock, tempfile.NamedTemporaryFile() as f, patch(
|
||||
+ "salt.auth.pam.sys.executable", f.name
|
||||
+ ), patch(
|
||||
+ "os.path.exists", return_value=False
|
||||
+ ):
|
||||
+ assert salt.auth.pam.auth(
|
||||
+ username="fnord", password="fnord", service="login", encoding="utf-8"
|
||||
+ )
|
||||
+ assert f.name in run_mock.call_args_list[0][0][0]
|
||||
--
|
||||
2.45.2
|
||||
|
||||
|
64
speed-up-salt.matcher.confirm_top-by-using-__context.patch
Normal file
64
speed-up-salt.matcher.confirm_top-by-using-__context.patch
Normal file
@ -0,0 +1,64 @@
|
||||
From a7e578b96d0e7ad8fdf4e5d62416ba6961b82315 Mon Sep 17 00:00:00 2001
|
||||
From: Victor Zhestkov <vzhestkov@suse.com>
|
||||
Date: Wed, 15 May 2024 11:50:52 +0200
|
||||
Subject: [PATCH] Speed up salt.matcher.confirm_top by using
|
||||
__context__
|
||||
|
||||
* Speed up salt.matcher.confirm_top by using __context__
|
||||
|
||||
* Add test for getting matchers from __context__ in matchers.confirm_top
|
||||
---
|
||||
salt/matchers/confirm_top.py | 6 +++++-
|
||||
tests/pytests/unit/matchers/test_confirm_top.py | 15 +++++++++++++++
|
||||
2 files changed, 20 insertions(+), 1 deletion(-)
|
||||
|
||||
diff --git a/salt/matchers/confirm_top.py b/salt/matchers/confirm_top.py
|
||||
index 7435f4ae94..d2edc99d8f 100644
|
||||
--- a/salt/matchers/confirm_top.py
|
||||
+++ b/salt/matchers/confirm_top.py
|
||||
@@ -21,7 +21,11 @@ def confirm_top(match, data, nodegroups=None):
|
||||
if "match" in item:
|
||||
matcher = item["match"]
|
||||
|
||||
- matchers = salt.loader.matchers(__opts__)
|
||||
+ if "matchers" in __context__:
|
||||
+ matchers = __context__["matchers"]
|
||||
+ else:
|
||||
+ matchers = salt.loader.matchers(__opts__)
|
||||
+ __context__["matchers"] = matchers
|
||||
funcname = matcher + "_match.match"
|
||||
if matcher == "nodegroup":
|
||||
return matchers[funcname](match, nodegroups)
|
||||
diff --git a/tests/pytests/unit/matchers/test_confirm_top.py b/tests/pytests/unit/matchers/test_confirm_top.py
|
||||
index 514df323b6..f439fcf94a 100644
|
||||
--- a/tests/pytests/unit/matchers/test_confirm_top.py
|
||||
+++ b/tests/pytests/unit/matchers/test_confirm_top.py
|
||||
@@ -2,6 +2,7 @@ import pytest
|
||||
|
||||
import salt.config
|
||||
import salt.loader
|
||||
+from tests.support.mock import patch
|
||||
|
||||
|
||||
@pytest.fixture
|
||||
@@ -12,3 +13,17 @@ def matchers(minion_opts):
|
||||
def test_sanity(matchers):
|
||||
match = matchers["confirm_top.confirm_top"]
|
||||
assert match("*", []) is True
|
||||
+
|
||||
+
|
||||
+@pytest.mark.parametrize("in_context", [False, True])
|
||||
+def test_matchers_from_context(matchers, in_context):
|
||||
+ match = matchers["confirm_top.confirm_top"]
|
||||
+ with patch.dict(
|
||||
+ matchers.pack["__context__"], {"matchers": matchers} if in_context else {}
|
||||
+ ), patch("salt.loader.matchers", return_value=matchers) as loader_matchers:
|
||||
+ assert match("*", []) is True
|
||||
+ assert id(matchers.pack["__context__"]["matchers"]) == id(matchers)
|
||||
+ if in_context:
|
||||
+ loader_matchers.assert_not_called()
|
||||
+ else:
|
||||
+ loader_matchers.assert_called_once()
|
||||
--
|
||||
2.45.0
|
||||
|
80
switch-oscap-encoding-to-utf-8-639.patch
Normal file
80
switch-oscap-encoding-to-utf-8-639.patch
Normal file
@ -0,0 +1,80 @@
|
||||
From 4ec5c8bdb8aecac6752c639f494b86c7f8f57ba2 Mon Sep 17 00:00:00 2001
|
||||
From: Marek Czernek <marek.czernek@suse.com>
|
||||
Date: Tue, 26 Mar 2024 09:20:30 +0100
|
||||
Subject: [PATCH] Switch oscap encoding to utf-8 (#639)
|
||||
|
||||
---
|
||||
salt/modules/openscap.py | 7 ++++---
|
||||
tests/unit/modules/test_openscap.py | 8 ++++----
|
||||
2 files changed, 8 insertions(+), 7 deletions(-)
|
||||
|
||||
diff --git a/salt/modules/openscap.py b/salt/modules/openscap.py
|
||||
index 89712ae722b..7322c667dcc 100644
|
||||
--- a/salt/modules/openscap.py
|
||||
+++ b/salt/modules/openscap.py
|
||||
@@ -153,7 +153,7 @@ def xccdf_eval(xccdffile, ovalfiles=None, **kwargs):
|
||||
tempdir = tempfile.mkdtemp()
|
||||
proc = Popen(cmd_opts, stdout=PIPE, stderr=PIPE, cwd=tempdir)
|
||||
(_, error) = proc.communicate()
|
||||
- error = error.decode('ascii', errors='ignore')
|
||||
+ error = error.decode('utf-8', errors='surogateescape')
|
||||
success = _OSCAP_EXIT_CODES_MAP.get(proc.returncode, False)
|
||||
if proc.returncode < 0:
|
||||
error += "\nKilled by signal {}\n".format(proc.returncode)
|
||||
@@ -204,10 +204,11 @@ def xccdf(params):
|
||||
cmd = _XCCDF_MAP[action]["cmd_pattern"].format(args.profile, policy)
|
||||
tempdir = tempfile.mkdtemp()
|
||||
proc = Popen(shlex.split(cmd), stdout=PIPE, stderr=PIPE, cwd=tempdir)
|
||||
- (stdoutdata, error) = proc.communicate()
|
||||
+ (_, error) = proc.communicate()
|
||||
+ error = error.decode('utf-8', errors='surogateescape')
|
||||
success = _OSCAP_EXIT_CODES_MAP.get(proc.returncode, False)
|
||||
if proc.returncode < 0:
|
||||
- error += "\nKilled by signal {}\n".format(proc.returncode).encode('ascii')
|
||||
+ error += "\nKilled by signal {}\n".format(proc.returncode)
|
||||
returncode = proc.returncode
|
||||
if success:
|
||||
__salt__["cp.push_dir"](tempdir)
|
||||
diff --git a/tests/unit/modules/test_openscap.py b/tests/unit/modules/test_openscap.py
|
||||
index 6fbdfed7cf9..c20220ea977 100644
|
||||
--- a/tests/unit/modules/test_openscap.py
|
||||
+++ b/tests/unit/modules/test_openscap.py
|
||||
@@ -35,7 +35,7 @@ class OpenscapTestCase(TestCase):
|
||||
"salt.modules.openscap.Popen",
|
||||
MagicMock(
|
||||
return_value=Mock(
|
||||
- **{"returncode": 0, "communicate.return_value": ("", "")}
|
||||
+ **{"returncode": 0, "communicate.return_value": (bytes(0), bytes(0))}
|
||||
)
|
||||
),
|
||||
):
|
||||
@@ -82,7 +82,7 @@ class OpenscapTestCase(TestCase):
|
||||
"salt.modules.openscap.Popen",
|
||||
MagicMock(
|
||||
return_value=Mock(
|
||||
- **{"returncode": 2, "communicate.return_value": ("", "some error")}
|
||||
+ **{"returncode": 2, "communicate.return_value": (bytes(0), bytes("some error", "UTF-8"))}
|
||||
)
|
||||
),
|
||||
):
|
||||
@@ -137,7 +137,7 @@ class OpenscapTestCase(TestCase):
|
||||
"salt.modules.openscap.Popen",
|
||||
MagicMock(
|
||||
return_value=Mock(
|
||||
- **{"returncode": 2, "communicate.return_value": ("", "some error")}
|
||||
+ **{"returncode": 2, "communicate.return_value": (bytes(0), bytes("some error", "UTF-8"))}
|
||||
)
|
||||
),
|
||||
):
|
||||
@@ -180,7 +180,7 @@ class OpenscapTestCase(TestCase):
|
||||
return_value=Mock(
|
||||
**{
|
||||
"returncode": 1,
|
||||
- "communicate.return_value": ("", "evaluation error"),
|
||||
+ "communicate.return_value": (bytes(0), bytes("evaluation error", "UTF-8")),
|
||||
}
|
||||
)
|
||||
),
|
||||
--
|
||||
2.44.0
|
||||
|
28
test_vultrpy-adjust-test-expectation-to-prevent-fail.patch
Normal file
28
test_vultrpy-adjust-test-expectation-to-prevent-fail.patch
Normal file
@ -0,0 +1,28 @@
|
||||
From e24c5dbc8c48ce46d3a87cd527677b980c29124d Mon Sep 17 00:00:00 2001
|
||||
From: =?UTF-8?q?Pablo=20Su=C3=A1rez=20Hern=C3=A1ndez?=
|
||||
<psuarezhernandez@suse.com>
|
||||
Date: Tue, 9 Jul 2024 12:19:36 +0100
|
||||
Subject: [PATCH] test_vultrpy: adjust test expectation to prevent
|
||||
failure (#666)
|
||||
|
||||
---
|
||||
tests/integration/cloud/clouds/test_vultrpy.py | 2 +-
|
||||
1 file changed, 1 insertion(+), 1 deletion(-)
|
||||
|
||||
diff --git a/tests/integration/cloud/clouds/test_vultrpy.py b/tests/integration/cloud/clouds/test_vultrpy.py
|
||||
index a25b4502dae..719d7291410 100644
|
||||
--- a/tests/integration/cloud/clouds/test_vultrpy.py
|
||||
+++ b/tests/integration/cloud/clouds/test_vultrpy.py
|
||||
@@ -19,7 +19,7 @@ class VultrTest(CloudTest):
|
||||
"""
|
||||
image_list = self.run_cloud("--list-images {}".format(self.PROVIDER))
|
||||
|
||||
- self.assertIn("Debian 10 x64 (buster)", [i.strip() for i in image_list])
|
||||
+ self.assertIn("Debian 12 x64 (bookworm)", [i.strip() for i in image_list])
|
||||
|
||||
def test_list_locations(self):
|
||||
"""
|
||||
--
|
||||
2.45.2
|
||||
|
||||
|
Loading…
Reference in New Issue
Block a user