HEX
Server: LiteSpeed
System: Linux s166.bitcommand.com 4.18.0-513.11.1.lve.el8.x86_64 #1 SMP Thu Jan 18 16:21:02 UTC 2024 x86_64
User: h340499 (1922)
PHP: 8.2.16
Disabled: exec,system,passthru,shell_exec,proc_close,proc_open,dl,popen,show_source,posix_kill,posix_mkfifo,posix_getpwuid,posix_setpgid,posix_setsid,posix_setuid,posix_setgid,posix_seteuid,posix_setegid,posix_uname
Upload Files
File: /home/h340499/public_html/wp-content/plugins/duplicator-pro/src/Package/DupPackage.php
<?php

namespace Duplicator\Package;

use Duplicator\Utils\Logging\DupLog;
use Duplicator\Core\Controllers\ControllersManager;
use Duplicator\Core\MigrationMng;
use Duplicator\Installer\Package\ArchiveDescriptor;
use Duplicator\Libs\Snap\SnapIO;
use Duplicator\Libs\Snap\SnapString;
use Duplicator\Libs\Snap\SnapUtil;
use Duplicator\Models\BrandEntity;
use Duplicator\Models\GlobalEntity;
use Duplicator\Models\Storages\AbstractStorageEntity;
use Duplicator\Models\Storages\StoragesUtil;
use Duplicator\Models\TemplateEntity;
use Duplicator\Package\AbstractPackage;
use Duplicator\Package\Archive\PackageArchive;
use Duplicator\Package\Create\BuildComponents;
use Duplicator\Package\PackageUtils;
use Duplicator\Package\Storage\UploadInfo;
use Duplicator\Utils\Crypt\CryptBlowfish;
use Error;
use Exception;

/**
 * Class used to store and process all Backup logic
 *
 * @package Dupicator\classes
 */
class DupPackage extends AbstractPackage
{
    /**
     * Get backup type
     *
     * @return string
     */
    public static function getBackupType(): string
    {
        return PackageUtils::DEFAULT_BACKUP_TYPE;
    }

    /**
     * Cancel all uploads
     *
     * @return void
     */
    public function cancelAllUploads(): void
    {
        DupLog::trace("Cancelling all uploads");
        foreach ($this->upload_infos as $upload_info) {
            if ($upload_info->hasCompleted() == false) {
                $upload_info->cancelTransfer();
            }
        }
    }

    /**
     * Processes the Backup after the build
     *
     * @param int                  $stage   0 for failure at build, 1 for failure during storage phase
     * @param bool                 $success true if build was successful
     * @param array<string, mixed> $tests   Tests results
     *
     * @return void
     */
    protected function postScheduledBuildProcessing(int $stage, bool $success, array $tests = []): void
    {
        if ($this->schedule_id == -1) {
            return;
        }

        parent::postScheduledBuildProcessing($stage, $success, $tests);

        try {
            $this->sendBuildEmail($stage, $success);
        } catch (Exception $ex) {
            DupLog::trace($ex->getMessage());
        }
    }



    /**
     * Get log url of the package
     *
     * @return string
     */
    public function getLogUrl(): string
    {
        $baseUrl  = rtrim($this->StoreURL, '/');
        $logsDir  = DUPLICATOR_PRO_LOGS_DIR_NAME;
        $fileName = file_exists($this->getSafeLogFilepath()) ? $this->getLogFilename() : $this->getNameHash() . '.log';

        return "{$baseUrl}/{$logsDir}/{$fileName}";
    }

    /**
     * Get dump filename
     *
     * @return string
     */
    public function getDumpFilename(): string
    {
        return $this->getNameHash() . '_dump.txt';
    }

    /**
     * Get safe log filepath
     *
     * @return string
     */
    public function getSafeLogFilepath(): string
    {
        $filename = $this->getLogFilename();
        return SnapIO::safePath(DUPLICATOR_PRO_PATH_LOGS . "/$filename");
    }

    /**
     * Dump file exists
     *
     * @return bool
     */
    public function dumpFileExists(): bool
    {
        $filename = $this->getDumpFilename();
        $filepath = SnapIO::safePath(DUPLICATOR_PRO_DUMP_PATH . "/$filename");
        return file_exists($filepath);
    }

    /**
     * Get upload info for storage id
     *
     * @param int $storage_id storage id
     *
     * @return ?UploadInfo upload info or null if not found
     */
    public function getUploadInfoForStorageId(int $storage_id): ?UploadInfo
    {
        $selected_upload_info = null;
        foreach ($this->upload_infos as $upload_info) {
            if ($upload_info->getStorageId() == $storage_id) {
                $selected_upload_info = &$upload_info;
                break;
            }
        }

        return $selected_upload_info;
    }

    /**
     * Marks the backup as not existing in the storage. If the removeBackup flag is set to true
     * and the backup does not exist in any storage, the backup record will be removed from the database.
     *
     * @param int  $storageId    Storage ID
     * @param bool $removeBackup If true, the backup record will be removed from the database
     *                           if it does not exist in any storage
     *
     * @return bool True if the backup record was removed from the database
     */
    public function unsetStorage(int $storageId, bool $removeBackup = false): bool
    {
        if (($uploadInfo = $this->getUploadInfoForStorageId($storageId)) !== null) {
            $uploadInfo->setPackageExists(false);
            if (!$this->update()) {
                DupLog::trace("Failed to update backup record with ID: " . $this->getId());
                return false;
            }
        }

        if (!$removeBackup || $this->hasValidStorage()) {
            return false;
        }

        if (!$this->delete()) {
            DupLog::trace("Failed to remove Backup record with ID: " . $this->getId());
            return false;
        }

        return true;
    }

    /**
     * Get local Backup file
     *
     * @param int $file_type AbstractPackage::FILE_TYPE_* Enum
     *
     * @return bool|string file path or false if don't exists
     */
    public function getLocalPackageFilePath(int $file_type)
    {
        switch ($file_type) {
            case self::FILE_TYPE_INSTALLER:
                $fileName = $this->Installer->getInstallerLocalName();
                break;
            case self::FILE_TYPE_ARCHIVE:
                $fileName = $this->getArchiveFilename();
                break;
            case self::FILE_TYPE_LOG:
                $fileName = $this->getLogFilename();
                break;
            default:
                throw new Exception("File type $file_type not supported");
        }

        //First check if default file exists
        $defaultPath = ($file_type == self::FILE_TYPE_LOG)
            ? SnapIO::trailingslashit(DUPLICATOR_PRO_PATH_LOGS) . $fileName
            : SnapIO::trailingslashit(DUPLICATOR_PRO_SSDIR_PATH) . $fileName;

        if (file_exists($filePath = $defaultPath)) {
            return SnapIO::safePath($filePath);
        }

        foreach ($this->getLocalStorages() as $localStorage) {
            $filePath = SnapIO::trailingslashit($localStorage->getLocationString()) . $fileName;
            if (file_exists($filePath)) {
                return SnapIO::safePath($filePath);
            }
        }

        return false;
    }

    /**
     * @param int $fileType AbstractPackage::FILE_TYPE_* Enum
     *
     * @return string URL at which the file can be downloaded
     */
    public function getLocalPackageFileURL(int $fileType): string
    {
        if ($fileType == self::FILE_TYPE_LOG) {
            return $this->getLogUrl();
        }

        if (!$this->getLocalPackageFilePath($fileType)) {
            return "";
        }

        switch ($fileType) {
            case self::FILE_TYPE_INSTALLER:
                return $this->getLocalPackageAjaxDownloadURL(self::FILE_TYPE_INSTALLER);
            case self::FILE_TYPE_ARCHIVE:
                return file_exists(SnapIO::trailingslashit(DUPLICATOR_PRO_SSDIR_PATH) . $this->getArchiveFilename())
                    ? $this->Archive->getURL()
                    : $this->getLocalPackageAjaxDownloadURL(self::FILE_TYPE_ARCHIVE);
            default:
                throw new Exception("File type $fileType not supported");
        }
    }

    /**
     * Get download security token
     *
     * @param string $hash hash
     *
     * @return string
     */
    public static function getLocalPackageAjaxDownloadToken(string $hash): string
    {
        return md5($hash . CryptBlowfish::getDefaultKey());
    }

    /**
     * Get local Backup ajax download url
     *
     * @param int $fileType AbstractPackage::FILE_TYPE_* Enum
     *
     * @return string URL at which the file can be downloaded
     */
    public function getLocalPackageAjaxDownloadURL(int $fileType): string
    {
        return admin_url('admin-ajax.php') . "?" . http_build_query([
            'action'   => 'duplicator_pro_download_package_file',
            'hash'     =>  $this->hash,
            'token'    =>  static::getLocalPackageAjaxDownloadToken($this->hash),
            'fileType' => $fileType,
        ]);
    }

    /**
     * Use only in extreme cases to get rid of a runaway Backup
     *
     * @param int $id Backup ID
     *
     * @return bool
     */
    public static function forceDelete(int $id): bool
    {
        $ret_val = false;
        global $wpdb;
        $tblName   = static::getTableName();
        $getResult = $wpdb->get_results($wpdb->prepare("SELECT name, hash FROM `{$tblName}` WHERE id = %d", $id), ARRAY_A);
        if ($getResult) {
            $row       = $getResult[0];
            $name_hash = "{$row['name']}_{$row['hash']}";
            $delResult = $wpdb->query($wpdb->prepare("DELETE FROM `{$tblName}` WHERE id = %d", $id));
            if ($delResult != 0) {
                $ret_val = true;
                static::deleteDefaultLocalFiles($name_hash, true);
            }
        }

        return $ret_val;
    }

    /**
     * Return true if contains non default storage
     *
     * @return bool
     */
    public function containsNonDefaultStorage(): bool
    {
        $defStorageId = StoragesUtil::getDefaultStorageId();
        foreach ($this->upload_infos as $upload_info) {
            if ($upload_info->getStorageId() === $defStorageId) {
                continue;
            }

            if (($storage = AbstractStorageEntity::getById($upload_info->getStorageId())) === false) {
                DupLog::traceError("Package refers to a storage provider that no longer exists - " . $upload_info->getStorageId());
                continue;
            }

            return true;
        }
        return false;
    }

    /**
     * Quickly determine without going through the overhead of creating Backup objects
     *
     * @return bool
     */
    public static function isPackageRunning(): bool
    {
        $ids = DupPackage::getIdsByStatus(
            [
                [
                    'op'     => '>=',
                    'status' => self::STATUS_PRE_PROCESS,
                ],
                [
                    'op'     => '<',
                    'status' => self::STATUS_COMPLETE,
                ],
            ]
        );
        return count($ids) > 0;
    }

    /**
     * Returns true if there are packages that are in the process of being cancelled
     *
     * @return bool
     */
    public static function isPackageCancelling(): bool
    {
        return count(static::getPendingCancellations()) > 0;
    }

    /**
     * Check is Brand is properly prepered
     *
     * @return array<string,mixed>
     */
    public static function isActiveBrandPrepared(): array
    {
        $manual_template = TemplateEntity::getManualTemplate();
        $brand           = BrandEntity::getByIdOrDefault((int) $manual_template->installer_opts_brand);
        if (is_array($brand->attachments)) {
            $attachments = count($brand->attachments);
            $exists      = [];
            if ($attachments > 0) {
                $installer = DUPLICATOR____PATH . '/installer/dup-installer/assets/images/brand';
                if (file_exists($installer) && is_dir($installer)) {
                    foreach ($brand->attachments as $attachment) {
                        if (file_exists("{$installer}{$attachment}")) {
                            $exists[] = "{$installer}{$attachment}";
                        }
                    }
                }
            }
            //return ($attachments == count($exists));

            return [
                'LogoAttachmentExists' => ($attachments > 0),
                'LogoCount'            => $attachments,
                'LogoFinded'           => count($exists),
                'LogoImageExists'      => ($attachments == count($exists)),
                'LogoImages'           => $exists,
                'Name'                 => $brand->name,
                'Notes'                => $brand->notes,
            ];
        }


        return [
            'LogoAttachmentExists' => false,
            'LogoCount'            => 0,
            'LogoFinded'           => 0,
            'LogoImageExists'      => true,
            'LogoImages'           => [],
            'Name'                 => __('Default', 'duplicator-pro'),
            'Notes'                => __('The default content used when a brand is not defined.', 'duplicator-pro'),
        ];
    }

    /**
     * Update the Backup migration flag
     *
     * @return void
     */
    public function updateMigrateAfterInstallFlag(): void
    {
        $this->updatePackageFlags();
        $this->flags = array_diff(
            $this->flags,
            [self::FLAG_CREATED_AFTER_RESTORE]
        );
        $data        = MigrationMng::getMigrationData();
        // check if package id is set for old versions before 4.5.14
        if ($data->restoreBackupMode && $data->packageId > 0) {
            $installTime = strtotime($data->installTime);
            $created     = strtotime($this->created);
            if (
                $this->getId() > $data->packageId && // If Backup is create after installer Backup
                $created < $installTime // But berore the installer time
            ) {
                $this->flags[] = self::FLAG_CREATED_AFTER_RESTORE;
            }
        }
        $this->flags = array_values($this->flags);
    }

    /**
     * Processes the Backup after the build
     *
     * @param int  $stage   0 for failure at build, 1 for failure during storage phase
     * @param bool $success true if build was successful
     *
     * @return void
     */
    protected function sendBuildEmail(int $stage, bool $success): void
    {
        try {
            if ($this->buildEmailSent) {
                return;
            }

            $global = GlobalEntity::getInstance();
            switch ($global->send_email_on_build_mode) {
                case GlobalEntity::EMAIL_BUILD_MODE_NEVER:
                    return;
                case GlobalEntity::EMAIL_BUILD_MODE_ALL:
                    break;
                case GlobalEntity::EMAIL_BUILD_MODE_FAILURE:
                    if ($success) {
                        return;
                    }
                    break;
                default:
                    return;
            }

            $to = !empty($global->notification_email_address) ? $global->notification_email_address : get_option('admin_email');
            if (empty($to) !== false) {
                throw new Exception("Would normally send a build notification but admin email is empty.");
            }

            if (($schedule = $this->getSchedule()) === null) {
                throw new Exception("Couldn't get schedule by ID {$this->schedule_id} to start post scheduled build processing.");
            }

            DupLog::trace("Attempting to send build notification to $to");
            $data = [
                'success'      => $success,
                'messageTitle' => __('BACKUP SUCCEEDED', 'duplicator-pro'),
                'packageID'    => $this->getId(),
                'packageName'  => $this->getName(),
                'scheduleName' => $schedule->name,
                'storageNames' => array_map(fn(AbstractStorageEntity $s): string => $s->getName(), $this->getStorages()),
                'packagesLink' => ControllersManager::getMenuLink(ControllersManager::PACKAGES_SUBMENU_SLUG, null, null, [], false),
                'logExists'    => file_exists($this->getSafeLogFilepath()),
            ];
            if ($success) {
                $data    = array_merge($data, [
                    'fileCount'   => $this->Archive->FileCount,
                    'packageSize' => SnapString::byteSize($this->Archive->Size),
                    'tableCount'  => $this->Database->info->tablesFinalCount,
                    'sqlSize'     => SnapString::byteSize($this->Database->Size),
                ]);
                $subject = sprintf(__('Backup of %1$s (%2$s) Succeeded', 'duplicator-pro'), home_url(), $schedule->name);
            } else {
                $data['messageTitle']  = __('BACKUP FAILED', 'duplicator-pro') . ' ';
                $data['messageTitle'] .= $stage === 0
                    ? __('DURING BUILD PHASE', 'duplicator-pro')
                    : __('DURING STORAGE PHASE. CHECK SITE FOR DETAILS.', 'duplicator-pro');
                $subject               = sprintf(__('Backup of %1$s (%2$s) Failed', 'duplicator-pro'), home_url(), $schedule->name);
            }

            $message     = \Duplicator\Core\Views\TplMng::getInstance()->render("mail/scheduled-build", $data, false);
            $attachments = $data['logExists'] ? $this->getSafeLogFilepath() : '';

            if (!wp_mail($to, $subject, $message, ['Content-Type: text/html; charset=UTF-8'], $attachments)) {
                throw new Exception("Problem sending build notification to {$to} regarding Backup {$this->getId()}");
            }

            $this->buildEmailSent = true;
            $this->save();
            DupLog::trace('wp_mail reporting send success');
        } catch (Exception | Error $ex) {
            DupLog::traceException($ex, "Problem sending build notification email");
        }
    }

    /**
     * Get active storage, false if none
     *
     * @return false|AbstractStorageEntity
     */
    public function getActiveStorage()
    {
        if ($this->active_storage_id != -1) {
            if (($storage = AbstractStorageEntity::getById($this->active_storage_id)) === false) {
                DupLog::traceError("Active storage for Backup {$this->getId()} is {$this->active_storage_id} but it's coming back false so resetting.");
                $this->active_storage_id = -1;
                $this->save();
            }
            return $storage;
        } else {
            return false;
        }
    }

    /**
     * Returns true if a download is in progress
     *
     * @return bool
     */
    public function isDownloadInProgress(): bool
    {
        foreach ($this->upload_infos as $upload_info) {
            if ($upload_info->isDownloadFromRemote() && $upload_info->hasCompleted() === false) {
                return true;
            }
        }

        return false;
    }

    /**
     * Return Backup life
     *
     * @param string $type can be hours,human,timestamp
     *
     * @return int|string Backup life in hours, timestamp or human readable format
     */
    public function getPackageLife($type = 'timestamp')
    {
        $created = strtotime($this->created);
        $current = strtotime(gmdate("Y-m-d H:i:s"));
        $delta   = $current - $created;

        switch ($type) {
            case 'hours':
                return max(0, floor($delta / 60 / 60));
            case 'human':
                return human_time_diff($created, $current);
            case 'timestamp':
            default:
                return $delta;
        }
    }

    /**
     * Saves the active options associated with the active(latest) package.
     *
     * @param ?array<string,mixed> $post The _POST server object
     *
     * @return void
     */
    public static function setManualTemplateFromPost(?array $post = null): void
    {
        if (!isset($post)) {
            return;
        }

        $post                  = stripslashes_deep($post);
        $mtemplate             = TemplateEntity::getManualTemplate();
        $mtemplate->components = BuildComponents::getFromInput($post);

        if (isset($post['package_name_format'])) {
            $mtemplate->package_name_format = SnapUtil::sanitize($post['package_name_format']);
        }

        if (isset($post['filter-paths'])) {
            $post_filter_paths               = SnapUtil::sanitizeNSChars($post['filter-paths']);
            $mtemplate->archive_filter_dirs  = PackageArchive::parseDirectoryFilter($post_filter_paths);
            $mtemplate->archive_filter_files = PackageArchive::parseFileFilter($post_filter_paths);
        } else {
            $mtemplate->archive_filter_dirs  = '';
            $mtemplate->archive_filter_files = '';
        }

        $filter_sites = !empty($post['mu-exclude']) ? $post['mu-exclude'] : '';
        if (isset($post['filter-exts'])) {
            $post_filter_exts               = sanitize_text_field($post['filter-exts']);
            $mtemplate->archive_filter_exts = PackageArchive::parseExtensionFilter($post_filter_exts);
        } else {
            $mtemplate->archive_filter_exts = '';
        }

        $tablelist  = isset($post['dbtables-list']) ? SnapUtil::sanitizeNSCharsNewlineTrim($post['dbtables-list']) : '';
        $compatlist = isset($post['dbcompat']) ? implode(',', $post['dbcompat']) : '';
        // PACKAGE
        // Replaces any \n \r or \n\r from the Backup notes
        if (isset($post['package-notes'])) {
            $mtemplate->notes = SnapUtil::sanitizeNSCharsNewlineTrim($post['package-notes']);
        } else {
            $mtemplate->notes = '';
        }

        //MULTISITE
        $mtemplate->filter_sites = $filter_sites;
        //ARCHIVE
        $mtemplate->archive_filter_on    = isset($post['filter-on']);
        $mtemplate->archive_filter_names = isset($post['filter-names']);
        //INSTALLER
        $secureOn = (isset($post['secure-on']) ? (int) $post['secure-on'] : ArchiveDescriptor::SECURE_MODE_NONE);
        switch ($secureOn) {
            case ArchiveDescriptor::SECURE_MODE_NONE:
            case ArchiveDescriptor::SECURE_MODE_INST_PWD:
            case ArchiveDescriptor::SECURE_MODE_ARC_ENCRYPT:
                $mtemplate->installer_opts_secure_on = $secureOn;
                break;
            default:
                throw new Exception(__('Select valid secure mode', 'duplicator-pro'));
        }

        $mtemplate->installerPassowrd = isset($post['secure-pass']) ? SnapUtil::sanitizeNSCharsNewlineTrim($post['secure-pass']) : '';
        //BRAND
        $mtemplate->installer_opts_brand     = ((isset($post['installer_opts_brand']) && (int) $post['installer_opts_brand'] > 0) ?
            (int) $post['installer_opts_brand'] : -1);
        $mtemplate->installer_opts_skip_scan = (isset($post['skipscan']) && 1 == $post['skipscan']);
        //cPanel
        $mtemplate->installer_opts_cpnl_enable    = (isset($post['installer_opts_cpnl_enable']) && 1 == $post['installer_opts_cpnl_enable']);
        $mtemplate->installer_opts_cpnl_host      = sanitize_text_field($post['installer_opts_cpnl_host'] ?? '');
        $mtemplate->installer_opts_cpnl_user      = sanitize_text_field($post['installer_opts_cpnl_user'] ?? '');
        $mtemplate->installer_opts_cpnl_db_action = sanitize_text_field($post['installer_opts_cpnl_db_action'] ?? '');
        $mtemplate->installer_opts_cpnl_db_host   = sanitize_text_field($post['installer_opts_cpnl_db_host'] ?? '');
        $mtemplate->installer_opts_cpnl_db_name   = sanitize_text_field($post['installer_opts_cpnl_db_name'] ?? '');
        $mtemplate->installer_opts_cpnl_db_user   = sanitize_text_field($post['installer_opts_cpnl_db_user'] ?? '');
        //Basic
        $mtemplate->installer_opts_db_host = sanitize_text_field($post['installer_opts_db_host'] ?? '');
        $mtemplate->installer_opts_db_name = sanitize_text_field($post['installer_opts_db_name'] ?? '');
        $mtemplate->installer_opts_db_user = sanitize_text_field($post['installer_opts_db_user'] ?? '');
        // DATABASE
        $mtemplate->database_filter_on      = isset($post['dbfilter-on']);
        $mtemplate->databasePrefixFilter    = isset($post['db-prefix-filter']);
        $mtemplate->databasePrefixSubFilter = isset($post['db-prefix-sub-filter']);
        $mtemplate->database_filter_tables  = sanitize_text_field($tablelist);

        $mtemplate->database_compatibility_modes = $compatlist;
        $mtemplate->save();
    }
}