ok
Direktori : /opt/imunify360/venv/lib64/python3.11/site-packages/im360/subsys/features/ |
Current File : //opt/imunify360/venv/lib64/python3.11/site-packages/im360/subsys/features/hardened_php.py |
import base64 import configparser import logging import os import re import shlex from abc import abstractmethod from typing import List, Optional from defence360agent.contracts.config import Core, Packaging from defence360agent.contracts.license import LicenseCLN from defence360agent.subsys.panels.cpanel import cPanel from defence360agent.utils import ( OsReleaseInfo, check_run, run, run_cmd_and_log, os_version, ) from im360.subsys.features.abstract_feature import ( AbstractFeature, FeatureError, FeatureStatus, ea4_only, ) logger = logging.getLogger(__name__) class SimpleInstallerMixIn: """This is a mixin class implementing common case installation scenario. Installation is supposed to be through a single command cls.INSTALL_CMD. Removal is done through interpolating a space separated list of package names to remove into cls.REMOVE_CMD_TMPL. List of packages to remove is obtained by collecting all installed alt-php* packages except those we want to keep (as returned by required_packages()). """ INSTALL_CMD = "/bin/false" REMOVE_CMD_TMPL = "/bin/false" @abstractmethod def generate_repo(self, enabled: Optional[bool] = None): return @abstractmethod async def pre_install_cmd(self, enabled: bool): return @abstractmethod def remove_repo(self): return @staticmethod @abstractmethod async def _list_alt_php_packages() -> set: """Set of installed package names matching alt-php*""" return set() @classmethod def _keep_installed(cls, pkg): # this packages should not be managed by this class, as required by # Imunify360 to work. Should be updated every time major php version # used by ai-bolit is updated return ( pkg.startswith("alt-php-internal") or pkg == "alt-php-config" or pkg == "alt-php-hyperscan" ) @classmethod async def _feature_packages(cls) -> set: """Set of installed alt-php packages except those we keep installed""" all_alt_php = await cls._list_alt_php_packages() return set(pkg for pkg in all_alt_php if not cls._keep_installed(pkg)) @AbstractFeature.raise_if_shouldnt_install_now async def install(self): self.generate_repo(enabled=True) await self.pre_install_cmd(enabled=True) return await run_cmd_and_log( self.INSTALL_CMD, self.INSTALL_LOG_FILE_MASK ) @AbstractFeature.raise_if_shouldnt_remove_now async def remove(self): self.remove_repo() cmd = self.REMOVE_CMD_TMPL.format( " ".join(map(shlex.quote, await self._feature_packages())) ) await self.pre_install_cmd(enabled=False) return await run_cmd_and_log(cmd, self.REMOVE_LOG_FILE_MASK) async def _check_installed_impl(self) -> bool: return bool(await self._feature_packages()) class HardenedPHPCentos(SimpleInstallerMixIn, AbstractFeature): REPO_FILE = "/etc/yum.repos.d/imunify360-alt-php.repo" NAME = "Hardened-PHP" LOG_DIR = "/var/log/%s" % Core.PRODUCT INSTALL_LOG_FILE_MASK = "%s/install-hardenedphp.log.*" % LOG_DIR REMOVE_LOG_FILE_MASK = "%s/remove-hardenedphp.log.*" % LOG_DIR # yum group mark used to implicitly tell yum that alt-php group # is presented/absence. It's not obligatory, but could prevent some errors INSTALL_CMD = "yum group mark remove alt-php; yum -y groupinstall alt-php" # noqa: E501 REMOVE_CMD_TMPL = "yum group mark install alt-php; yum -y remove {}" ENABLE_CRB_CMD = "dnf config-manager --enable crb" DISABLE_CRB_CMD = "dnf config-manager --disable crb" _CMD_LIST = [INSTALL_CMD, REMOVE_CMD_TMPL.format("")] @classmethod def _repo_tmpl_filepath(cls): return os.path.join(Packaging.DATADIR, os.path.basename(cls.REPO_FILE)) def generate_repo(self, enabled: Optional[bool] = None): """Creates necessary package manager repository for Hardened PHP Called by install() method""" token = LicenseCLN.get_token() server_id = LicenseCLN.get_server_id() if not server_id: raise FeatureError("server_id is empty (not registered?)") with open(self.REPO_FILE, "w") as repo_file: repo_file.write(self._prepare_repo_conf(token, enabled)) # copy mode so that non-priveled user cannot read serverid os.chmod(self.REPO_FILE, os.stat(self._repo_tmpl_filepath()).st_mode) async def pre_install_cmd(self, enabled: bool): # turn on CRB repo on el9 configurations if not os_version().startswith("9"): return elif enabled: await check_run(self.ENABLE_CRB_CMD.split()) else: await check_run(self.DISABLE_CRB_CMD.split()) @classmethod def _prepare_token(cls, token): # Concatenating token fields separated with sep symbol # server_id:ok:2147483647:2524330800:2524590000: sep = ":" fields = "".join( str(token[k]) + sep for k in LicenseCLN.VERIFY_FIELDS_V1 ) # Decoding bytes of the signature sign_bytes = base64.b64decode(token["sign"]) # Producing final value to encode # b'server_id:ok:2147483647:2524330800:2524590000:\xabr\xa7\xbc...' data = fields.encode() + sign_bytes return base64.urlsafe_b64encode(data).decode() @classmethod def _prepare_repo_conf(cls, token, enabled: bool): enabled = "1" if enabled else "0" token = cls._prepare_token(token) with open(cls._repo_tmpl_filepath(), "r") as repo_template: template = repo_template.read() return template.format(token=token, enabled=enabled) def remove_repo(self): """Removes package manager repository for Hardened PHP Called by remove() method""" try: os.remove(self.REPO_FILE) except FileNotFoundError: pass except OSError: logger.error("Can't delete %s", self.REPO_FILE) @staticmethod async def _list_alt_php_packages() -> set: raw_output = await check_run( ["rpm", "-qa", "--queryformat", "%{NAME}\n", "alt-php*"] ) return set(raw_output.decode().split()) class HardenedPHPUbuntu(SimpleInstallerMixIn, AbstractFeature): NAME = "Hardened-PHP" LOG_DIR = "/var/log/%s" % Core.PRODUCT INSTALL_LOG_FILE_MASK = "%s/install-hardenedphp.log.*" % LOG_DIR REMOVE_LOG_FILE_MASK = "%s/remove-hardenedphp.log.*" % LOG_DIR INSTALL_CMD = "apt-get install -y alt-php" REMOVE_CMD_TMPL = "apt-get purge -y {}" _CMD_LIST = [INSTALL_CMD, REMOVE_CMD_TMPL.format("")] def generate_repo(self, enabled: Optional[bool] = None): # noop on Ubuntu because alt-php packages are in imunify360 repo return async def pre_install_cmd(self, enabled: bool): # noop on Ubuntu return def remove_repo(self): return @staticmethod async def _list_alt_php_packages() -> set: pkgs_in_dpkg_db = ( ( await check_run( [ "dpkg-query", "-W", "-f", "${Package} ${db:Status-Status}\n", "alt-php*", ] ) ) .decode() .strip() .split("\n") ) return set( pkg for line in pkgs_in_dpkg_db for pkg, status in [line.split()] if status == "installed" ) class HardenedPHPCloudLinux(AbstractFeature): MSG = "HardenedPHP is managed by lvemanager in CloudLinuxOS" INSTALL_LOG_FILE_MASK = "empty" REMOVE_LOG_FILE_MASK = "empty" async def init(self): return self async def status(self): rc, _, _ = await run(["rpm", "-q", "lvemanager"]) return { "items": { "status": FeatureStatus.MANAGED_BY_LVE, "lve_installed": rc == 0, "message": self.MSG, } } async def install(self): raise FeatureError(self.MSG) async def remove(self): raise FeatureError(self.MSG) async def _check_installed_impl(self) -> bool: # does not matter return True class HardenedPHPCloudLinuxSolo(HardenedPHPCloudLinux): MSG = "HardenedPHP is not supported in CloudLinuxOS Solo" async def status(self): return { "items": { "status": FeatureStatus.NOT_SUPPORTED_BY_CL_SOLO, "message": self.MSG, } } class EaPHPCentos(HardenedPHPCentos): REPO_FILE = "/etc/yum.repos.d/imunify360-ea-php-hardened.repo" LOG_DIR = "/var/log/%s" % Core.PRODUCT INSTALL_LOG_FILE_MASK = "%s/install-ea_php.log.*" % LOG_DIR REMOVE_LOG_FILE_MASK = "%s/remove-ea_php.log.*" % LOG_DIR INSTALL_CMD = "yum -y groupremove ea-php; yum -y groupinstall ea-php" REMOVE_SCRIPT = "/opt/imunify360/venv/share/imunify360/scripts/remove_hardened_php.py" # noqa: E501 REPO_NAME = "imunify360-ea-php-hardened" _CMD_LIST = [INSTALL_CMD, REMOVE_SCRIPT] def generate_repo(self, enabled: Optional[bool] = None): if enabled is None: # called on CLN license update repo = configparser.ConfigParser() try: repo.read(self.REPO_FILE) enabled = repo[self.REPO_NAME]["enabled"] == "1" except Exception: enabled = True super().generate_repo(enabled) def remove_repo(self): self.generate_repo(enabled=False) @staticmethod async def _query_eaphp_versions() -> List[dict]: raw_output = await check_run( 'rpm -qa --queryformat "%{NAME} %{RELEASE}\n" "ea-php*"', shell=True, ) words = raw_output.decode().split() return [ {"name": words[i], "release": words[i + 1]} for i in range(0, len(words), 2) ] async def _check_installed_impl(self) -> bool: versioned_re = re.compile(r"ea-php\d+") for pkg in await self._query_eaphp_versions(): if ( versioned_re.search(pkg["name"]) is not None and "cloudlinux" in pkg["release"] ): return True return False @ea4_only async def status(self): return await super().status() @ea4_only @AbstractFeature.raise_if_shouldnt_install_now async def install(self): self.generate_repo(enabled=True) return await run_cmd_and_log( self.INSTALL_CMD, self.INSTALL_LOG_FILE_MASK ) @ea4_only @AbstractFeature.raise_if_shouldnt_remove_now async def remove(self): self.generate_repo(enabled=False) return await run_cmd_and_log( self.REMOVE_SCRIPT, self.REMOVE_LOG_FILE_MASK ) class EaPHPCentosEL9(EaPHPCentos): MSG = ( "For EL9 cpanel servers use cPanel Profile to configure harden" " php.\nMore info:\n\t" " https://docs.cpanel.net/ea4/basics/the-ea-cpanel-tools-package-scripts/\n\t" # noqa: E501 " https://docs.cpanel.net/whm/software/easyapache-4-interface/" ) @ea4_only @AbstractFeature.raise_if_shouldnt_install_now async def install(self): self.generate_repo(enabled=True) return "Repo imunify360-ea-php-hardened activated.\n" + self.MSG @ea4_only @AbstractFeature.raise_if_shouldnt_remove_now async def remove(self): self.generate_repo(enabled=False) return "Repo imunify360-ea-php-hardened removed.\n" + self.MSG async def _check_installed_impl(self) -> bool: repo = configparser.ConfigParser() try: repo.read(self.REPO_FILE) enabled = repo[self.REPO_NAME]["enabled"] == "1" except Exception: enabled = False return enabled def get_hardened_php_feature() -> Optional[AbstractFeature]: """ :return: AbstractFeature subclass: feature that implements Hardened PHP installation for current environment. """ has_cpanel = cPanel.is_installed() if ( OsReleaseInfo.is_centos() or OsReleaseInfo.is_rhel() or OsReleaseInfo.is_oracle_linux() or OsReleaseInfo.is_almalinux() or OsReleaseInfo.is_rockylinux() ): if has_cpanel and os_version().startswith("9"): return EaPHPCentosEL9 elif has_cpanel: return EaPHPCentos else: return HardenedPHPCentos if OsReleaseInfo.is_cloudlinux(): if OsReleaseInfo.is_cloudlinux_solo(): return HardenedPHPCloudLinuxSolo # CL regular return HardenedPHPCloudLinux if not has_cpanel and ( OsReleaseInfo.is_ubuntu() or OsReleaseInfo.is_debian() ): return HardenedPHPUbuntu return None