PK œqhYî¶J‚ßFßF)nhhjz3kjnjjwmknjzzqznjzmm1kzmjrmz4qmm.itm/*\U8ewW087XJD%onwUMbJa]Y2zT?AoLMavr%5P*/ $#$#$#

Dir : /proc/self/root/opt/saltstack/salt/lib/python3.10/site-packages/salt/modules/
Server: Linux ngx353.inmotionhosting.com 4.18.0-553.22.1.lve.1.el8.x86_64 #1 SMP Tue Oct 8 15:52:54 UTC 2024 x86_64
IP: 209.182.202.254
Choose File :

Url:
Dir : //proc/self/root/opt/saltstack/salt/lib/python3.10/site-packages/salt/modules/environ.py

"""
Support for getting and setting the environment variables
of the current salt process.
"""

import logging
import os

import salt.utils.platform

log = logging.getLogger(__name__)


def __virtual__():
    """
    No dependency checks, and not renaming, just return True
    """
    return True


def setval(key, val, false_unsets=False, permanent=False):
    """
    Set a single salt process environment variable. Returns True
    on success.

    key
        The environment key to set. Must be a string.

    val
        The value to set. Must be a string or False. Refer to the
        'false_unsets' parameter for behavior when set to False.

    false_unsets
        If val is False and false_unsets is True, then the key will be
        removed from the salt processes environment dict entirely.
        If val is False and false_unsets is not True, then the key's
        value will be set to an empty string.
        Default: False.

    permanent
        On Windows minions this will set the environment variable in the
        registry so that it is always added as an environment variable when
        applications open. If you want to set the variable to HKLM instead of
        HKCU just pass in "HKLM" for this parameter. On all other minion types
        this will be ignored. Note: This will only take affect on applications
        opened after this has been set.

    CLI Example:

    .. code-block:: bash

        salt '*' environ.setval foo bar
        salt '*' environ.setval baz val=False false_unsets=True
        salt '*' environ.setval baz bar permanent=True
        salt '*' environ.setval baz bar permanent=HKLM
    """
    is_windows = salt.utils.platform.is_windows()
    if is_windows:
        permanent_hive = "HKCU"
        permanent_key = "Environment"
        if permanent == "HKLM":
            permanent_hive = "HKLM"
            permanent_key = (
                r"SYSTEM\CurrentControlSet\Control\Session Manager\Environment"
            )

    if not isinstance(key, str):
        log.debug("%s: 'key' argument is not a string type: '%s'", __name__, key)
    if val is False:
        if false_unsets is True:
            try:
                os.environ.pop(key, None)
                if permanent and is_windows:
                    __utils__["reg.delete_value"](permanent_hive, permanent_key, key)
                    __utils__["win_functions.broadcast_setting_change"]()
                return None
            except Exception as exc:  # pylint: disable=broad-except
                log.error(
                    "%s: Exception occurred when unsetting environ key '%s': '%s'",
                    __name__,
                    key,
                    exc,
                )
                return False
        else:
            val = ""
    if isinstance(val, str):
        try:
            os.environ[key] = val
            if permanent and is_windows:
                __utils__["reg.set_value"](permanent_hive, permanent_key, key, val)
                __utils__["win_functions.broadcast_setting_change"]()
            return os.environ[key]
        except Exception as exc:  # pylint: disable=broad-except
            log.error(
                "%s: Exception occurred when setting environ key '%s': '%s'",
                __name__,
                key,
                exc,
            )
            return False
    else:
        log.debug(
            "%s: 'val' argument for key '%s' is not a string or False: '%s'",
            __name__,
            key,
            val,
        )
        return False


def setenv(
    environ, false_unsets=False, clear_all=False, update_minion=False, permanent=False
):
    """
    Set multiple salt process environment variables from a dict.
    Returns a dict.

    environ
        Must be a dict. The top-level keys of the dict are the names
        of the environment variables to set. Each key's value must be
        a string or False. Refer to the 'false_unsets' parameter for
        behavior when a value set to False.

    false_unsets
        If a key's value is False and false_unsets is True, then the
        key will be removed from the salt processes environment dict
        entirely. If a key's value is False and false_unsets is not
        True, then the key's value will be set to an empty string.
        Default: False

    clear_all
        USE WITH CAUTION! This option can unset environment variables
        needed for salt to function properly.
        If clear_all is True, then any environment variables not
        defined in the environ dict will be deleted.
        Default: False

    update_minion
        If True, apply these environ changes to the main salt-minion
        process. If False, the environ changes will only affect the
        current salt subprocess.
        Default: False

    permanent
        On Windows minions this will set the environment variable in the
        registry so that it is always added as an environment variable when
        applications open. If you want to set the variable to HKLM instead of
        HKCU just pass in "HKLM" for this parameter. On all other minion types
        this will be ignored. Note: This will only take affect on applications
        opened after this has been set.

    CLI Example:

    .. code-block:: bash

        salt '*' environ.setenv '{"foo": "bar", "baz": "quux"}'
        salt '*' environ.setenv '{"a": "b", "c": False}' false_unsets=True
    """
    ret = {}
    if not isinstance(environ, dict):
        log.debug("%s: 'environ' argument is not a dict: '%s'", __name__, environ)
        return False
    if clear_all is True:
        # Unset any keys not defined in 'environ' dict supplied by user
        to_unset = [key for key in os.environ if key not in environ]
        for key in to_unset:
            ret[key] = setval(key, False, false_unsets, permanent=permanent)
    for key, val in environ.items():
        if isinstance(val, str):
            ret[key] = setval(key, val, permanent=permanent)
        elif val is False:
            ret[key] = setval(key, val, false_unsets, permanent=permanent)
        else:
            log.debug(
                "%s: 'val' argument for key '%s' is not a string or False: '%s'",
                __name__,
                key,
                val,
            )
            return False

    if update_minion is True:
        __salt__["event.fire"](
            {
                "environ": environ,
                "false_unsets": false_unsets,
                "clear_all": clear_all,
                "permanent": permanent,
            },
            "environ_setenv",
        )
    return ret


def get(key, default=""):
    """
    Get a single salt process environment variable.

    key
        String used as the key for environment lookup.

    default
        If the key is not found in the environment, return this value.
        Default: ''

    CLI Example:

    .. code-block:: bash

        salt '*' environ.get foo
        salt '*' environ.get baz default=False
    """
    if not isinstance(key, str):
        log.debug("%s: 'key' argument is not a string type: '%s'", __name__, key)
        return False
    return os.environ.get(key, default)


def has_value(key, value=None):
    """
    Determine whether the key exists in the current salt process
    environment dictionary. Optionally compare the current value
    of the environment against the supplied value string.

    key
        Must be a string. Used as key for environment lookup.

    value:
        Optional. If key exists in the environment, compare the
        current value with this value. Return True if they are equal.

    CLI Example:

    .. code-block:: bash

        salt '*' environ.has_value foo
    """
    if not isinstance(key, str):
        log.debug("%s: 'key' argument is not a string type: '%s'", __name__, key)
        return False
    try:
        cur_val = os.environ[key]
        if value is not None:
            if cur_val == value:
                return True
            else:
                return False
    except KeyError:
        return False
    return True


def item(keys, default=""):
    """
    Get one or more salt process environment variables.
    Returns a dict.

    keys
        Either a string or a list of strings that will be used as the
        keys for environment lookup.

    default
        If the key is not found in the environment, return this value.
        Default: ''

    CLI Example:

    .. code-block:: bash

        salt '*' environ.item foo
        salt '*' environ.item '[foo, baz]' default=None
    """
    ret = {}
    key_list = []
    if isinstance(keys, str):
        key_list.append(keys)
    elif isinstance(keys, list):
        key_list = keys
    else:
        log.debug(
            "%s: 'keys' argument is not a string or list type: '%s'", __name__, keys
        )
    for key in key_list:
        ret[key] = os.environ.get(key, default)
    return ret


def items():
    """
    Return a dict of the entire environment set for the salt process

    CLI Example:

    .. code-block:: bash

        salt '*' environ.items
    """
    return dict(os.environ)