Files
CyberPanel/cyberpanel.sh
Master3395 daaefc12d8 Update branch verification process and enhance documentation for v2.5.5-dev
- Modified cyberpanel.sh to verify the existence of the development branch using the GitHub API, improving accuracy in branch checks.
- Updated BRANCH_PREFIX_FIX.md to include confirmation of GitHub API verification for the v2.5.5-dev branch.
- Enhanced test_fixes.sh to include a test for the v2.5.5-dev branch via GitHub API, ensuring reliable branch validation.
2025-09-25 00:16:25 +02:00

3408 lines
146 KiB
Bash

#!/bin/bash
#set -e -o pipefail
#set -x
#set -u
# Logging setup
LOG_DIR="/var/log/cyberpanel"
LOG_FILE="$LOG_DIR/cyberpanel_install_$(date +%Y%m%d_%H%M%S).log"
DEBUG_LOG_FILE="$LOG_DIR/cyberpanel_install_debug_$(date +%Y%m%d_%H%M%S).log"
# Create log directory if it doesn't exist
mkdir -p "$LOG_DIR" 2>/dev/null || {
# If /var/log/cyberpanel cannot be created, use /tmp
LOG_DIR="/tmp/cyberpanel_logs"
mkdir -p "$LOG_DIR"
LOG_FILE="$LOG_DIR/cyberpanel_install_$(date +%Y%m%d_%H%M%S).log"
DEBUG_LOG_FILE="$LOG_DIR/cyberpanel_install_debug_$(date +%Y%m%d_%H%M%S).log"
}
# Logging functions
log_info() {
local message="$1"
local timestamp=$(date '+%Y-%m-%d %H:%M:%S')
echo "[$timestamp] [INFO] $message" | tee -a "$LOG_FILE"
}
log_error() {
local message="$1"
local timestamp=$(date '+%Y-%m-%d %H:%M:%S')
echo "[$timestamp] [ERROR] $message" | tee -a "$LOG_FILE" >&2
}
log_warning() {
local message="$1"
local timestamp=$(date '+%Y-%m-%d %H:%M:%S')
echo "[$timestamp] [WARNING] $message" | tee -a "$LOG_FILE"
}
log_debug() {
local message="$1"
local timestamp=$(date '+%Y-%m-%d %H:%M:%S')
echo "[$timestamp] [DEBUG] $message" >> "$DEBUG_LOG_FILE"
}
log_command() {
local command="$1"
local timestamp=$(date '+%Y-%m-%d %H:%M:%S')
echo "[$timestamp] [COMMAND] Executing: $command" >> "$DEBUG_LOG_FILE"
# Execute command and capture output
local output
local exit_code
output=$($command 2>&1)
exit_code=$?
if [ $exit_code -eq 0 ]; then
echo "[$timestamp] [COMMAND] Success: $command" >> "$DEBUG_LOG_FILE"
[ -n "$output" ] && echo "[$timestamp] [OUTPUT] $output" >> "$DEBUG_LOG_FILE"
else
echo "[$timestamp] [COMMAND] Failed (exit code: $exit_code): $command" >> "$DEBUG_LOG_FILE"
[ -n "$output" ] && echo "[$timestamp] [ERROR OUTPUT] $output" >> "$DEBUG_LOG_FILE"
fi
return $exit_code
}
log_function_start() {
local function_name="$1"
local timestamp=$(date '+%Y-%m-%d %H:%M:%S')
echo "[$timestamp] [FUNCTION] Starting: $function_name" | tee -a "$LOG_FILE"
echo "[$timestamp] [FUNCTION] Starting: $function_name with args: ${@:2}" >> "$DEBUG_LOG_FILE"
}
log_function_end() {
local function_name="$1"
local exit_code="${2:-0}"
local timestamp=$(date '+%Y-%m-%d %H:%M:%S')
if [ $exit_code -eq 0 ]; then
echo "[$timestamp] [FUNCTION] Completed: $function_name" >> "$DEBUG_LOG_FILE"
else
echo "[$timestamp] [FUNCTION] Failed: $function_name (exit code: $exit_code)" | tee -a "$LOG_FILE"
fi
}
# Initialize logging
log_info "CyberPanel installation started"
log_info "Log file: $LOG_FILE"
log_info "Debug log file: $DEBUG_LOG_FILE"
#CyberPanel installer script for CentOS 7, CentOS 8, CloudLinux 7, AlmaLinux 8, AlmaLinux 9, AlmaLinux 10, RockyLinux 8, Ubuntu 18.04, Ubuntu 20.04, Ubuntu 20.10, Ubuntu 22.04, Ubuntu 24.04, Ubuntu 24.04.3, openEuler 20.03 and openEuler 22.03
#For whoever may edit this script, please follow:
#Please use Pre_Install_xxx() and Post_Install_xxx() if you want to something respectively before or after the panel installation
#and update below accordingly
#Please use variable/functions name as MySomething or My_Something, and please try not to use too-short abbreviation :)
#Please use On/Off, True/False, Yes/No.
#workflow:
#Set_Default_Variables() ---> set some default variable for later use
#Check_Root() ---> check for root
#Check_Server_IP() ---> check for server IP and geolocation at country level
#Check_OS() ---> check system , support on CentOS 7/8, RockyLinux 8, AlmaLinux 8/9/10, Ubuntu 18/20/22/24, openEuler 20.03/22.03 and CloudLinux 7, 8 is untested.
#Check_Virtualization() ---> check for virtualizaon , #LXC not supported# , some edit needed on OVZ
#Check_Panel() ---> check to make sure no other panel is installed
#Check_Process() ---> check no other process like Apache is running
#Check_Provider() ---> check the provider, certain provider like Alibaba or Tencent Cloud may need some special change
#Check_Argument() ---> parse argument and go to Argument_Mode() or Interactive_Mode() respectively
#Pre_Install_Setup_Repository() ---> setup/install repositories for CentOS and openEuler system.
#go to Pre_Install_Setup_CN_Repository() if server is within China.
#Pre_Install_Setup_Git_URL() ---> form up github URL , use Gitee for servers within China.
#Pre_Install_Required_Components() ---> install required softwares and git clone it
#Pre_Install_System_Tweak() ---> set up SWAP and apply some system tweak depends on providers
#Main_Installation() ---> change some code within python files for CN servers and start to install
#Post_Install_Addon_Memcached() ---> Install Memcached extension and process
#Post_Install_Addon_Redis() ---> Install Redis extension and process
#Post_Install_Required_Components() ---> install some required softwares.
#Post_Install_PHP_Session_Setup() ---> set up PHP session
#Post_Install_PHP_TimezoneDB() ---> set up PHP timezoneDB
#Post_Install_Regenerate_Cert() ---> regenerate cert for :7080 and :8090 to avoid Chrome on macOS blocking.
#Post_Install_Regenerate_Webadmin_Console_Passwd() ---> regenerate the webadmin console password
#Post_Install_Setup_Watchdog() ---> set up watchdog script for webserver and MariaDB.
#Post_Install_Setup_Utility() ---> set up utility script for some handy features
#Post_Install_Tweak() ---> some patches/fixes on certain systems
#Post_Install_Display_Final_Info() ---> display installation successful information.
Sudo_Test=$(set)
#for SUDO check
Set_Default_Variables() {
log_function_start "Set_Default_Variables"
echo -e "Fetching latest data from CyberPanel server...\n"
echo -e "This may take few seconds..."
log_info "Fetching latest data from CyberPanel server"
Silent="Off"
Server_Edition="OLS"
Admin_Pass="1234567"
Memcached="Off"
Redis="Off"
Postfix_Switch="On"
PowerDNS_Switch="On"
PureFTPd_Switch="On"
Server_IP=""
Server_Country="Unknow"
Server_OS=""
Server_OS_Version=""
Server_Provider='Undefined'
Watchdog="On"
Redis_Hosting="No"
# Check if we're running from a specific branch/version
# This detects if the script is being run from a GitHub branch URL
if [[ "$0" == *"/dev/fd/"* ]] && [[ -n "${BASH_SOURCE[0]}" ]]; then
# Script is being executed via curl/bash, try to detect branch from environment
if [[ -n "${CYBERPANEL_BRANCH}" ]]; then
Branch_Name="${CYBERPANEL_BRANCH}"
echo -e "\nUsing specified branch...$Branch_Name"
log_info "Using specified branch: $Branch_Name"
else
# Try to detect from URL if possible (fallback to stable)
Temp_Value=$(curl --silent --max-time 30 -4 https://cyberpanel.net/version.txt)
Panel_Version=${Temp_Value:12:3}
Panel_Build=${Temp_Value:25:1}
Branch_Name="v${Panel_Version}.${Panel_Build}"
echo -e "\nBranch name fetched...$Branch_Name"
log_info "Branch name fetched: $Branch_Name"
fi
else
# Script is being run locally, try to detect git branch
if command -v git >/dev/null 2>&1 && [[ -d ".git" ]]; then
Git_Branch=$(git branch --show-current 2>/dev/null)
if [[ -n "$Git_Branch" ]]; then
Branch_Name="$Git_Branch"
echo -e "\nDetected git branch...$Branch_Name"
log_info "Detected git branch: $Branch_Name"
else
# Fallback to stable version
Temp_Value=$(curl --silent --max-time 30 -4 https://cyberpanel.net/version.txt)
Panel_Version=${Temp_Value:12:3}
Panel_Build=${Temp_Value:25:1}
Branch_Name="v${Panel_Version}.${Panel_Build}"
echo -e "\nBranch name fetched...$Branch_Name"
log_info "Branch name fetched: $Branch_Name"
fi
else
# Fallback to stable version
Temp_Value=$(curl --silent --max-time 30 -4 https://cyberpanel.net/version.txt)
Panel_Version=${Temp_Value:12:3}
Panel_Build=${Temp_Value:25:1}
Branch_Name="v${Panel_Version}.${Panel_Build}"
echo -e "\nBranch name fetched...$Branch_Name"
log_info "Branch name fetched: $Branch_Name"
fi
fi
# Extract version components for display
if [[ $Branch_Name =~ v([0-9]+)\.([0-9]+)\.([0-9]+) ]]; then
Panel_Version="${BASH_REMATCH[1]}.${BASH_REMATCH[2]}"
Panel_Build="${BASH_REMATCH[3]}"
elif [[ $Branch_Name =~ v([0-9]+)\.([0-9]+)-dev ]]; then
Panel_Version="${BASH_REMATCH[1]}.${BASH_REMATCH[2]}"
Panel_Build="dev"
else
# Fallback parsing
Panel_Version=$(echo "$Branch_Name" | sed 's/v//' | cut -d. -f1-2)
Panel_Build=$(echo "$Branch_Name" | sed 's/v//' | cut -d. -f3)
fi
if [[ $Branch_Name = v*.*.* ]] || [[ $Branch_Name = v*.*-dev ]] || [[ $Branch_Name = v*.*.*-dev ]]; then
echo -e "\nBranch name set to...$Branch_Name"
log_info "Branch name set to: $Branch_Name"
else
echo -e "\nUnable to determine Branch name..."
echo -e "\nPlease try again in few moments, if this error still happens, please contact support"
log_error "Unable to determine branch name"
log_function_end "Set_Default_Variables" 1
exit
fi
Base_Number="1.9.3"
Total_RAM=$(free -m | awk '/Mem:/ { print $2 }')
Remote_MySQL="Off"
Final_Flags=()
Git_User=""
Git_Content_URL=""
Git_Clone_URL=""
LSWS_Latest_URL="https://cyberpanel.sh/update.litespeedtech.com/ws/latest.php"
LSWS_Tmp=$(curl --silent --max-time 30 -4 "$LSWS_Latest_URL")
LSWS_Stable_Line=$(echo "$LSWS_Tmp" | grep "LSWS_STABLE")
LSWS_Stable_Version=$(expr "$LSWS_Stable_Line" : '.*LSWS_STABLE=\(.*\) BUILD .*')
#grab the LSWS latest stable version.
Enterprise_Flag=""
License_Key=""
Debug_Log2 "Starting installation..,1"
log_debug "Default variables set - Server Edition: $Server_Edition, Total RAM: $Total_RAM MB"
log_function_end "Set_Default_Variables"
}
# Helper Functions for Package Management
install_package() {
local package="$1"
case "$Server_OS" in
"CentOS7")
yum install -y "$package"
;;
"CentOS8"|"CentOS9"|"CentOSStream8"|"CentOSStream9"|"RHEL8"|"RHEL9"|"AlmaLinux8"|"AlmaLinux9"|"AlmaLinux10"|"RockyLinux8"|"RockyLinux9")
dnf install -y "$package"
;;
"CloudLinux7"|"CloudLinux8"|"CloudLinux9")
yum install -y "$package"
;;
"Ubuntu1804"|"Ubuntu2004"|"Ubuntu2010"|"Ubuntu2204"|"Ubuntu2404"|"Ubuntu24043"|"Debian11"|"Debian12"|"Debian13")
DEBIAN_FRONTEND=noninteractive apt install -y "$package"
;;
"openEuler2003"|"openEuler2203"|"openEuler2403")
dnf install -y "$package"
;;
*)
echo -e "Unknown OS: $Server_OS, attempting package installation..."
# Try different package managers in order of likelihood
if [[ "$Server_OS" =~ ^(CentOS|RHEL|AlmaLinux|RockyLinux|CloudLinux|openEuler) ]]; then
dnf install -y "$package" 2>/dev/null || yum install -y "$package" 2>/dev/null || echo -e "Failed to install $package"
else
DEBIAN_FRONTEND=noninteractive apt install -y "$package" 2>/dev/null || echo -e "Failed to install $package"
fi
;;
esac
}
# Helper Function for Service Management
manage_service() {
local service="$1"
local action="$2"
# Check if service exists before trying to manage it
if ! systemctl list-unit-files | grep -q "${service}.service"; then
echo -e "Service $service not found, skipping $action"
return 0
fi
# Handle platform-specific service names
case "$service" in
"pdns")
if [[ "$Server_OS" =~ ^(Ubuntu|Debian) ]]; then
service="pdns-server"
fi
;;
"pure-ftpd")
if [[ "$Server_OS" =~ ^(Ubuntu|Debian) ]]; then
service="pure-ftpd"
elif [[ "$Server_OS" =~ ^(CentOS|AlmaLinux|RockyLinux|RHEL|CloudLinux) ]]; then
service="pure-ftpd"
fi
;;
esac
systemctl "$action" "$service"
}
# Helper Function for Development Tools Installation
install_dev_tools() {
case "$Server_OS" in
"CentOS7"|"CloudLinux7"|"CloudLinux8"|"CloudLinux9")
yum groupinstall "Development Tools" -y
yum install autoconf automake zlib-devel openssl-devel expat-devel pcre-devel libmemcached-devel cyrus-sasl* -y
;;
"CentOS8"|"CentOS9"|"CentOSStream8"|"CentOSStream9"|"RHEL8"|"RHEL9"|"AlmaLinux8"|"AlmaLinux9"|"AlmaLinux10"|"RockyLinux8"|"RockyLinux9"|"openEuler2003"|"openEuler2203"|"openEuler2403")
dnf groupinstall "Development Tools" -y
dnf install autoconf automake zlib-devel openssl-devel expat-devel pcre-devel libmemcached-devel cyrus-sasl* -y
;;
"Ubuntu1804"|"Ubuntu2004"|"Ubuntu2010"|"Ubuntu2204"|"Ubuntu2404"|"Ubuntu24043"|"Debian11"|"Debian12"|"Debian13")
DEBIAN_FRONTEND=noninteractive apt install build-essential zlib1g-dev libexpat1-dev openssl libssl-dev libsasl2-dev libpcre3-dev git -y
;;
*)
echo -e "Unknown OS: $Server_OS, attempting to install development tools..."
if [[ "$Server_OS" =~ ^(CentOS|RHEL|AlmaLinux|RockyLinux|CloudLinux|openEuler) ]]; then
dnf groupinstall "Development Tools" -y 2>/dev/null || yum groupinstall "Development Tools" -y 2>/dev/null || echo -e "Failed to install development tools"
else
DEBIAN_FRONTEND=noninteractive apt install build-essential -y 2>/dev/null || echo -e "Failed to install development tools"
fi
;;
esac
}
# Helper Function for PHP Package Installation
install_php_packages() {
local php_extension="$1"
case "$Server_OS" in
"CentOS7"|"CloudLinux7"|"CloudLinux8"|"CloudLinux9")
# Find available PHP versions first
available_php_versions=$(ls /usr/local/lsws/lsphp* 2>/dev/null | grep -o 'lsphp[0-9]*' | sort -u)
if [[ -z "$available_php_versions" ]]; then
log_warning "No PHP versions found, skipping ${php_extension} installation"
return 0
fi
# Try to install packages for each available PHP version individually
for php_version in $available_php_versions; do
# Check if package exists before installing
if yum search ${php_version}-${php_extension} 2>/dev/null | grep -q "${php_version}-${php_extension}"; then
install_package "${php_version}-${php_extension}" || log_warning "Failed to install ${php_version}-${php_extension}"
fi
if yum search ${php_version}-pecl-${php_extension} 2>/dev/null | grep -q "${php_version}-pecl-${php_extension}"; then
install_package "${php_version}-pecl-${php_extension}" || log_warning "Failed to install ${php_version}-pecl-${php_extension}"
fi
done
;;
"CentOS8"|"CentOS9"|"CentOSStream8"|"CentOSStream9"|"RHEL8"|"RHEL9"|"AlmaLinux8"|"AlmaLinux9"|"AlmaLinux10"|"RockyLinux8"|"RockyLinux9"|"openEuler2003"|"openEuler2203"|"openEuler2403")
# Find available PHP versions first
available_php_versions=$(ls /usr/local/lsws/lsphp* 2>/dev/null | grep -o 'lsphp[0-9]*' | sort -u)
if [[ -z "$available_php_versions" ]]; then
log_warning "No PHP versions found, skipping ${php_extension} installation"
return 0
fi
# Try to install packages for each available PHP version individually
for php_version in $available_php_versions; do
# Check if package exists before installing
if dnf search ${php_version}-${php_extension} 2>/dev/null | grep -q "${php_version}-${php_extension}"; then
install_package "${php_version}-${php_extension}" || log_warning "Failed to install ${php_version}-${php_extension}"
fi
if dnf search ${php_version}-pecl-${php_extension} 2>/dev/null | grep -q "${php_version}-pecl-${php_extension}"; then
install_package "${php_version}-pecl-${php_extension}" || log_warning "Failed to install ${php_version}-pecl-${php_extension}"
fi
done
;;
"Ubuntu1804"|"Ubuntu2004"|"Ubuntu2010"|"Ubuntu2204"|"Ubuntu2404"|"Ubuntu24043"|"Debian11"|"Debian12"|"Debian13")
# Find available PHP versions first
available_php_versions=$(ls /usr/local/lsws/lsphp* 2>/dev/null | grep -o 'lsphp[0-9]*' | sort -u)
if [[ -z "$available_php_versions" ]]; then
log_warning "No PHP versions found, skipping ${php_extension} installation"
return 0
fi
# Try to install packages for each available PHP version
for php_version in $available_php_versions; do
if apt-cache search ${php_version}-${php_extension} 2>/dev/null | grep -q "${php_version}-${php_extension}"; then
install_package "${php_version}-${php_extension}"
else
log_warning "Package ${php_version}-${php_extension} not available"
fi
done
;;
esac
}
# Helper Function for configuring memcached
configure_memcached() {
if [[ "$Server_OS" = "CentOS" ]] || [[ "$Server_OS" = "openEuler" ]]; then
sed -i 's|OPTIONS=""|OPTIONS="-l 127.0.0.1 -U 0"|g' /etc/sysconfig/memcached
fi
}
# Helper Function for EPEL repository setup
setup_epel_repo() {
case "$Server_OS_Version" in
"7")
rpm --import https://cyberpanel.sh/dl.fedoraproject.org/pub/epel/RPM-GPG-KEY-EPEL-7
yum install -y https://dl.fedoraproject.org/pub/epel/epel-release-latest-7.noarch.rpm
Check_Return "yum repo" "no_exit"
;;
"8")
rpm --import https://cyberpanel.sh/dl.fedoraproject.org/pub/epel/RPM-GPG-KEY-EPEL-8
yum install -y https://cyberpanel.sh/dl.fedoraproject.org/pub/epel/epel-release-latest-8.noarch.rpm
Check_Return "yum repo" "no_exit"
;;
"9")
yum install -y https://cyberpanel.sh/dl.fedoraproject.org/pub/epel/epel-release-latest-9.noarch.rpm
Check_Return "yum repo" "no_exit"
;;
"10")
# AlmaLinux 10 EPEL support
yum install -y https://dl.fedoraproject.org/pub/epel/epel-release-latest-10.noarch.rpm
Check_Return "yum repo" "no_exit"
;;
esac
}
# Helper Function for MariaDB repository setup
setup_mariadb_repo() {
if [[ "$Server_OS_Version" = "7" ]]; then
cat <<EOF >/etc/yum.repos.d/MariaDB.repo
# MariaDB 10.4 CentOS repository list - created 2021-08-06 02:01 UTC
# http://downloads.mariadb.org/mariadb/repositories/
[mariadb]
name = MariaDB
baseurl = https://yum.mariadb.org/10.4/centos7-amd64
gpgkey=https://yum.mariadb.org/RPM-GPG-KEY-MariaDB
gpgcheck=1
EOF
elif [[ "$Server_OS_Version" = "8" ]]; then
cat <<EOF >/etc/yum.repos.d/MariaDB.repo
# MariaDB 10.11 RHEL8 repository list
# http://downloads.mariadb.org/mariadb/repositories/
[mariadb]
name = MariaDB
baseurl = https://yum.mariadb.org/12.1/rhel8-amd64
module_hotfixes=1
gpgkey=https://yum.mariadb.org/RPM-GPG-KEY-MariaDB
gpgcheck=1
EOF
elif [[ "$Server_OS_Version" = "9" ]] && uname -m | grep -q 'x86_64'; then
# Use official MariaDB repository setup script for RHEL 9+ systems
curl -sS "https://downloads.mariadb.com/MariaDB/mariadb_repo_setup" | bash -s -- --mariadb-server-version="12.1" --skip-maxscale --skip-tools
if [ $? -ne 0 ]; then
# Fallback to manual setup
cat <<EOF >/etc/yum.repos.d/MariaDB.repo
# MariaDB 10.11 RHEL9+ repository list
# http://downloads.mariadb.org/mariadb/repositories/
[mariadb]
name = MariaDB
baseurl = https://yum.mariadb.org/12.1/rhel9-amd64/
gpgkey=https://yum.mariadb.org/RPM-GPG-KEY-MariaDB
enabled=1
gpgcheck=1
module_hotfixes=1
EOF
fi
elif [[ "$Server_OS_Version" = "10" ]] && uname -m | grep -q 'x86_64'; then
# Use official MariaDB repository setup script for RHEL 10+ systems
curl -sS "https://downloads.mariadb.com/MariaDB/mariadb_repo_setup" | bash -s -- --mariadb-server-version="12.1" --skip-maxscale --skip-tools
if [ $? -ne 0 ]; then
# Fallback to manual setup
cat <<EOF >/etc/yum.repos.d/MariaDB.repo
# MariaDB 10.11 RHEL10+ repository list
# http://downloads.mariadb.org/mariadb/repositories/
[mariadb]
name = MariaDB
baseurl = https://yum.mariadb.org/12.1/rhel9-amd64/
gpgkey=https://yum.mariadb.org/RPM-GPG-KEY-MariaDB
enabled=1
gpgcheck=1
module_hotfixes=1
EOF
fi
fi
}
# Helper Function for PHP timezone configuration
configure_php_timezone() {
local php_version="$1"
local php_ini_path=$(find "$php_version" -name php.ini)
# Common configuration
"${php_version}/bin/phpize"
./configure --with-php-config="${php_version}/bin/php-config"
make
make install
# OS-specific configuration
if [[ "$Server_OS" = "CentOS" ]] || [[ "$Server_OS" = "openEuler" ]]; then
if [[ ! -d "${php_version}/tmp" ]]; then
mkdir "${php_version}/tmp"
fi
"${php_version}/bin/pecl" channel-update pecl.php.net
"${php_version}/bin/pear" config-set temp_dir "${php_version}/tmp"
echo "extension=timezonedb.so" > "${php_version}/etc/php.d/20-timezone.ini"
else
echo "extension=timezonedb.so" > "/usr/local/lsws/${php_version: 16:7}/etc/php/${php_version: 21:1}.${php_version: 22:1}/mods-available/20-timezone.ini"
fi
make clean
sed -i 's|expose_php = On|expose_php = Off|g' "$php_ini_path"
sed -i 's|mail.add_x_header = On|mail.add_x_header = Off|g' "$php_ini_path"
}
Debug_Log() {
echo -e "\n${1}=${2}\n" >> "/var/log/cyberpanel_debug_$(date +"%Y-%m-%d")_${Random_Log_Name}.log"
}
Debug_Log2() {
Check_Server_IP "$@" >/dev/null 2>&1
echo -e "\n${1}" >> /var/log/installLogs.txt
curl --max-time 20 -d '{"ipAddress": "'"$Server_IP"'", "InstallCyberPanelStatus": "'"$1"'"}' -H "Content-Type: application/json" -X POST https://cloud.cyberpanel.net/servers/RecvData >/dev/null 2>&1
}
Branch_Check() {
# Enhanced version validation to handle stable versions, development versions, and commit hashes
if [[ "$1" =~ ^[0-9]+\.[0-9]+\.[0-9]+(-dev)?$ ]]; then
# Handle version numbers (stable and development)
version_number=$(echo "$1" | sed 's/-dev$//')
# Check if version is higher than 2.3.4
Output=$(awk -v num1="$Base_Number" -v num2="$version_number" '
BEGIN {
print "num1", (num1 < num2 ? "<" : ">="), "num2"
}
')
if [[ $Output = *">="* ]]; then
echo -e "\nYou must use version number higher than 2.3.4"
exit
else
# Handle both stable and development versions
if [[ "$1" =~ -dev$ ]]; then
# Add 'v' prefix for development branches if not already present
if [[ "$1" =~ ^v.*-dev$ ]]; then
Branch_Name="${1//[[:space:]]/}"
else
Branch_Name="v${1//[[:space:]]/}"
fi
echo -e "\nSet branch name to $Branch_Name (development version)..."
# Check if the development branch exists using GitHub API
echo -e "Verifying branch existence..."
if ! curl -s "https://api.github.com/repos/usmannasir/cyberpanel/branches/$Branch_Name" | grep -q '"name"'; then
echo -e "\nWarning: The branch '$Branch_Name' does not exist or is not accessible."
echo -e "Available branches include: stable, v2.5.5-dev, v2.4.4, v2.4.3, etc."
echo -e "You can also use specific commits like: b05d9cb5bb3c277b22a6070f04844e8a7951585b"
echo -e "\nWould you like to continue anyway? This may cause installation issues. [y/N]"
read -r continue_choice
if [[ ! "$continue_choice" =~ ^[Yy]$ ]]; then
echo -e "Installation cancelled. Please choose a valid branch or commit."
exit 1
fi
echo -e "Continuing with non-existent branch '$Branch_Name'..."
else
echo -e "✅ Branch '$Branch_Name' verified successfully."
fi
else
Branch_Name="v${1//[[:space:]]/}"
echo -e "\nSet branch name to $Branch_Name (stable version)..."
fi
fi
elif [[ "$1" =~ ^[a-f0-9]{7,40}$ ]]; then
# Handle commit hashes (7-40 character hex strings)
commit_hash="${1//[[:space:]]/}"
Branch_Name="commit:$commit_hash"
echo -e "\nSet branch name to commit $commit_hash..."
echo -e "This will install from the specific commit: $commit_hash"
# Verify commit exists
echo -e "Verifying commit existence..."
if ! curl -s "https://api.github.com/repos/usmannasir/cyberpanel/commits/$commit_hash" | grep -q '"sha"'; then
echo -e "\nError: The commit '$commit_hash' does not exist or is not accessible."
echo -e "Please verify the commit hash and try again."
exit 1
fi
echo -e "Commit verified successfully."
else
echo -e "\nPlease input a valid format:"
echo -e " Version number: 2.4.4, 2.5.0, 2.5.5-dev"
echo -e " Commit hash: b05d9cb5bb3c277b22a6070f04844e8a7951585b"
echo -e " Short commit: b05d9cb"
exit
fi
}
License_Check() {
License_Key="$1"
echo -e "\nChecking LiteSpeed Enterprise license key..."
if echo "$License_Key" | grep -q "^....-....-....-....$" && [[ ${#License_Key} = "19" ]]; then
echo -e "\nLicense key set...\n"
elif [[ ${License_Key,,} = "trial" ]] ; then
echo -e "\nTrial license set..."
License_Key="Trial"
else
echo -e "\nLicense key seems incorrect, please verify"
echo -e "\nIf you are copying/pasting, please make sure you didn't paste blank space...\n"
exit
fi
}
Check_Return() {
#check previous command result , 0 = ok , non-0 = something wrong.
# shellcheck disable=SC2181
local exit_code=$?
if [[ $exit_code != "0" ]]; then
log_error "Previous command failed with exit code: $exit_code"
if [[ -n "$1" ]] ; then
echo -e "\n\n\n$1"
fi
echo -e "above command failed..."
Debug_Log2 "command failed, exiting. For more information read /var/log/installLogs.txt [404]"
if [[ "$2" = "no_exit" ]] ; then
echo -e"\nRetrying..."
else
exit
fi
fi
}
# check command success or not
Retry_Command() {
# shellcheck disable=SC2034
local command="$1"
log_debug "Starting retry command: $command"
for i in {1..50};
do
if [[ "$i" = "50" ]] ; then
echo "command $1 failed for 50 times, exit..."
log_error "Command failed after 50 retries: $1"
exit 2
else
eval "$1" && break || {
echo -e "\n$1 has failed for $i times\nWait and try again...\n"
log_warning "Command failed, retry $i/50: $1"
# Exponential backoff: 1s, 2s, 4s, 8s, then cap at 10s
if [[ $i -le 4 ]]; then
sleep $((2**($i-1)))
else
sleep 10
fi
}
fi
done
}
Check_Root() {
log_function_start "Check_Root"
echo -e "\nChecking root privileges..."
log_info "Checking root privileges"
if echo "$Sudo_Test" | grep SUDO >/dev/null; then
echo -e "\nYou are using SUDO , please run as root user...\n"
echo -e "\nIf you don't have direct access to root user, please run \e[31msudo su -\e[39m command (do NOT miss the \e[31m-\e[39m at end or it will fail) and then run installation command again."
log_error "Not running as root user - SUDO detected"
log_function_end "Check_Root" 1
exit
fi
if [[ $(id -u) != 0 ]] >/dev/null; then
echo -e "\nYou must run on root user to install CyberPanel...\n"
echo -e "or run following command: (do NOT miss the quotes)"
echo -e "\e[31msudo su -c \"sh <(curl https://cyberpanel.sh || wget -O - https://cyberpanel.sh)\"\e[39m"
log_error "Not running as root user - UID is not 0"
log_function_end "Check_Root" 1
exit 1
else
echo -e "\nYou are runing as root...\n"
log_info "Root user verified"
fi
log_function_end "Check_Root"
}
Check_Server_IP() {
log_function_start "Check_Server_IP"
log_debug "Fetching server IP address"
Server_IP=$(curl --silent --max-time 30 -4 https://cyberpanel.sh/?ip)
if [[ $Server_IP =~ ^[0-9]+\.[0-9]+\.[0-9]+\.[0-9]+$ ]]; then
echo -e "Valid IP detected..."
log_info "Valid server IP detected: $Server_IP"
else
echo -e "Can not detect IP, exit..."
Debug_Log2 "Can not detect IP. [404]"
log_error "Failed to detect valid server IP address"
log_function_end "Check_Server_IP" 1
exit
fi
echo -e "\nChecking server location...\n"
if [[ "$Server_Country" != "CN" ]] ; then
Server_Country=$(curl --silent --max-time 10 -4 https://cyberpanel.sh/?country)
if [[ ${#Server_Country} != "2" ]] ; then
Server_Country="Unknow"
fi
fi
#to avoid repeated check_ip called by debug_log2 to break force mirror for CN servers.
if [[ "$Debug" = "On" ]] ; then
Debug_Log "Server_IP" "$Server_IP"
Debug_Log "Server_Country" "$Server_Country"
fi
if [[ "$*" = *"--mirror"* ]] ; then
Server_Country="CN"
echo -e "Force to use mirror server due to --mirror argument...\n"
fi
if [[ "$Server_Country" = *"CN"* ]] ; then
Server_Country="CN"
echo -e "Setting up to use mirror server...\n"
log_info "Server country set to CN - will use mirror servers"
fi
log_debug "Server location: $Server_Country, IP: $Server_IP"
log_function_end "Check_Server_IP"
}
Check_OS() {
log_function_start "Check_OS"
if [[ ! -f /etc/os-release ]] ; then
log_error "Unable to detect the operating system - /etc/os-release not found"
echo -e "Unable to detect the operating system...\n"
log_function_end "Check_OS" 1
exit
fi
# Reference: https://unix.stackexchange.com/questions/116539/how-to-detect-the-desktop-environment-in-a-bash-script
if [ -z "$XDG_CURRENT_DESKTOP" ]; then
echo -e "Desktop OS not detected. Proceeding\n"
else
echo "$XDG_CURRENT_DESKTOP defined appears to be a desktop OS. Bailing as CyberPanel is incompatible."
echo -e "\nCyberPanel is supported on server OS types only. Such as Ubuntu 18.04 x86_64, Ubuntu 20.04 x86_64, Ubuntu 20.10 x86_64, Ubuntu 22.04 x86_64, Ubuntu 24.04 x86_64, Ubuntu 24.04.3 x86_64, CentOS 8.x, AlmaLinux 8.x, AlmaLinux 9.x, AlmaLinux 10.x and CloudLinux 7.x...\n"
exit
fi
if ! uname -m | grep -qE 'x86_64|aarch64' ; then
echo -e "x86_64 or ARM system is required...\n"
exit
fi
if grep -q "CentOS Linux 7" /etc/os-release ; then
Server_OS="CentOS7"
elif grep -q "CentOS Linux 8" /etc/os-release ; then
Server_OS="CentOS8"
elif grep -q "CentOS Linux 9" /etc/os-release ; then
Server_OS="CentOS9"
elif grep -q "CentOS Stream 8" /etc/os-release ; then
Server_OS="CentOSStream8"
elif grep -q "CentOS Stream 9" /etc/os-release ; then
Server_OS="CentOSStream9"
elif grep -q "Red Hat Enterprise Linux 8" /etc/os-release ; then
Server_OS="RHEL8"
elif grep -q "Red Hat Enterprise Linux 9" /etc/os-release ; then
Server_OS="RHEL9"
elif grep -q "AlmaLinux-8" /etc/os-release ; then
Server_OS="AlmaLinux8"
elif grep -q "AlmaLinux-9" /etc/os-release ; then
Server_OS="AlmaLinux9"
elif grep -q "AlmaLinux-10" /etc/os-release ; then
Server_OS="AlmaLinux10"
elif grep -q "Rocky Linux 8" /etc/os-release ; then
Server_OS="RockyLinux8"
elif grep -q "Rocky Linux 9" /etc/os-release ; then
Server_OS="RockyLinux9"
elif grep -q "CloudLinux 7" /etc/os-release ; then
Server_OS="CloudLinux7"
elif grep -q "CloudLinux 8" /etc/os-release ; then
Server_OS="CloudLinux8"
elif grep -q "CloudLinux 9" /etc/os-release ; then
Server_OS="CloudLinux9"
elif grep -q "Ubuntu 18.04" /etc/os-release ; then
Server_OS="Ubuntu1804"
elif grep -q "Ubuntu 20.04" /etc/os-release ; then
Server_OS="Ubuntu2004"
elif grep -q "Ubuntu 20.10" /etc/os-release ; then
Server_OS="Ubuntu2010"
elif grep -q "Ubuntu 22.04" /etc/os-release ; then
Server_OS="Ubuntu2204"
elif grep -q "Ubuntu 24.04" /etc/os-release ; then
Server_OS="Ubuntu2404"
elif grep -q "Ubuntu 24.04.3" /etc/os-release ; then
Server_OS="Ubuntu24043"
elif grep -q "Debian GNU/Linux 11" /etc/os-release ; then
Server_OS="Debian11"
elif grep -q "Debian GNU/Linux 12" /etc/os-release ; then
Server_OS="Debian12"
elif grep -q "Debian GNU/Linux 13" /etc/os-release ; then
Server_OS="Debian13"
elif grep -q "openEuler 20.03" /etc/os-release ; then
Server_OS="openEuler2003"
elif grep -q "openEuler 22.03" /etc/os-release ; then
Server_OS="openEuler2203"
elif grep -q "openEuler 24.03" /etc/os-release ; then
Server_OS="openEuler2403"
else
echo -e "Unable to detect your system..."
echo -e "\nCyberPanel is supported on x86_64 based Ubuntu 18.04, Ubuntu 20.04, Ubuntu 20.10, Ubuntu 22.04, Ubuntu 24.04, Ubuntu 24.04.3, Debian 11, Debian 12, Debian 13, CentOS 7, CentOS 8, CentOS 9, RHEL 8, RHEL 9, AlmaLinux 8, AlmaLinux 9, AlmaLinux 10, RockyLinux 8, RockyLinux 9, CloudLinux 7, CloudLinux 8, CloudLinux 9, openEuler 20.03, openEuler 22.03...\n"
Debug_Log2 "CyberPanel is supported on x86_64 based Ubuntu 18.04, Ubuntu 20.04, Ubuntu 20.10, Ubuntu 22.04, Ubuntu 24.04, Ubuntu 24.04.3, Debian 11, Debian 12, Debian 13, CentOS 7, CentOS 8, CentOS 9, RHEL 8, RHEL 9, AlmaLinux 8, AlmaLinux 9, AlmaLinux 10, RockyLinux 8, RockyLinux 9, CloudLinux 7, CloudLinux 8, CloudLinux 9, openEuler 20.03, openEuler 22.03... [404]"
exit
fi
Server_OS_Version=$(grep VERSION_ID /etc/os-release | awk -F[=,] '{print $2}' | tr -d \" | head -c2 | tr -d . )
#to make 20.04 display as 20, etc.
echo -e "System: $Server_OS $Server_OS_Version detected...\n"
log_info "Operating system detected: $Server_OS $Server_OS_Version"
if [[ $Server_OS = "CloudLinux" ]] || [[ "$Server_OS" = "AlmaLinux" ]] || [[ "$Server_OS" = "RockyLinux" ]] || [[ "$Server_OS" = "RedHat" ]] ; then
Server_OS="CentOS"
#CloudLinux gives version id like 7.8, 7.9, so cut it to show first number only
#treat CloudLinux, Rocky and Alma as CentOS
elif [[ "$Server_OS" = "Debian" ]] ; then
Server_OS="Ubuntu"
#Treat Debian as Ubuntu for package management (both use apt-get)
fi
if [[ "$Debug" = "On" ]] ; then
Debug_Log "Server_OS" "$Server_OS $Server_OS_Version"
fi
log_function_end "Check_OS"
}
Check_Virtualization() {
log_function_start "Check_Virtualization"
echo -e "Checking virtualization type..."
log_info "Checking virtualization type"
#if hostnamectl | grep -q "Virtualization: lxc"; then
# echo -e "\nLXC detected..."
# echo -e "CyberPanel does not support LXC"
# echo -e "Exiting..."
# Debug_Log2 "CyberPanel does not support LXC.. [404]"
# exit
#fi
#remove per https://github.com/usmannasir/cyberpanel/issues/589
if hostnamectl | grep -q "Virtualization: openvz"; then
echo -e "OpenVZ detected...\n"
log_info "OpenVZ virtualization detected - applying specific configurations"
if [[ ! -d /etc/systemd/system/pure-ftpd.service.d ]]; then
mkdir /etc/systemd/system/pure-ftpd.service.d
echo "[Service]
PIDFile=/run/pure-ftpd.pid" >/etc/systemd/system/pure-ftpd.service.d/override.conf
echo -e "PureFTPd service file modified for OpenVZ..."
fi
if [[ ! -d /etc/systemd/system/lshttpd.service.d ]]; then
mkdir /etc/systemd/system/lshttpd.service.d
echo "[Service]
PIDFile=/tmp/lshttpd/lshttpd.pid" >/etc/systemd/system/lshttpd.service.d/override.conf
echo -e "LiteSPeed service file modified for OpenVZ..."
fi
if [[ ! -d /etc/systemd/system/spamassassin.service.d ]]; then
mkdir /etc/systemd/system/spamassassin.service.d
echo "[Service]
PIDFile=/run/spamassassin.pid" >/etc/systemd/system/spamassassin.service.d/override.conf
echo -e "SpamAssassin service file modified for OpenVZ..."
fi
fi
if [[ "$Debug" = "On" ]] ; then
Debug_Log "Server_Virtualization" "$(hostnamectl | grep "Virtualization")"
fi
}
Check_Panel() {
log_function_start "Check_Panel"
log_info "Checking for existing control panels"
if [[ -d /usr/local/cpanel ]]; then
echo -e "\ncPanel detected...\n"
Debug_Log2 "cPanel detected...exit... [404]"
exit
elif [[ -d /usr/local/directadmin ]]; then
echo -e "\nDirectAdmin detected...\n"
Debug_Log2 "DirectAdmin detected...exit... [404]"
exit
elif [[ -d /etc/httpd/conf/plesk.conf.d/ ]] || [[ -d /etc/apache2/plesk.conf.d/ ]]; then
echo -e "\nPlesk detected...\n"
Debug_Log2 "Plesk detected...exit... [404]"
exit
elif [[ -d /usr/local/panel/ ]]; then
echo -e "\nOpenPanel detected...\n"
Debug_Log2 "OpenPanel detected...exit... [404]"
exit
fi
}
Check_Process() {
log_function_start "Check_Process"
log_info "Checking for conflicting processes"
local services=("httpd" "apache2" "named" "exim")
for service in "${services[@]}"; do
if systemctl is-active --quiet "$service"; then
manage_service "$service" "stop"
manage_service "$service" "disable"
manage_service "$service" "mask"
echo -e "\n$service process detected, disabling...\n"
log_warning "$service process detected and disabled"
fi
done
log_function_end "Check_Process"
}
Check_Provider() {
log_function_start "Check_Provider"
log_info "Detecting server provider"
if hash dmidecode >/dev/null 2>&1; then
if [[ "$(dmidecode -s bios-vendor)" = "Google" ]]; then
Server_Provider="Google Cloud Platform"
elif [[ "$(dmidecode -s bios-vendor)" = "DigitalOcean" ]]; then
Server_Provider="Digital Ocean"
elif [[ "$(dmidecode -s system-product-name | cut -c 1-7)" = "Alibaba" ]]; then
Server_Provider="Alibaba Cloud"
elif [[ "$(dmidecode -s system-manufacturer)" = "Microsoft Corporation" ]]; then
Server_Provider="Microsoft Azure"
elif [[ -d /usr/local/qcloud ]]; then
Server_Provider="Tencent Cloud"
else
Server_Provider="Undefined"
fi
else
Server_Provider='Undefined'
fi
if [[ -f /sys/devices/virtual/dmi/id/product_uuid ]]; then
if [[ "$(cut -c 1-3 /sys/devices/virtual/dmi/id/product_uuid)" = 'EC2' ]] && [[ -d /home/ubuntu ]]; then
Server_Provider='Amazon Web Service'
fi
fi
if [[ "$Debug" = "On" ]] ; then
Debug_Log "Server_Provider" "$Server_Provider"
fi
}
Show_Help() {
echo -e "\nCyberPanel Installer Script Help\n"
echo -e "\nUsage: sh <(curl cyberpanel.sh) --argument"
echo -e "\n\e[31m-v\e[39m or \e[31m--version\e[39m : choose to install CyberPanel OpenLiteSpeed or CyberPanel Enterprise, available options are \e[31mols\e[39m , \e[31mTRIAL\e[39m and \e[31mSERIAL_NUMBER\e[39m, default ols"
echo -e "Please be aware, this serial number must be obtained from LiteSpeed Store."
echo -e "And if this serial number has been used before, it must be released/migrated in Store first, otherwise it will fail to start."
echo -e "\n\e[31m-a\e[39m or \e[31m--addons\e[39m : install addons: memcached, redis, PHP extension for memcached and redis"
echo -e "\n\e[31m-p\e[39m or \e[31m--password\e[39m : set password of new installation, empty for default 1234567, [r] or [random] for randomly generated 16 digital password, any other value besides [d] and [r(andom)] will be accept as password, default use 1234567."
echo -e "e.g. \e[31m-p r\e[39m will generate a random password"
echo -e " \e[31m-p 123456789\e[39m will set password to 123456789"
echo -e "\n\e[31m-m\e[39m or \e[31m--minimal\e[39m : set to minimal mode which will not install PowerDNS, Pure-FTPd and Postfix"
echo -e "\n\e[31m-m postfix/pureftpd/powerdns\e[39m will do minimal install also with compoenent given"
echo -e "e.g. \e[31m-m postfix\e[39m will do minimal install also with Postfix"
echo -e " \e[31m-m powerdns\e[39m will do minimal install also with PowerDNS"
echo -e " \e[31m-m postfix\e[39m powerdns will do minimal install also with Postfix and PowerDNS"
echo -e "\n\e[31m-b\e[39m or \e[31m--branch\e[39m : install with given branch/version , must be higher than 2.3.4"
echo -e "e.g. \e[31m-b 2.0.2\e[39m will install 2.0.2 version"
echo -e "\n\e[31m--mirror\e[39m : this argument force to use mirror server for majority of repositories, only suggest to use for servers within China"
echo -e "\nExample:"
echo -e "\nsh <(curl cyberpanel.sh) -v ols -p r or ./cyberpanel.sh --version ols --password random"
echo -e "\nThis will install CyberPanel OpenLiteSpeed and randomly generate the password."
echo -e "\nsh <(curl cyberpanel.sh) -v LICENSE_KEY -a -p my_pass_word"
echo -e "\nThis will install LiteSpeed Enterise , replace LICENSE_KEY to actual license key and set password to my_pass_word\n"
}
Check_Argument() {
log_function_start "Check_Argument" "$@"
if [[ "$#" = "0" ]] || [[ "$#" = "1" && "$1" = "--debug" ]] || [[ "$#" = "1" && "$1" = "--mirror" ]]; then
echo -e "\nInitialized...\n"
else
if [[ $1 = "help" ]]; then
Show_Help
exit
elif [[ $1 = "default" ]]; then
echo -e "\nThis will start default installation...\n"
Silent="On"
Postfix_Switch="On"
PowerDNS_Switch="On"
PureFTPd_Switch="On"
Server_Edition="OLS"
Admin_Pass="1234567"
Memcached="On"
Redis="On"
else
while [[ -n "${1}" ]]; do
case $1 in
-v | --version)
shift
if [[ "${1}" = "" ]]; then
Show_Help
exit
elif [[ "${1^^}" = "OLS" ]] ; then
Server_Edition="OLS"
Silent="On"
echo -e "\nSet to use OpenLiteSpeed..."
else
Server_Edition="Enterprise"
License_Key="${1}"
Silent="On"
echo -e "\nSet to use LiteSpeed Enterprise..."
echo -e "\nSet to use license key ${1}..."
fi
;;
-p | --password)
shift
if [[ ${1} = "" ]]; then
Admin_Pass="1234567"
elif [[ ${1} = "r" ]] || [[ $1 = "random" ]]; then
Admin_Pass=$(
head /dev/urandom | tr -dc A-Za-z0-9 | head -c 16
echo ''
)
elif [[ ${1} = "d" ]]; then
Admin_Pass="1234567"
else
if [[ ${#1} -lt 8 ]]; then
echo -e "\nPassword length less than 8 digital, please choose a more complicated password.\n"
exit
fi
Admin_Pass="${1}"
fi
echo -e "\nSet to use password ${1}..."
;;
-b | --branch)
shift
Branch_Check "${1}"
;;
-m | --minimal)
if ! echo "$@" | grep -q -i "postfix\|pureftpd\|powerdns" ; then
Postfix_Switch="Off"
PowerDNS_Switch="Off"
PureFTPd_Switch="Off"
echo -e "\nSet to use minimal installation..."
else
if [[ "${*^^}" = *"POSTFIX"* ]] ; then
Postfix_Switch="On"
echo -e "\nEnable Postfix..."
fi
if [[ "${*^^}" = *"PUREFTPD"* ]] ; then
PureFTPd_Switch="On"
echo -e "\nEnable PureFTPd..."
fi
if [[ "${*^^}" = *"POWERDNS"* ]] ; then
PowerDNS_Switch="On"
echo -e "\nEnable PowerDNS..."
fi
fi
;;
-a | --addons)
Memcached="On"
Redis="On"
echo -e "\nEnable Addons..."
;;
-h | --help)
Show_Help
exit
;;
--debug)
echo -e "\nEnable Debug log...\n"
;;
--mirror)
echo -e "\nForce to use mirror server...\n"
;;
*)
if [[ "${1^^}" = *"POSTFIX"* ]] || [[ "${1^^}" = *"PUREFTPD"* ]] || [[ "${1^^}" = *"POWERDNS"* ]] ; then
:
#this is ugly workaround , leave it for now , to-do for further improvement.
else
echo -e "\nUnknown argument...\n"
Show_Help
exit
fi
;;
esac
shift
done
fi
fi
if [[ "$Debug" = "On" ]] ; then
Debug_Log "Arguments" "${@}"
fi
Debug_Log2 "Initialization completed..,2"
}
Argument_Mode() {
if [[ "${Server_Edition^^}" = "OLS" ]] ; then
Server_Edition="OLS"
echo -e "\nSet to OpenLiteSpeed..."
else
License_Check "$License_Key"
fi
if [[ $Admin_Pass = "d" ]]; then
Admin_Pass="1234567"
echo -e "\nSet to default password..."
echo -e "\nAdmin password will be set to \e[31m$Admin_Pass\e[39m\n"
elif [[ $Admin_Pass = "r" ]]; then
Admin_Pass=$(
head /dev/urandom | tr -dc A-Za-z0-9 | head -c 16
echo ''
)
echo -e "\nSet to random-generated password..."
echo -e "\nAdmin password will be set to \e[31m$Admin_Pass\e[39m"
else
echo -e "\nAdmin password will be set to \e[31m$Admin_Pass\e[39m"
fi
}
Interactive_Mode() {
echo -e " CyberPanel Installer v$Panel_Version.$Panel_Build
1. Install CyberPanel.
2. Exit.
"
read -r -p " Please enter the number[1-2]: " Input_Number
echo ""
case "$Input_Number" in
1)
Interactive_Mode_Set_Parameter
;;
2)
exit
;;
*)
echo -e " Please enter the right number [1-2]\n"
exit
;;
esac
}
Interactive_Mode_Set_Parameter() {
echo -e " CyberPanel Installer v$Panel_Version.$Panel_Build
RAM check : $(free -m | awk 'NR==2{printf "%s/%sMB (%.2f%%)\n", $3,$2,$3*100/$2 }')
Disk check : $(df -h | awk '$NF=="/"{printf "%d/%dGB (%s)\n", $3,$2,$5}') (Minimal \e[31m10GB\e[39m free space)
1. Install CyberPanel with \e[31mOpenLiteSpeed\e[39m.
2. Install Cyberpanel with \e[31mLiteSpeed Enterprise\e[39m.
3. Exit.
"
read -r -p " Please enter the number[1-3]: " Input_Number
echo ""
case "$Input_Number" in
1)
Server_Edition="OLS"
;;
2)
Interactive_Mode_License_Input
;;
3)
exit
;;
*)
echo -e " Please enter the right number [1-3]\n"
exit
;;
esac
echo -e "\nInstall Full service for CyberPanel? This will include PowerDNS, Postfix and Pure-FTPd."
echo -e ""
printf "%s" "Full installation [Y/n]: "
read -r Tmp_Input
if [[ $(expr "x$Tmp_Input" : 'x[Yy]') -gt 1 ]] || [[ $Tmp_Input = "" ]]; then
echo -e "\nFull installation selected..."
Postfix_Switch="On"
PowerDNS_Switch="On"
PureFTPd_Switch="On"
else
echo -e ""
printf "%s" "Install Postfix? [Y/n]: "
read -r Tmp_Input
if [[ $Tmp_Input =~ ^(no|n|N) ]]; then
Postfix_Switch="Off"
else
Postfix_Switch="On"
fi
echo -e ""
printf "%s" "Install PowerDNS? [Y/n]: "
read -r Tmp_Input
if [[ $Tmp_Input =~ ^(no|n|N) ]]; then
PowerDNS_Switch="Off"
else
PowerDNS_Switch="On"
fi
echo -e ""
printf "%s" "Install PureFTPd? [Y/n]: "
read -r Tmp_Input
if [[ $Tmp_Input =~ ^(no|n|N) ]]; then
PureFTPd_Switch="Off"
else
PureFTPd_Switch="On"
fi
fi
### Ask if you want to set up this CyberPanel with remote MySQL
echo -e "\nDo you want to setup Remote MySQL? (This will skip installation of local MySQL)"
echo -e ""
printf "%s" "(Default = No) Remote MySQL [y/N]: "
read -r Tmp_Input
if [[ $(expr "x$Tmp_Input" : 'x[Yy]') -gt 1 ]]; then
echo -e "\nRemote MySQL selected..."
Remote_MySQL="On"
echo -e ""
printf "%s" "Remote MySQL Hostname: "
read -r MySQL_Host
echo -e ""
printf "%s" "Remote MySQL Database that contains meta information regarding MYSQL. (usually mysql): "
read -r MySQL_DB
echo -e ""
printf "%s" "Remote MySQL Username: "
read -r MySQL_User
echo -e ""
printf "%s" "Remote MySQL Password: "
read -r -s -p "Password: " MySQL_Password
echo -e ""
printf "%s" "Remote MySQL Port: "
read -r MySQL_Port
else
echo -e "\nLocal MySQL selected..."
fi
echo -e "\nPress \e[31mEnter\e[39m key to continue with latest version or Enter specific version such as:"
echo -e " \e[31m2.4.4\e[39m (stable version)"
echo -e " \e[31m2.5.0\e[39m (stable version)"
echo -e " \e[31m2.5.5-dev\e[39m (development version - will auto-add 'v' prefix)"
echo -e " \e[31mv2.5.5-dev\e[39m (development version with 'v' prefix)"
echo -e " \e[31mv2.3.5-dev\e[39m (development version with 'v' prefix)"
echo -e " \e[31mv2.3.4\e[39m (stable version)"
echo -e " \e[31mb05d9cb5bb3c277b22a6070f04844e8a7951585b\e[39m (specific commit)"
echo -e " \e[31mb05d9cb\e[39m (short commit hash)"
echo -e ""
echo -e "\e[33mNote: Development versions will automatically get 'v' prefix if not provided.\e[39m"
printf "%s" ""
read -r Tmp_Input
if [[ $Tmp_Input = "" ]]; then
echo -e "Branch name set to $Branch_Name"
else
Branch_Check "$Tmp_Input"
fi
echo -e "\nPlease choose to use default admin password \e[31m1234567\e[39m, randomly generate one \e[31m(recommended)\e[39m or specify the admin password?"
printf "%s" "Choose [d]fault, [r]andom or [s]et password: [d/r/s] "
Tmp_Input="r"
if [[ $Tmp_Input =~ ^(d|D| ) ]] || [[ -z $Tmp_Input ]]; then
Admin_Pass="1234567"
echo -e "\nAdmin password will be set to $Admin_Pass\n"
elif [[ $Tmp_Input =~ ^(r|R) ]]; then
Admin_Pass=$(
head /dev/urandom | tr -dc A-Za-z0-9 | head -c 16
echo ''
)
echo -e "\nAdmin password will be provided once installation is completed...\n"
elif [[ $Tmp_Input =~ ^(s|S) ]]; then
Custom_Pass="True"
echo -e "\nPlease enter your password:"
printf "%s" ""
read -r -s -p "Password: " Tmp_Input
if [[ -z "$Tmp_Input" ]]; then
echo -e "\nPlease do not use empty string...\n"
exit
fi
if [[ ${#Tmp_Input} -lt 8 ]]; then
echo -e "\nPassword length less than 8 digital, please choose a more complicated password.\n"
exit
fi
Tmp_Input1=$Tmp_Input
read -r -s -p "Confirm Password:" Tmp_Input
if [[ -z "$Tmp_Input" ]]; then
echo -e "\nPlease do not use empty string...\n"
exit
fi
if [[ "$Tmp_Input" = "$Tmp_Input1" ]]; then
Admin_Pass=$Tmp_Input
else
echo -e "\nRepeated password didn't match , please check...\n"
exit
fi
else
Admin_Pass="1234567"
echo -e "\nAdmin password will be set to $Admin_Pass\n"
fi
echo -e "\nDo you wish to install Memcached process and its PHP extension?"
printf "%s" "Please select [Y/n]: "
read -r Tmp_Input
if [[ $Tmp_Input =~ ^(no|n|N) ]]; then
Memcached="Off"
else
Memcached="On"
echo -e "\nInstall Memcached process and its PHP extension set to Yes...\n"
fi
echo -e "\nDo you wish to install Redis process and its PHP extension?"
printf "%s" "Please select [Y/n]: "
read -r Tmp_Input
if [[ $Tmp_Input =~ ^(no|n|N) ]]; then
Redis="Off"
else
Redis="On"
echo -e "\nInstall Redis process and its PHP extension set to Yes...\n"
fi
echo -e "\nWould you like to set up a WatchDog \e[31m(beta)\e[39m for Web service and Database service ?"
echo -e "The watchdog script will be automatically started up after installation and server reboot"
echo -e "If you want to kill the watchdog , run \e[31mwatchdog kill\e[39m"
echo -e "Please type Yes or no (with capital \e[31mY\e[39m, default Yes): "
read -r Tmp_Input
if [[ $Tmp_Input = "Yes" ]] || [[ $Tmp_Input = "" ]]; then
Watchdog="On"
echo -e "\nInstall Watchdog set to Yes...\n"
else
Watchdog="Off"
fi
}
Interactive_Mode_License_Input() {
Server_Edition="Enterprise"
echo -e "\nPlease note that your server has \e[31m$Total_RAM MB\e[39m RAM"
echo -e "REMINDER: The \e[31mFree Start\e[39m license requires \e[31m2GB or less\e[39m of RAM and the \e[31mSite Owner\e[39m and \e[31mWeb Host Lite\e[39m licenses require \e[31m8GB or less\e[39m.\n"
echo -e "If you do not have any license, you can also use trial license (if server has not used trial license before), type \e[31mTRIAL\e[39m\n"
printf "%s" "Please input your serial number for LiteSpeed WebServer Enterprise: "
read -r License_Key
if [[ -z "$License_Key" ]]; then
echo -e "\nPlease provide license key\n"
exit
fi
echo -e "The serial number you input is: \e[31m$License_Key\e[39m\n"
printf "%s" "Please verify it is correct. [y/N]: "
read -r Tmp_Input
if [[ -z "$Tmp_Input" ]]; then
echo -e "\nPlease type \e[31my\e[39m\n"
exit
fi
License_Check "$License_Key"
#echo -e "\nWould you like use Redis Mass Hosting?"
#echo -e "Please type Yes or No (with capital \e[31mY\e[39m, default No):"
#read -r Redis_Hosting
#if [[ "$Redis_Hosting" = "Yes" ]]; then
# echo -e "\nRedis Mass Hosting is set to Yes...\n"
#fi
# hide it for now
}
Pre_Install_Setup_Repository() {
log_function_start "Pre_Install_Setup_Repository"
log_info "Setting up package repositories for $Server_OS $Server_OS_Version"
if [[ $Server_OS = "CentOS" ]] ; then
log_debug "Importing LiteSpeed GPG key"
rpm --import https://cyberpanel.sh/rpms.litespeedtech.com/centos/RPM-GPG-KEY-litespeed || {
log_warning "Primary GPG key import failed, trying alternative source"
rpm --import https://rpms.litespeedtech.com/centos/RPM-GPG-KEY-litespeed || {
log_error "Failed to import LiteSpeed GPG key from all sources"
return 1
}
}
#import the LiteSpeed GPG key
yum clean all
yum autoremove -y epel-release
rm -f /etc/yum.repos.d/epel.repo
rm -f /etc/yum.repos.d/epel.repo.rpmsave
# Setup EPEL repository based on version
setup_epel_repo
# Setup MariaDB repository
setup_mariadb_repo
if [[ "$Server_OS_Version" = "9" ]] || [[ "$Server_OS_Version" = "10" ]]; then
# Check if architecture is aarch64
if uname -m | grep -q 'aarch64' ; then
# Run the following commands if architecture is aarch64
/usr/bin/crb enable
curl -sS https://downloads.mariadb.com/MariaDB/mariadb_repo_setup | sudo bash
dnf install libxcrypt-compat -y
fi
# check if OS is AlmaLinux
if grep -q -E "AlmaLinux|Rocky Linux" /etc/os-release ; then
# check and install dnf-plugins-core if not installed
rpm -q dnf-plugins-core > /dev/null 2>&1 || dnf install -y dnf-plugins-core
# enable codeready-builder repo for AlmaLinux
dnf config-manager --set-enabled crb > /dev/null 2>&1
else
# enable codeready-builder repo for Other RHEL Based OS
dnf config-manager --set-enabled crb
fi
if [[ "$Server_OS_Version" = "9" ]]; then
yum install -y https://rpms.remirepo.net/enterprise/remi-release-9.rpm
Check_Return "yum repo" "no_exit"
elif [[ "$Server_OS_Version" = "10" ]]; then
yum install -y https://rpms.remirepo.net/enterprise/remi-release-10.rpm
Check_Return "yum repo" "no_exit"
fi
fi
if [[ "$Server_OS_Version" = "8" ]]; then
rpm --import https://cyberpanel.sh/www.centos.org/keys/RPM-GPG-KEY-CentOS-Official
sed -i 's/mirrorlist/#mirrorlist/g' /etc/yum.repos.d/CentOS-* > /dev/null 2>&1
sed -i 's|#baseurl=http://mirror.centos.org|baseurl=http://vault.centos.org|g' /etc/yum.repos.d/CentOS-* > /dev/null 2>&1
# ref: https://stackoverflow.com/questions/70926799/centos-through-vm-no-urls-in-mirrorlist
dnf config-manager --set-enabled PowerTools > /dev/null 2>&1
dnf config-manager --set-enabled powertools > /dev/null 2>&1
# cat <<EOF >/etc/yum.repos.d/CentOS-PowerTools-CyberPanel.repo
#[powertools-for-cyberpanel]
#name=CentOS Linux \$releasever - PowerTools
#mirrorlist=http://mirrorlist.centos.org/?release=\$releasever&arch=\$basearch&repo=PowerTools&infra=\$infra
#baseurl=http://mirror.centos.org/\$contentdir/\$releasever/PowerTools/\$basearch/os/
#gpgcheck=1
#enabled=1
#gpgkey=file:///etc/pki/rpm-gpg/RPM-GPG-KEY-centosofficial
#EOF
fi
if [[ "$Server_OS_Version" = "7" ]]; then
rpm --import https://cyberpanel.sh/dl.fedoraproject.org/pub/epel/RPM-GPG-KEY-EPEL-7
yum install -y https://dl.fedoraproject.org/pub/epel/epel-release-latest-7.noarch.rpm
Check_Return "yum repo" "no_exit"
yum install -y yum-plugin-copr
Check_Return "yum repo" "no_exit"
yum copr enable -y copart/restic
Check_Return "yum repo" "no_exit"
yum install -y yum-plugin-priorities
Check_Return "yum repo" "no_exit"
curl -o /etc/yum.repos.d/powerdns-auth-43.repo https://cyberpanel.sh/repo.powerdns.com/repo-files/centos-auth-43.repo
Check_Return "yum repo" "no_exit"
cat <<EOF >/etc/yum.repos.d/MariaDB.repo
# MariaDB 10.4 CentOS repository list - created 2021-08-06 02:01 UTC
# http://downloads.mariadb.org/mariadb/repositories/
[mariadb]
name = MariaDB
baseurl = http://yum.mariadb.org/10.4/centos7-amd64
gpgkey=https://yum.mariadb.org/RPM-GPG-KEY-MariaDB
gpgcheck=1
EOF
yum install --nogpg -y https://cyberpanel.sh/mirror.ghettoforge.net/distributions/gf/gf-release-latest.gf.el7.noarch.rpm
Check_Return "yum repo" "no_exit"
rpm -ivh https://cyberpanel.sh/repo.iotti.biz/CentOS/7/noarch/lux-release-7-1.noarch.rpm
Check_Return "yum repo" "no_exit"
rpm -ivh https://cyberpanel.sh/repo.ius.io/ius-release-el7.rpm
Check_Return "yum repo" "no_exit"
fi
fi
if [[ $Server_OS = "openEuler" ]]; then
log_debug "Importing LiteSpeed GPG key"
rpm --import https://cyberpanel.sh/rpms.litespeedtech.com/centos/RPM-GPG-KEY-litespeed
#import the LiteSpeed GPG key
yum clean all
sed -i "s|gpgcheck=1|gpgcheck=0|g" /etc/yum.repos.d/openEuler.repo
sed -i "s|repo.openeuler.org|mirror.efaith.com.hk/openeuler|g" /etc/yum.repos.d/openEuler.repo
if [[ "$Server_OS_Version" = "20" ]]; then
dnf install --nogpg -y https://repo.yaro.ee/yaro-release-20.03LTS-latest.oe1.noarch.rpm
Check_Return "yum repo" "no_exit"
fi
if [[ "$Server_OS_Version" = "22" ]]; then
dnf install --nogpg -y https://repo.yaro.ee/yaro-release-22.03LTS-latest.oe2203.noarch.rpm
Check_Return "yum repo" "no_exit"
fi
fi
Debug_Log2 "Setting up repositories...,1"
if [[ "$Server_Country" = "CN" ]] ; then
Pre_Install_Setup_CN_Repository
Debug_Log2 "Setting up repositories for CN server...,1"
fi
if [[ "$Server_Country" = "CN" ]] || [[ "$Server_Provider" = "Alibaba Cloud" ]] || [[ "$Server_Provider" = "Tencent Cloud" ]]; then
Setup_Pip
fi
}
Setup_Pip() {
rm -rf /root/.pip
mkdir -p /root/.pip
cat <<EOF >/root/.pip/pip.conf
[global]
index-url=https://cyberpanel.sh/pip-repo/pypi/simple/
EOF
#default to self-host pip for CN
if [[ "$Server_Provider" = "Alibaba Cloud" ]] ; then
sed -i 's|https://cyberpanel.sh/pip-repo/pypi/simple/|http://mirrors.cloud.aliyuncs.com/pypi/simple/|g' /root/.pip/pip.conf
echo "trusted-host = mirrors.cloud.aliyuncs.com" >> /root/.pip/pip.conf
fi
if [[ "$Server_Provider" = "Tencent Cloud" ]] ; then
sed -i 's|https://cyberpanel.sh/pip-repo/pypi/simple/|https://mirrors.cloud.tencent.com/pypi/simple/|g' /root/.pip/pip.conf
fi
#set Alibaba and Tencent to their private mirror
Debug_Log2 "Setting up PIP repo...,3"
#set up pip for Alibaba, Tencent worldwide and Chinese server
if [[ "$Debug" = "On" ]] ; then
Debug_Log "Pip Source" "$(grep "index-url" /root/.pip/pip.conf)"
fi
}
Pre_Install_Setup_CN_Repository() {
if [[ "$Server_OS" = "CentOS" ]] && [[ "$Server_OS_Version" = "7" ]]; then
sed -i 's|http://yum.mariadb.org|https://cyberpanel.sh/yum.mariadb.org|g' /etc/yum.repos.d/MariaDB.repo
sed -i 's|https://yum.mariadb.org/RPM-GPG-KEY-MariaDB|https://cyberpanel.sh/yum.mariadb.org/RPM-GPG-KEY-MariaDB|g' /etc/yum.repos.d/MariaDB.repo
# use MariaDB Mirror
sed -i 's|https://download.copr.fedorainfracloud.org|https://cyberpanel.sh/download.copr.fedorainfracloud.org|g' /etc/yum.repos.d/_copr_copart-restic.repo
sed -i 's|http://repo.iotti.biz|https://cyberpanel.sh/repo.iotti.biz|g' /etc/yum.repos.d/frank.repo
sed -i "s|mirrorlist=http://mirrorlist.ghettoforge.org/el/7/gf/\$basearch/mirrorlist|baseurl=https://cyberpanel.sh/mirror.ghettoforge.net/distributions/gf/el/7/gf/x86_64/|g" /etc/yum.repos.d/gf.repo
sed -i "s|mirrorlist=http://mirrorlist.ghettoforge.org/el/7/plus/\$basearch/mirrorlist|baseurl=https://cyberpanel.sh/mirror.ghettoforge.net/distributions/gf/el/7/plus/x86_64/|g" /etc/yum.repos.d/gf.repo
sed -i 's|https://repo.ius.io|https://cyberpanel.sh/repo.ius.io|g' /etc/yum.repos.d/ius.repo
sed -i 's|http://repo.iotti.biz|https://cyberpanel.sh/repo.iotti.biz|g' /etc/yum.repos.d/lux.repo
sed -i 's|http://repo.powerdns.com|https://cyberpanel.sh/repo.powerdns.com|g' /etc/yum.repos.d/powerdns-auth-43.repo
sed -i 's|https://repo.powerdns.com|https://cyberpanel.sh/repo.powerdns.com|g' /etc/yum.repos.d/powerdns-auth-43.repo
fi
# sed -i 's|http://mirrors.tencentyun.com/ubuntu/|https://cyberpanel.sh/us.archive.ubuntu.com/ubuntu/|g' /etc/apt/sources.list
Debug_Log2 "Setting up repositories for CN server...,1"
}
Download_Requirement() {
for i in {1..50} ;
do
if [[ "$Server_OS" =~ ^(Ubuntu2204|Ubuntu2404|Ubuntu24043|CentOS9|RHEL9|AlmaLinux9|AlmaLinux10|RockyLinux9|openEuler) ]]; then
wget -O /usr/local/requirments.txt "${Git_Content_URL}/${Branch_Name}/requirments.txt"
else
wget -O /usr/local/requirments.txt "${Git_Content_URL}/${Branch_Name}/requirments-old.txt"
fi
if grep -q "Django==" /usr/local/requirments.txt ; then
break
else
echo -e "\n Requirement list has failed to download for $i times..."
echo -e "Wait for 5 seconds and try again...\n"
sleep 5
fi
done
#special made function for Gitee.com , for whatever reason , sometimes it fails to download this file
}
Pre_Install_Required_Components() {
log_function_start "Pre_Install_Required_Components"
Debug_Log2 "Installing necessary components..,3"
log_info "Installing required system components and dependencies"
if [[ "$Server_OS" =~ ^(CentOS|RHEL|AlmaLinux|RockyLinux|CloudLinux|openEuler) ]] ; then
# System-wide update - consider making this optional for faster installs
# Could add a --skip-system-update flag to bypass this
# Determine package manager based on specific OS
if [[ "$Server_OS" =~ ^(CentOS7|CloudLinux7) ]] ; then
PKG_MANAGER="yum"
yum update -y
else
PKG_MANAGER="dnf"
dnf update -y
fi
if [[ "$Server_OS" =~ ^(CentOS7|CloudLinux7) ]] ; then
yum install -y wget strace net-tools curl which bc telnet htop libevent-devel gcc libattr-devel xz-devel gpgme-devel curl-devel git socat openssl-devel MariaDB-shared mariadb-devel yum-utils python36u python36u-pip python36u-devel zip unzip bind-utils
Check_Return
yum -y groupinstall development
Check_Return
elif [[ "$Server_OS" =~ ^(CentOS8|RHEL8|AlmaLinux8|RockyLinux8|CloudLinux8) ]] ; then
dnf install -y libnsl zip wget strace net-tools curl which bc telnet htop libevent-devel gcc libattr-devel xz-devel mariadb-devel curl-devel git platform-python-devel tar socat python3 zip unzip bind-utils gpgme-devel
Check_Return
elif [[ "$Server_OS" =~ ^(CentOS9|RHEL9|AlmaLinux9|AlmaLinux10|RockyLinux9|openEuler) ]] ; then
# Enhanced package installation for AlmaLinux 9/10, RHEL 9, RockyLinux 9, etc.
# STEP 1: Clean all caches first to prevent conflicts
dnf clean all
dnf makecache
# STEP 2: Install EPEL repository for additional packages like htop
dnf install -y epel-release
Check_Return "EPEL repository" "no_exit"
# STEP 3: Clean caches after EPEL installation
dnf clean all
dnf makecache
# Note: OS-specific fixes are now handled by the Python installation process
# STEP 4: Setup MariaDB repository for RHEL 9+ based systems (AlmaLinux 9/10, RockyLinux 9, RHEL 9)
if [[ "$Server_OS" =~ ^(AlmaLinux9|AlmaLinux10|RockyLinux9|RHEL9|RHEL10) ]] ; then
# Use the official MariaDB repository setup script for better compatibility
log_info "Setting up MariaDB repository for $Server_OS..."
curl -sS "https://downloads.mariadb.com/MariaDB/mariadb_repo_setup" | bash -s -- --mariadb-server-version="12.1" --skip-maxscale --skip-tools
Check_Return "MariaDB repository setup" "no_exit"
# Verify MariaDB repository was added successfully
if dnf repolist | grep -q "mariadb"; then
log_info "MariaDB repository added successfully"
else
log_warning "MariaDB repository setup may have failed, continuing with installation"
fi
# Fallback manual repository setup if the script fails
if [ ! -f /etc/yum.repos.d/mariadb.repo ]; then
cat <<EOF >/etc/yum.repos.d/MariaDB.repo
# MariaDB 10.11 RHEL9+ repository list
# http://downloads.mariadb.org/mariadb/repositories/
[mariadb]
name = MariaDB
baseurl = https://yum.mariadb.org/12.1/rhel9-amd64/
gpgkey=https://yum.mariadb.org/RPM-GPG-KEY-MariaDB
enabled=1
gpgcheck=1
module_hotfixes=1
EOF
Check_Return "MariaDB repository fallback setup" "no_exit"
fi
# STEP 5: Clean caches after MariaDB repo setup
dnf clean all
dnf makecache
# STEP 6: Set repository priorities to prevent conflicts
dnf install -y yum-plugin-priorities
if [ -f /etc/yum.repos.d/mariadb.repo ]; then
sed -i '/\[mariadb\]/a priority=1' /etc/yum.repos.d/mariadb.repo
fi
if [ -f /etc/yum.repos.d/MariaDB.repo ]; then
sed -i '/\[mariadb\]/a priority=1' /etc/yum.repos.d/MariaDB.repo
fi
# STEP 6.1: Check for repository conflicts and resolve them
echo "Checking for repository conflicts..."
if dnf repolist | grep -q "mariadb"; then
echo "MariaDB repository detected successfully"
else
echo "Warning: MariaDB repository not found, attempting to resolve..."
# Try alternative repository setup
dnf install -y mariadb-server mariadb-devel mariadb-client-utils --skip-broken --nobest
fi
fi
# STEP 7: Install packages in logical order to prevent conflicts
# First: Install base system packages
dnf install -y libnsl zip wget strace net-tools curl which bc telnet htop libevent-devel gcc libattr-devel xz-devel curl-devel git platform-python-devel tar socat python3 zip unzip bind-utils openssl-devel boost-devel boost-program-options
Check_Return "Base system packages" "no_exit"
# Second: Install MariaDB packages (with proper dependency resolution)
dnf install -y mariadb-server mariadb-devel mariadb-client-utils --skip-broken --nobest
Check_Return "MariaDB packages" "no_exit"
# STEP 7.1: Check for package conflicts and resolve them
echo "Checking for package conflicts..."
if dnf list installed | grep -q "mariadb-server"; then
echo "MariaDB server installed successfully"
else
echo "Warning: MariaDB server not found, attempting to resolve..."
# Try installing from different sources
dnf install -y mariadb-server --skip-broken --nobest --allowerasing
fi
# STEP 8: Install development tools group
dnf groupinstall -y "Development Tools"
Check_Return "Development Tools" "no_exit"
# STEP 9: Final cache clean and update to ensure consistency
dnf clean all
dnf makecache
dnf update -y --skip-broken
Check_Return "Final system update" "no_exit"
# STEP 10: Verify repository consistency
echo "Verifying repository consistency..."
dnf repolist
echo "Repository verification completed"
# Fix boost library compatibility for galera-4 on AlmaLinux 10
if [[ "$Server_OS_Version" = "10" ]]; then
# Create symlink for boost libraries if needed
if [ ! -f /usr/lib64/libboost_program_options.so.1.75.0 ]; then
BOOST_VERSION=$(find /usr/lib64 -name "libboost_program_options.so.*" | head -1 | sed 's/.*libboost_program_options\.so\.//')
if [ -n "$BOOST_VERSION" ]; then
ln -sf /usr/lib64/libboost_program_options.so.$BOOST_VERSION /usr/lib64/libboost_program_options.so.1.75.0
log_info "Created boost library symlink for galera-4 compatibility: $BOOST_VERSION -> 1.75.0"
else
log_warning "Could not find boost libraries, galera-4 may not work properly"
fi
fi
fi
elif [[ "$Server_OS" =~ ^(CentOS8|RHEL8|AlmaLinux8|RockyLinux8|CloudLinux8) ]] ; then
dnf install -y libnsl zip wget strace net-tools curl which bc telnet htop libevent-devel gcc libattr-devel xz-devel mariadb-devel curl-devel git platform-python-devel tar socat python3 zip unzip bind-utils gpgme-devel
Check_Return
fi
ln -s /usr/bin/pip3 /usr/bin/pip
elif [[ "$Server_OS" =~ ^(Ubuntu|Debian) ]] ; then
# Update package lists (required for installations)
apt update -y
# System-wide upgrade - consider making this optional for faster installs
# Could add a --skip-system-upgrade flag to bypass this
DEBIAN_FRONTEND=noninteractive apt upgrade -y -o Dpkg::Options::="--force-confdef" -o Dpkg::Options::="--force-confold"
if [[ "$Server_Provider" = "Alibaba Cloud" ]] ; then
apt install -y --allow-downgrades libgnutls30=3.6.13-2ubuntu1.3
fi
# Check if this is Debian (no lsb-release) and use appropriate packages
if [[ ! -f /etc/lsb-release ]] && [[ -f /etc/debian_version ]]; then
# Pure Debian system - check version for package mapping
DEBIAN_VERSION=$(cat /etc/debian_version | cut -d'.' -f1)
if [[ $DEBIAN_VERSION -ge 13 ]]; then
# Debian 13 (Trixie) - use newer package names
DEBIAN_FRONTEND=noninteractive apt install -y dnsutils net-tools htop telnet libcurl4-gnutls-dev libgnutls28-dev libgcrypt20-dev libattr1 libattr1-dev liblzma-dev libgpgme-dev libcurl4-gnutls-dev libssl-dev nghttp2 libnghttp2-dev idn2 libidn2-dev librtmp-dev libpsl-dev nettle-dev libgnutls28-dev libldap2-dev libgssapi-krb5-2 libk5crypto3 libkrb5-dev libcom-err2 libldap2-dev virtualenv git socat vim unzip zip libmariadb-dev-compat libmariadb-dev
Check_Return
elif [[ $DEBIAN_VERSION -ge 12 ]]; then
# Debian 12 (Bookworm) - use intermediate package names
DEBIAN_FRONTEND=noninteractive apt install -y dnsutils net-tools htop telnet libcurl4-gnutls-dev libgnutls28-dev libgcrypt20-dev libattr1 libattr1-dev liblzma-dev libgpgme-dev libcurl4-gnutls-dev libssl-dev nghttp2 libnghttp2-dev idn2 libidn2-dev librtmp-dev libpsl-dev nettle-dev libgnutls28-dev libldap2-dev libgssapi-krb5-2 libk5crypto3 libkrb5-dev libcom-err2 libldap2-dev virtualenv git socat vim unzip zip libmariadb-dev
Check_Return
else
# Older Debian versions - use compatible package names
DEBIAN_FRONTEND=noninteractive apt install -y dnsutils net-tools htop telnet libcurl4-gnutls-dev libgnutls28-dev libgcrypt20-dev libattr1 libattr1-dev liblzma-dev libgpgme-dev libmariadb-dev-compat libmariadb-dev libcurl4-gnutls-dev libssl-dev nghttp2 libnghttp2-dev idn2 libidn2-dev librtmp-dev libpsl-dev nettle-dev libgnutls28-dev libldap2-dev libgssapi-krb5-2 libk5crypto3 libkrb5-dev libcom-err2 libldap2-dev virtualenv git socat vim unzip zip
Check_Return
fi
elif [[ "$Server_OS" =~ ^(Ubuntu2204|Ubuntu2404|Ubuntu24043) ]] ; then
# Ubuntu 22.04/24.04 - use newer package names
DEBIAN_FRONTEND=noninteractive apt install -y dnsutils net-tools htop telnet libcurl4-gnutls-dev libgnutls28-dev libgcrypt20-dev libattr1 libattr1-dev liblzma-dev libgpgme-dev libcurl4-gnutls-dev libssl-dev nghttp2 libnghttp2-dev idn2 libidn2-dev librtmp-dev libpsl-dev nettle-dev libgnutls28-dev libldap2-dev libgssapi-krb5-2 libk5crypto3 libkrb5-dev libcom-err2 libldap2-dev virtualenv git socat vim unzip zip libmariadb-dev-compat libmariadb-dev
Check_Return
else
# Older Ubuntu versions - use compatible package names
DEBIAN_FRONTEND=noninteractive apt install -y dnsutils net-tools htop telnet libcurl4-gnutls-dev libgnutls28-dev libgcrypt20-dev libattr1 libattr1-dev liblzma-dev libgpgme-dev libmariadb-dev-compat libmariadb-dev libcurl4-gnutls-dev libssl-dev nghttp2 libnghttp2-dev idn2 libidn2-dev librtmp-dev libpsl-dev nettle-dev libgnutls28-dev libldap2-dev libgssapi-krb5-2 libk5crypto3 libkrb5-dev libcom-err2 libldap2-dev virtualenv git socat vim unzip zip
Check_Return
fi
DEBIAN_FRONTEND=noninteractive apt install -y python3-pip build-essential libssl-dev libffi-dev python3-dev python3-venv cron inetutils-ping
Check_Return
ln -s /usr/bin/pip3 /usr/bin/pip3.6
ln -s /usr/bin/pip3.6 /usr/bin/pip
# Oracle Ubuntu ARM misses ping and cron
DEBIAN_FRONTEND=noninteractive apt install -y locales
locale-gen "en_US.UTF-8"
update-locale LC_ALL="en_US.UTF-8"
else
# Unknown OS - try to detect package manager and install basic packages
echo -e "Unknown OS detected: $Server_OS"
echo -e "Attempting to install basic packages..."
# Try different package managers
if command -v dnf >/dev/null 2>&1; then
echo -e "Using dnf package manager..."
dnf update -y
dnf install -y wget curl git python3 python3-pip
elif command -v yum >/dev/null 2>&1; then
echo -e "Using yum package manager..."
yum update -y
yum install -y wget curl git python3 python3-pip
elif command -v apt >/dev/null 2>&1; then
echo -e "Using apt package manager..."
apt update -y
DEBIAN_FRONTEND=noninteractive apt install -y wget curl git python3 python3-pip
else
echo -e "ERROR: No supported package manager found!"
echo -e "Please install wget, curl, git, and python3 manually before continuing."
exit 1
fi
fi
Debug_Log2 "Installing required virtual environment,3"
export LC_CTYPE=en_US.UTF-8
export LC_ALL=en_US.UTF-8
#need to set lang to address some pip module installation issue.
# Install virtualenv - handle Ubuntu 24.04's externally-managed-environment policy
if [[ "$Server_OS" =~ ^(Ubuntu|Debian) ]]; then
if [[ "$Server_OS" =~ ^(Ubuntu2404|Ubuntu24043) ]]; then
# Ubuntu 24.04 has python3-venv by default, no need to install virtualenv
echo -e "Ubuntu 24.04/24.04.3 detected - using built-in python3-venv"
else
# For older Ubuntu versions, install virtualenv via apt
Retry_Command "DEBIAN_FRONTEND=noninteractive apt-get update"
Retry_Command "DEBIAN_FRONTEND=noninteractive apt-get install -y python3-virtualenv"
fi
else
# For non-Ubuntu systems, use pip (may need --break-system-packages on newer systems)
Retry_Command "pip install --default-timeout=3600 virtualenv"
fi
Download_Requirement
echo -e "Creating CyberPanel virtual environment..."
# First ensure the directory exists
mkdir -p /usr/local/CyberPanel
if [[ "$Server_OS" =~ ^(Ubuntu2204|Ubuntu2404|Ubuntu24043) ]] ; then
echo -e "Ubuntu 22.04/24.04/24.04.3 detected, using python3 -m venv..."
if python3 -m venv /usr/local/CyberPanel-venv 2>&1; then
echo -e "Virtual environment created successfully"
else
echo -e "python3 -m venv failed, trying virtualenv..."
# For Ubuntu 24.04, python3-venv should work, but if not, try apt install
if [[ "$Server_OS" =~ ^(Ubuntu2404|Ubuntu24043) ]]; then
Retry_Command "DEBIAN_FRONTEND=noninteractive apt-get install -y python3-venv"
else
# For Ubuntu 22.04, install virtualenv via apt
Retry_Command "DEBIAN_FRONTEND=noninteractive apt-get install -y python3-virtualenv"
fi
virtualenv -p /usr/bin/python3 /usr/local/CyberPanel-venv
fi
else
virtualenv -p /usr/bin/python3 /usr/local/CyberPanel-venv
fi
# Verify virtual environment was created
if [[ ! -f /usr/local/CyberPanel-venv/bin/activate ]]; then
echo -e "ERROR: Virtual environment creation failed!"
exit 1
fi
if [ "$Server_OS" = "Ubuntu" ]; then
# shellcheck disable=SC1091
. /usr/local/CyberPanel-venv/bin/activate
else
# shellcheck disable=SC1091
source /usr/local/CyberPanel-venv/bin/activate
fi
Debug_Log2 "Installing requirments..,3"
# Install MySQL/MariaDB development headers for mysqlclient Python package
echo "Installing MySQL/MariaDB development headers for Python packages..."
# Ensure MariaDB repository is available for development packages
if [[ "$Server_OS" =~ ^(CentOS|RHEL|AlmaLinux|RockyLinux|CloudLinux) ]]; then
echo "Setting up MariaDB repository for development packages..."
if command -v dnf >/dev/null 2>&1; then
# Try to add MariaDB repository if not present
if ! dnf repolist | grep -q "mariadb"; then
curl -sS "https://downloads.mariadb.com/MariaDB/mariadb_repo_setup" | bash -s -- --mariadb-server-version="12.1" --skip-maxscale --skip-tools
fi
fi
# Install specific MySQL development packages that provide mysql.h
echo "Installing MySQL development packages for mysql.h header..."
# First, try to resolve MariaDB conflicts
echo "Resolving MariaDB package conflicts..."
if command -v dnf >/dev/null 2>&1; then
# Set repository priorities to avoid conflicts
echo "Setting repository priorities..."
dnf config-manager --set-enabled mariadb-main || true
dnf config-manager --set-disabled mariadb || true
# Remove conflicting packages first
echo "Removing conflicting MariaDB packages..."
dnf remove -y mariadb mariadb-client-utils mariadb-server || true
dnf remove -y MariaDB-server MariaDB-client MariaDB-devel || true
# Also remove any MySQL packages that might conflict
echo "Removing conflicting MySQL packages..."
dnf remove -y mysql-server mysql-client mysql-community-server mysql-community-client || true
dnf remove -y mysql-devel mysql-community-devel || true
# Prioritize MariaDB packages to avoid MySQL Community GPG issues
echo "Installing MariaDB development packages..."
# Try MariaDB packages first (preferred approach)
dnf install -y --allowerasing --skip-broken --nobest mariadb-devel mariadb-connector-c-devel || \
dnf install -y --allowerasing --skip-broken --nobest MariaDB-devel MariaDB-connector-c-devel || \
# Fallback: try MySQL development packages without GPG verification
dnf install -y --allowerasing --skip-broken --nobest mysql-devel --nogpgcheck || \
# Last resort: install MariaDB server and development packages
dnf install -y --allowerasing --skip-broken --nobest MariaDB-server MariaDB-devel MariaDB-client-utils
else
# Prioritize MariaDB packages to avoid MySQL Community GPG issues
echo "Installing MariaDB development packages for yum..."
# Try MariaDB packages first (preferred approach)
yum install -y --allowerasing --skip-broken --nobest mariadb-devel mariadb-connector-c-devel || \
yum install -y --allowerasing --skip-broken --nobest MariaDB-devel MariaDB-connector-c-devel || \
# Fallback: try MySQL development packages without GPG verification
yum install -y --allowerasing --skip-broken --nobest mysql-devel --nogpgcheck || \
# Last resort: install MariaDB server and development packages
yum install -y --allowerasing --skip-broken --nobest MariaDB-server MariaDB-devel MariaDB-client-utils
fi
fi
if [[ "$Server_OS" = "Ubuntu" ]] || [[ "$Server_OS" = "Debian" ]]; then
# Ubuntu/Debian - comprehensive development packages
apt-get update -y
apt-get install -y \
libmariadb-dev \
libmariadb-dev-compat \
libmysqlclient-dev \
pkg-config \
build-essential \
python3-dev \
python3-pip \
libssl-dev \
libffi-dev \
zlib1g-dev \
libbz2-dev \
libreadline-dev \
libsqlite3-dev \
libncursesw5-dev \
xz-utils \
tk-dev \
libxml2-dev \
libxmlsec1-dev \
libffi-dev \
liblzma-dev
elif [[ "$Server_OS" =~ ^(CentOS|RHEL|AlmaLinux|RockyLinux|CloudLinux) ]]; then
# RHEL-based systems - comprehensive development packages
if command -v dnf >/dev/null 2>&1; then
dnf install -y \
mariadb-devel \
mysql-devel \
pkgconfig \
gcc \
gcc-c++ \
python3-devel \
openssl-devel \
libffi-devel \
zlib-devel \
bzip2-devel \
readline-devel \
sqlite-devel \
ncurses-devel \
xz-devel \
tk-devel \
libxml2-devel \
libxmlsec1-devel \
lzma-devel
else
yum install -y \
mariadb-devel \
mysql-devel \
pkgconfig \
gcc \
gcc-c++ \
python3-devel \
openssl-devel \
libffi-devel \
zlib-devel \
bzip2-devel \
readline-devel \
sqlite-devel \
ncurses-devel \
xz-devel \
tk-devel \
libxml2-devel \
libxmlsec1-devel \
lzma-devel
fi
fi
# Verify MySQL development headers installation
echo "Verifying MySQL development headers installation..."
if [[ -f "/usr/include/mysql/mysql.h" ]]; then
echo "mysql.h found at /usr/include/mysql/mysql.h"
elif [[ -f "/usr/include/mariadb/mysql.h" ]]; then
echo "mysql.h found at /usr/include/mariadb/mysql.h"
# Create symlink for compatibility
mkdir -p /usr/include/mysql
ln -sf /usr/include/mariadb/mysql.h /usr/include/mysql/mysql.h
echo "Created symlink for mysql.h compatibility"
elif [[ -f "/usr/local/include/mysql/mysql.h" ]]; then
echo "mysql.h found at /usr/local/include/mysql/mysql.h"
# Create symlink for compatibility
mkdir -p /usr/include/mysql
ln -sf /usr/local/include/mysql/mysql.h /usr/include/mysql/mysql.h
echo "Created symlink for mysql.h compatibility"
else
echo "WARNING: mysql.h not found, attempting manual installation..."
# Try to find and install the correct package
if command -v dnf >/dev/null 2>&1; then
echo "Searching for MySQL development packages..."
dnf search mysql-devel | grep -i "mysql.*devel" | head -5
dnf search mariadb-devel | grep -i "mariadb.*devel" | head -5
# Try to install specific packages that provide mysql.h
echo "Attempting to install packages that provide mysql.h..."
dnf install -y --allowerasing --skip-broken --nobest $(dnf search mysql-devel | grep -i "mysql.*devel" | head -1 | awk '{print $1}') || \
dnf install -y --allowerasing --skip-broken --nobest $(dnf search mariadb-devel | grep -i "mariadb.*devel" | head -1 | awk '{print $1}') || \
dnf install -y --allowerasing --skip-broken --nobest mysql-community-devel || \
dnf install -y --allowerasing --skip-broken --nobest mariadb-connector-c-devel || \
dnf install -y --allowerasing --skip-broken --nobest mysql-connector-c-devel
elif command -v yum >/dev/null 2>&1; then
echo "Searching for MySQL development packages..."
yum search mysql-devel | grep -i "mysql.*devel" | head -5
yum search mariadb-devel | grep -i "mariadb.*devel" | head -5
# Try to install specific packages that provide mysql.h
echo "Attempting to install packages that provide mysql.h..."
yum install -y --allowerasing --skip-broken --nobest $(yum search mariadb-devel | grep -i "mariadb.*devel" | head -1 | awk '{print $1}') || \
yum install -y --allowerasing --skip-broken --nobest $(yum search mysql-devel | grep -i "mysql.*devel" | head -1 | awk '{print $1}') --nogpgcheck || \
yum install -y --allowerasing --skip-broken --nobest mariadb-connector-c-devel || \
yum install -y --allowerasing --skip-broken --nobest mysql-connector-c-devel --nogpgcheck
fi
# Check again after installation attempts
if [[ -f "/usr/include/mysql/mysql.h" ]]; then
echo "mysql.h found at /usr/include/mysql/mysql.h after installation"
elif [[ -f "/usr/include/mariadb/mysql.h" ]]; then
echo "mysql.h found at /usr/include/mariadb/mysql.h after installation"
mkdir -p /usr/include/mysql
ln -sf /usr/include/mariadb/mysql.h /usr/include/mysql/mysql.h
echo "Created symlink for mysql.h compatibility"
else
echo "ERROR: mysql.h still not found after all installation attempts"
echo "This will cause mysqlclient compilation to fail"
fi
fi
# Verify pkg-config can find MySQL libraries
if pkg-config --exists mysqlclient; then
echo "mysqlclient found via pkg-config"
elif pkg-config --exists mariadb; then
echo "mariadb found via pkg-config"
else
echo "WARNING: MySQL development headers not found via pkg-config"
# Try to set environment variables manually
export MYSQLCLIENT_CFLAGS="-I/usr/include/mysql"
export MYSQLCLIENT_LDFLAGS="-L/usr/lib64/mysql -lmysqlclient"
echo "Set MYSQLCLIENT environment variables as fallback"
fi
# Try pip install with enhanced error handling
echo "Installing Python requirements with enhanced MySQL support..."
# Check if mysql.h is available before attempting pip install
if [[ ! -f "/usr/include/mysql/mysql.h" ]] && [[ ! -f "/usr/include/mariadb/mysql.h" ]]; then
echo "WARNING: mysql.h not found, mysqlclient will likely fail to compile"
echo "Pre-installing PyMySQL as fallback..."
pip install --no-cache-dir PyMySQL
# Also modify requirements.txt to use PyMySQL instead of mysqlclient
if [[ -f "/usr/local/requirments.txt" ]]; then
echo "Modifying requirements.txt to use PyMySQL instead of mysqlclient..."
cp /usr/local/requirments.txt /usr/local/requirments.txt.original
sed 's/mysqlclient/PyMySQL/g' /usr/local/requirments.txt.original > /usr/local/requirments.txt
echo "Modified requirements.txt to avoid mysqlclient compilation issues"
fi
fi
if ! Retry_Command "pip install --default-timeout=3600 -r /usr/local/requirments.txt"; then
echo "Standard pip install failed, trying alternative mysqlclient installation..."
# Try installing mysqlclient separately with specific flags
echo "Attempting alternative MySQL client installations..."
# First, try to install PyMySQL as a drop-in replacement
echo "Installing PyMySQL as MySQL client alternative..."
pip install --no-cache-dir PyMySQL
# Try pre-compiled wheels first
pip install --no-cache-dir --only-binary=all mysqlclient==2.2.7 || \
pip install --no-cache-dir --only-binary=all mysqlclient || \
pip install --no-cache-dir --force-reinstall mysqlclient==2.2.7 || \
pip install --no-cache-dir --force-reinstall mysql-connector-python || \
pip install --no-cache-dir --force-reinstall pymysql
echo "Alternative MySQL client installation completed"
# Then try the requirements again
Retry_Command "pip install --default-timeout=3600 -r /usr/local/requirments.txt"
fi
# Final fallback: if mysqlclient still fails, modify requirements to skip it
if ! pip list | grep -q "mysqlclient\|PyMySQL\|mysql-connector-python\|pymysql"; then
echo "WARNING: No MySQL client found, creating modified requirements file..."
cp /usr/local/requirments.txt /usr/local/requirments.txt.backup
# Remove mysqlclient from requirements and add PyMySQL instead
sed 's/mysqlclient/PyMySQL/g' /usr/local/requirments.txt.backup > /usr/local/requirments.txt
echo "Installing modified requirements without mysqlclient..."
Retry_Command "pip install --default-timeout=3600 -r /usr/local/requirments.txt"
fi
# Additional fallback: if mysqlclient is still failing after 10 attempts, force PyMySQL
echo "Checking if mysqlclient installation is still failing..."
if pip list | grep -q "mysqlclient"; then
echo "mysqlclient successfully installed"
else
echo "mysqlclient installation failed, forcing PyMySQL installation..."
# Install PyMySQL as primary MySQL client
pip install --no-cache-dir --force-reinstall PyMySQL
# Create a modified requirements file that uses PyMySQL instead of mysqlclient
if [[ -f "/usr/local/requirments.txt" ]]; then
cp /usr/local/requirments.txt /usr/local/requirments.txt.mysqlclient_backup
sed 's/mysqlclient/PyMySQL/g' /usr/local/requirments.txt.mysqlclient_backup > /usr/local/requirments.txt
echo "Modified requirements.txt to use PyMySQL instead of mysqlclient"
# Try installing the modified requirements
echo "Installing modified requirements with PyMySQL..."
Retry_Command "pip install --default-timeout=3600 -r /usr/local/requirments.txt"
fi
fi
Check_Return "requirments" "no_exit"
# Change to /usr/local directory to clone CyberPanel
cd /usr/local || exit
rm -rf cyberpanel
echo -e "\nFetching files from ${Git_Clone_URL}...\n"
Debug_Log2 "Getting CyberPanel code..,4"
Retry_Command "git clone ${Git_Clone_URL}"
Check_Return "git clone ${Git_Clone_URL}"
echo -e "\nCyberPanel source code downloaded...\n"
cd cyberpanel || exit
git checkout "$Branch_Name"
Check_Return "git checkout"
cd install || exit
Debug_Log2 "Necessary components installed..,5"
}
Pre_Install_System_Tweak() {
log_function_start "Pre_Install_System_Tweak"
Debug_Log2 "Setting up system tweak...,20"
log_info "Applying system tweaks and optimizations"
Line_Number=$(grep -n "127.0.0.1" /etc/hosts | cut -d: -f 1)
My_Hostname=$(hostname)
if [[ -n $Line_Number ]]; then
for Line_Number2 in $Line_Number ; do
String=$(sed "${Line_Number2}q;d" /etc/hosts)
if [[ $String != *"$My_Hostname"* ]]; then
New_String="$String $My_Hostname"
sed -i "${Line_Number2}s/.*/${New_String}/" /etc/hosts
fi
done
else
echo "127.0.0.1 $My_Hostname " >>/etc/hosts
fi
#this should address on "sudo: unable to resolve host ..." on Ubuntu , it's not issue but annoying.
if [[ "$Server_OS" = "CentOS" ]] ; then
setenforce 0 || true
sed -i 's/SELINUX=enforcing/SELINUX=permissive/g' /etc/selinux/config
#disable SELinux
if [[ "$Server_OS_Version" = "7" ]] ; then
:
fi
#CentOS 7 specific change
if [[ "$Server_OS_Version" = "8" ]] ; then
if grep -q -E "Rocky Linux" /etc/os-release ; then
if [[ "$Server_Country" = "CN" ]] ; then
sed -i 's|rpm -Uvh http://rpms.litespeedtech.com/centos/litespeed-repo-1.1-1.el8.noarch.rpm|curl -o /etc/yum.repos.d/litespeed.repo https://cyberpanel.sh/litespeed/litespeed_cn.repo|g' install.py
else
sed -i 's|rpm -Uvh http://rpms.litespeedtech.com/centos/litespeed-repo-1.1-1.el8.noarch.rpm|curl -o /etc/yum.repos.d/litespeed.repo https://cyberpanel.sh/litespeed/litespeed.repo|g' install.py
fi
fi
fi
#CentOS 8 specific change
elif [[ "$Server_OS" = "Ubuntu" ]] ; then
if [[ "$Server_OS_Version" = "20" ]] ; then
sed -i 's|ce-2.3-latest/ubuntu/bionic bionic main|ce-2.3-latest/ubuntu/focal focal main|g' install.py
fi
#Ubuntu 20 specific change.
if [[ "$Server_OS_Version" = "18" ]] ; then
:
fi
#Ubuntu 18 specific change.
fi
if ! grep -q "pid_max" /etc/rc.local 2>/dev/null ; then
if [[ $Server_OS = "CentOS" ]] || [[ $Server_OS = "openEuler" ]] ; then
echo "echo 1000000 > /proc/sys/kernel/pid_max
echo 1 > /sys/kernel/mm/ksm/run" >>/etc/rc.d/rc.local
chmod +x /etc/rc.d/rc.local
else
if [[ -f /etc/rc.local ]] ; then
echo -e "#!/bin/bash\n$(cat /etc/rc.local)" > /etc/rc.local
else
echo "#!/bin/bash" > /etc/rc.local
fi
echo "echo 1000000 > /proc/sys/kernel/pid_max
echo 1 > /sys/kernel/mm/ksm/run" >>/etc/rc.local
chmod +x /etc/rc.local
systemctl enable rc-local >/dev/null 2>&1
systemctl start rc-local >/dev/null 2>&1
fi
if grep -q "nf_conntrack_max" /etc/sysctl.conf ; then
sysctl -w net.netfilter.nf_conntrack_max=2097152 > /dev/null
sysctl -w net.nf_conntrack_max=2097152 > /dev/null
echo "net.netfilter.nf_conntrack_max=2097152" >> /etc/sysctl.conf
echo "net.nf_conntrack_max=2097152" >> /etc/sysctl.conf
fi
echo "fs.file-max = 65535" >>/etc/sysctl.conf
sysctl -p >/dev/null
echo "* soft nofile 65535
* hard nofile 65535
root soft nofile 65535
root hard nofile 65535
* soft nproc 65535
* hard nproc 65535
root soft nproc 65535
root hard nproc 65535" >>/etc/security/limits.conf
fi
#sed -i 's|#DefaultLimitNOFILE=|DefaultLimitNOFILE=65535|g' /etc/systemd/system.conf
#raise the file limit for systemd process
Total_SWAP=$(free -m | awk '/^Swap:/ { print $2 }')
Set_SWAP=$((Total_RAM - Total_SWAP))
SWAP_File=/cyberpanel.swap
if [ ! -f $SWAP_File ]; then
if [[ $Total_SWAP -gt $Total_RAM ]] || [[ $Total_SWAP -eq $Total_RAM ]]; then
echo -e "Check SWAP...\n"
else
if [[ $Set_SWAP -gt "2049" ]]; then
#limit it to 2GB as max size
Set_SWAP="2048"
fi
fallocate --length ${Set_SWAP}MiB $SWAP_File
chmod 600 $SWAP_File
mkswap $SWAP_File
swapon $SWAP_File
echo -e "${SWAP_File} swap swap sw 0 0" | sudo tee -a /etc/fstab
sysctl vm.swappiness=10
echo -e "vm.swappiness = 10" >> /etc/sysctl.conf
echo -e "\nSWAP set...\n"
fi
fi
if [[ "$Server_Provider" = "Tencent Cloud" ]] ; then
echo "$(host mirrors.tencentyun.com | awk '{print $4}') mirrors.tencentyun.com " >> /etc/hosts
fi
if [[ "$Server_Provider" = "Alibaba Cloud" ]] ; then
echo "$(host mirrors.cloud.aliyuncs.com | awk '{print $4}') mirrors.cloud.aliyuncs.com " >> /etc/hosts
fi
#add internal repo server to host file before systemd-resolved is disabled
if grep -i -q "systemd-resolve" /etc/resolv.conf ; then
# Check if systemd-resolved service exists before trying to manage it
if systemctl list-unit-files | grep -q "systemd-resolved.service" ; then
log_info "Managing systemd-resolved service"
systemctl stop systemd-resolved >/dev/null 2>&1 || log_warning "Could not stop systemd-resolved (may not be running)"
systemctl disable systemd-resolved >/dev/null 2>&1 || log_warning "Could not disable systemd-resolved (may not be enabled)"
systemctl mask systemd-resolved >/dev/null 2>&1 || log_warning "Could not mask systemd-resolved"
else
log_info "systemd-resolved service not found, skipping management"
fi
fi
# Backup previous resolv.conf file
cp /etc/resolv.conf /etc/resolv.conf_bak
# Delete resolv.conf file
rm -f /etc/resolv.conf
if [[ "$Server_Provider" = "Tencent Cloud" ]] ; then
echo -e "nameserver 183.60.83.19" > /etc/resolv.conf
echo -e "nameserver 183.60.82.98" >> /etc/resolv.conf
elif [[ "$Server_Provider" = "Alibaba Cloud" ]] ; then
echo -e "nameserver 100.100.2.136" > /etc/resolv.conf
echo -e "nameserver 100.100.2.138" >> /etc/resolv.conf
else
echo -e "nameserver 1.1.1.1" > /etc/resolv.conf
echo -e "nameserver 8.8.8.8" >> /etc/resolv.conf
fi
systemctl restart systemd-networkd >/dev/null 2>&1
# Wait for network to come up, but check more frequently
for j in {1..6}; do
sleep 0.5
# Check if network is ready by trying to resolve DNS
if ping -c 1 -W 1 8.8.8.8 >/dev/null 2>&1 || nslookup cyberpanel.sh >/dev/null 2>&1; then
break
fi
done
# Check Connectivity
if ping -q -c 1 -W 1 cyberpanel.sh >/dev/null; then
echo -e "\nSuccessfully set up nameservers..\n"
echo -e "\nThe network is up.. :)\n"
echo -e "\nContinue installation..\n"
else
echo -e "\nThe network is down.. :(\n"
rm -f /etc/resolv.conf
mv /etc/resolv.conf_bak /etc/resolv.conf
systemctl restart systemd-networkd >/dev/null 2>&1
echo -e "\nReturns the nameservers settings to default..\n"
echo -e "\nContinue installation..\n"
# Brief pause for network stabilization
sleep 1
fi
cp /etc/resolv.conf /etc/resolv.conf-tmp
# Find the line containing nameserver 8.8.8.8 pattern
Line1="$(grep -n "f.write('nameserver 8.8.8.8')" installCyberPanel.py | head -n 1 | cut -d: -f1)"
# Only modify the file if the pattern was found
if [[ -n "$Line1" ]] && [[ "$Line1" =~ ^[0-9]+$ ]]; then
sed -i "${Line1}i\ \ \ \ \ \ \ \ \ \ \ \ \ \ \ \ subprocess.call\(command, shell=True)" installCyberPanel.py
sed -i "${Line1}i\ \ \ \ \ \ \ \ \ \ \ \ \ \ \ \ command = 'cat /etc/resolv.conf-tmp > /etc/resolv.conf'" installCyberPanel.py
else
echo "Warning: Could not find 'nameserver 8.8.8.8' pattern in installCyberPanel.py - skipping resolv.conf modification"
fi
log_debug "System tweaks completed - SWAP, limits, and DNS configured"
log_function_end "Pre_Install_System_Tweak"
}
License_Validation() {
log_function_start "License_Validation"
Debug_Log2 "Validating LiteSpeed license...,40"
log_info "Validating LiteSpeed Enterprise license"
Current_Dir=$(pwd)
if [ -f /root/cyberpanel-tmp ]; then
rm -rf /root/cyberpanel-tmp
fi
mkdir /root/cyberpanel-tmp
cd /root/cyberpanel-tmp || exit
Retry_Command "wget https://cyberpanel.sh/www.litespeedtech.com/packages/${LSWS_Stable_Version:0:1}.0/lsws-$LSWS_Stable_Version-ent-x86_64-linux.tar.gz"
tar xzvf "lsws-$LSWS_Stable_Version-ent-x86_64-linux.tar.gz" >/dev/null
cd "/root/cyberpanel-tmp/lsws-$LSWS_Stable_Version/conf" || exit
if [[ "$License_Key" = "Trial" ]]; then
Retry_Command "wget -q https://cyberpanel.sh/license.litespeedtech.com/reseller/trial.key"
# Update the serial number handling to use trial key
sed -i "s|writeSerial = open('lsws-[0-9.]\+/serial.no', 'w')|command = 'wget -q --output-document=./lsws-$LSWS_Stable_Version/trial.key https://cyberpanel.sh/license.litespeedtech.com/reseller/trial.key'|g" "$Current_Dir/installCyberPanel.py"
sed -i 's|writeSerial.writelines(self.serial)|subprocess.call(command, shell=True)|g' "$Current_Dir/installCyberPanel.py"
sed -i 's|writeSerial.close()||g' "$Current_Dir/installCyberPanel.py"
else
echo "$License_Key" > serial.no
fi
cd "/root/cyberpanel-tmp/lsws-$LSWS_Stable_Version/bin" || exit
if [[ "$License_Key" = "Trial" ]]; then
License_Key="1111-2222-3333-4444"
else
./lshttpd -r
fi
if ./lshttpd -V |& grep "ERROR" || ./lshttpd -V |& grep "expire in 0 days" ; then
echo -e "\n\nThere appears to be an issue with license , please check above result..."
Debug_Log2 "There appears to be an issue with LiteSpeed License, make sure you are using correct serial key. [404]"
log_error "LiteSpeed license validation failed"
log_function_end "License_Validation" 1
exit
fi
echo -e "\nLicense seems valid..."
log_info "LiteSpeed license validated successfully"
cd "$Current_Dir" || exit
rm -rf /root/cyberpanel-tmp
#clean up the temp files
log_function_end "License_Validation"
}
Pre_Install_CN_Replacement() {
if [[ "$Server_OS" = "Ubuntu" ]] ; then
sed -i 's|https://repo.litespeed.sh|https://cyberpanel.sh/litespeed/enable_lst_debian_repo.sh|g' install.py
sed -i 's|https://repo.dovecot.org/|https://cyberpanel.sh/repo.dovecot.org/|g' install.py
fi
#replace litespeed repo on ubuntu 18/20
if [[ "$Server_OS" = "CentOS" ]] ; then
sed -i 's|rpm -ivh http://rpms.litespeedtech.com/centos/litespeed-repo-1.2-1.el7.noarch.rpm|curl -o /etc/yum.repos.d/litespeed.repo https://cyberpanel.sh/litespeed/litespeed_cn.repo|g' install.py
sed -i 's|rpm -Uvh http://rpms.litespeedtech.com/centos/litespeed-repo-1.1-1.el8.noarch.rpm|curl -o /etc/yum.repos.d/litespeed.repo https://cyberpanel.sh/litespeed/litespeed_cn.repo|g' install.py
sed -i 's|https://mirror.ghettoforge.org/distributions|https://cyberpanel.sh/mirror.ghettoforge.net/distributions|g' install.py
if [[ "$Server_OS_Version" = "8" ]] ; then
sed -i 's|dnf --nogpg install -y https://mirror.ghettoforge.org/distributions/gf/gf-release-latest.gf.el8.noarch.rpm|echo gf8|g' install.py
sed -i 's|dnf --nogpg install -y https://cyberpanel.sh/mirror.ghettoforge.net/distributions/gf/gf-release-latest.gf.el8.noarch.rpm|echo gf8|g' install.py
Retry_Command "dnf --nogpg install -y https://cyberpanel.sh/mirror.ghettoforge.net/distributions/gf/gf-release-latest.gf.el8.noarch.rpm"
sed -i "s|mirrorlist=http://mirrorlist.ghettoforge.org/el/8/gf/\$basearch/mirrorlist|baseurl=https://cyberpanel.sh/mirror.ghettoforge.net/distributions/gf/el/8/gf/x86_64/|g" /etc/yum.repos.d/gf.repo
sed -i "s|mirrorlist=http://mirrorlist.ghettoforge.org/el/8/plus/\$basearch/mirrorlist|baseurl=https://cyberpanel.sh/mirror.ghettoforge.net/distributions/gf/el/8/plus/x86_64/|g" /etc/yum.repos.d/gf.repo
#get this set up beforehand.
fi
if [[ "$Server_OS_Version" = "9" ]] || [[ "$Server_OS_Version" = "10" ]] ; then
sed -i 's|rpm -Uvh http://rpms.litespeedtech.com/centos/litespeed-repo-1.1-1.el8.noarch.rpm|curl -o /etc/yum.repos.d/litespeed.repo https://rpms.litespeedtech.com/centos/litespeed.repo|g' install.py
sed -i "s|mirrorlist=http://mirrorlist.ghettoforge.org/el/8/gf/\$basearch/mirrorlist|baseurl=https://cyberpanel.sh/mirror.ghettoforge.net/distributions/gf/el/9/gf/x86_64/|g" /etc/yum.repos.d/gf.repo
sed -i "s|mirrorlist=http://mirrorlist.ghettoforge.org/el/8/plus/\$basearch/mirrorlist|baseurl=https://cyberpanel.sh/mirror.ghettoforge.net/distributions/gf/el/9/plus/x86_64/|g" /etc/yum.repos.d/gf.repo
fi
fi
sed -i "s|https://www.litespeedtech.com/|https://cyberpanel.sh/www.litespeedtech.com/|g" installCyberPanel.py
sed -i 's|composer.sh|composer_cn.sh|g' install.py
sed -i 's|./composer_cn.sh|COMPOSER_ALLOW_SUPERUSER=1 ./composer_cn.sh|g' install.py
sed -i 's|http://www.litespeedtech.com|https://cyberpanel.sh/www.litespeedtech.com|g' install.py
sed -i 's|https://snappymail.eu/repository/latest.tar.gz|https://cyberpanel.sh/www.snappymail.eu/repository/latest.tar.gz|g' install.py
sed -i "s|rep.cyberpanel.net|cyberpanel.sh/rep.cyberpanel.net|g" installCyberPanel.py
sed -i "s|rep.cyberpanel.net|cyberpanel.sh/rep.cyberpanel.net|g" install.py
Debug_Log2 "Setting up URLs for CN server...,1"
sed -i 's|wget -O - https://get.acme.sh \| sh|echo acme|g' install.py
sed -i 's|/root/.acme.sh/acme.sh --upgrade --auto-upgrade|echo acme2|g' install.py
Current_Dir=$(pwd)
Retry_Command "git clone https://gitee.com/neilpang/acme.sh.git"
cd acme.sh || exit
./acme.sh --install
cd "$Current_Dir" || exit
rm -rf acme.sh
# shellcheck disable=SC2016
sed -i 's|$PROJECT/archive/$BRANCH.tar.gz|https://cyberpanel.sh/codeload.github.com/acmesh-official/acme.sh/tar.gz/master|g' /root/.acme.sh/acme.sh
Retry_Command "/root/.acme.sh/acme.sh --upgrade --auto-upgrade"
#install acme and upgrade it beforehand, to prevent gitee fail
}
Main_Installation() {
log_function_start "Main_Installation"
Debug_Log2 "Starting main installation..,30"
log_info "Starting main CyberPanel installation"
if [[ -d /usr/local/CyberCP ]] ; then
echo -e "\n CyberPanel already installed, exiting..."
Debug_Log2 "CyberPanel already installed, exiting... [404]"
exit
fi
if [[ $Server_Edition = "Enterprise" ]] ; then
echo -e "\nValidating the license..."
echo -e "\nThis may take a minute..."
echo -e "\nPlease be patient...\n"
License_Validation
sed -i "s|lsws-5.4.2|lsws-$LSWS_Stable_Version|g" installCyberPanel.py
sed -i "s|lsws-5.3.5|lsws-$LSWS_Stable_Version|g" installCyberPanel.py
sed -i "s|lsws-6.0|lsws-$LSWS_Stable_Version|g" installCyberPanel.py
#this sed must be done after license validation
Enterprise_Flag="--ent ent --serial "
fi
# Remove the git clone replacement - let install.py handle the move operation
# sed -i 's|git clone https://github.com/usmannasir/cyberpanel|echo downloaded|g' install.py
sed -i 's|mirror.cyberpanel.net|cyberpanel.sh|g' install.py
if [[ $Server_Country = "CN" ]] ; then
Pre_Install_CN_Replacement
else
sed -i 's|wget -O - https://get.acme.sh \| sh|echo acme|g' install.py
sed -i 's|/root/.acme.sh/acme.sh --upgrade --auto-upgrade|echo acme2|g' install.py
Current_Dir=$(pwd)
Retry_Command "git clone https://github.com/acmesh-official/acme.sh.git"
cd acme.sh || exit
./acme.sh --install
cd "$Current_Dir" || exit
rm -rf acme.sh
Retry_Command "/root/.acme.sh/acme.sh --upgrade --auto-upgrade"
#install acme and upgrade it beforehand, to prevent gitee fail
fi
#install acme.sh before main installation for issues #705 #707 #708 #709
echo -e "Preparing...\n"
Final_Flags=()
Final_Flags+=("$Server_IP")
Final_Flags+=(${Enterprise_Flag:+$Enterprise_Flag})
Final_Flags+=(${License_Key:+$License_Key})
Final_Flags+=(--postfix "${Postfix_Switch^^}")
Final_Flags+=(--powerdns "${PowerDNS_Switch^^}")
Final_Flags+=(--ftp "${PureFTPd_Switch^^}")
if [[ "$Redis_Hosting" = "Yes" ]] ; then
Final_Flags+=(--redis enable)
fi
if [[ "$Remote_MySQL" = "On" ]] ; then
Final_Flags+=(--remotemysql "${Remote_MySQL^^}")
Final_Flags+=(--mysqlhost "$MySQL_Host")
Final_Flags+=(--mysqldb "$MySQL_DB")
Final_Flags+=(--mysqluser "$MySQL_User")
Final_Flags+=(--mysqlpassword "$MySQL_Password")
Final_Flags+=(--mysqlport "$MySQL_Port")
else
Final_Flags+=(--remotemysql "${Remote_MySQL^^}")
fi
#form up the final agurment for install.py
if [[ "$Debug" = "On" ]] ; then
Debug_Log "Final_Flags" "${Final_Flags[@]}"
fi
/usr/local/CyberPanel-venv/bin/python install.py "${Final_Flags[@]}"
# Installation summary function
show_installation_summary() {
local install_status=$1
local start_time=$2
local end_time=$(date +%s)
local elapsed_time=$((end_time - start_time))
local elapsed_minutes=$((elapsed_time / 60))
local elapsed_seconds=$((elapsed_time % 60))
# Get system info
local memory_usage=$(free -m | awk 'NR==2{printf "%s/%sMB (%.1f%%)", $3,$2,$3*100/$2 }')
local disk_usage=$(df -h / | awk 'NR==2{print $5}' | sed 's/%//')
local cpu_cores=$(nproc)
local load_avg=$(uptime | awk -F'load average:' '{print $2}' | awk '{print $1}' | sed 's/,//')
echo ""
echo "╔═══════════════════════════════════════════════════════════════════════════════════════════════════════════════╗"
echo "║ ║"
echo "║ 📊 CYBERPANEL INSTALLATION SUMMARY ║"
echo "║ ║"
echo "╚═══════════════════════════════════════════════════════════════════════════════════════════════════════════════╝"
echo ""
if [ "$install_status" = "SUCCESS" ]; then
echo "╔═══════════════════════════════════════════════════════════════════════════════════════════════════════════════╗"
echo "║ ║"
echo "║ ✅ INSTALLATION STATUS: SUCCESSFUL ║"
echo "║ ║"
echo "║ 🌐 ACCESS YOUR CYBERPANEL: ║"
echo "║ • URL: https://$Server_IP:8090 ║"
echo "║ • Username: admin ║"
if [[ "$Custom_Pass" = "True" ]]; then
echo "║ • Password: ***** (custom password) ║"
else
echo "║ • Password: $Admin_Pass"
fi
echo "║ ║"
echo "║ 🎉 ALL COMPONENTS INSTALLED SUCCESSFULLY! 🎉 ║"
echo "║ ║"
echo "╚═══════════════════════════════════════════════════════════════════════════════════════════════════════════════╝"
else
echo "╔═══════════════════════════════════════════════════════════════════════════════════════════════════════════════╗"
echo "║ ║"
echo "║ ❌ INSTALLATION STATUS: FAILED ║"
echo "║ ║"
echo "║ 🔍 TROUBLESHOOTING STEPS: ║"
echo "║ 1. Check the installation logs: ║"
echo "║ • Main log: /var/log/installLogs.txt ║"
echo "║ • Debug log: /var/log/cyberpanel/cyberpanel_install_debug_*.log ║"
echo "║ ║"
echo "║ 2. Common issues and solutions: ║"
echo "║ • Insufficient memory: Ensure at least 1GB RAM available ║"
echo "║ • Disk space: Ensure at least 10GB free space ║"
echo "║ • Network issues: Check internet connectivity ║"
echo "║ • Repository errors: Try running 'yum clean all' or 'apt update' ║"
echo "║ ║"
echo "║ 3. Get help: ║"
echo "║ • Community: https://community.cyberpanel.net ║"
echo "║ • Documentation: https://cyberpanel.net/KnowledgeBase/ ║"
echo "║ • GitHub Issues: https://github.com/usmannasir/cyberpanel/issues ║"
echo "║ ║"
echo "║ 🛠️ RETRY INSTALLATION: ║"
echo "║ bash <(curl https://raw.githubusercontent.com/usmannasir/cyberpanel/v2.5.5-dev/cyberpanel.sh) --debug ║"
echo "║ ║"
echo "╚═══════════════════════════════════════════════════════════════════════════════════════════════════════════════╝"
fi
echo ""
echo "╔═══════════════════════════════════════════════════════════════════════════════════════════════════════════════╗"
echo "║ ║"
echo "║ 📈 SYSTEM INFORMATION: ║"
echo "║ • OS: $Server_OS $Server_OS_Version"
echo "║ • CPU Cores: $cpu_cores"
echo "║ • Load Average: $load_avg"
echo "║ • Memory Usage: $memory_usage"
echo "║ • Disk Usage: ${disk_usage}% ║"
echo "║ • Install Time: ${elapsed_minutes}m ${elapsed_seconds}s ║"
echo "║ ║"
echo "╚═══════════════════════════════════════════════════════════════════════════════════════════════════════════════╝"
# Show recent errors if installation failed
if [ "$install_status" = "FAILED" ]; then
echo ""
echo "╔═══════════════════════════════════════════════════════════════════════════════════════════════════════════════╗"
echo "║ ║"
echo "║ 🚨 RECENT ERRORS: ║"
echo "║ ║"
# Show last 10 lines of install log with errors
if [ -f "/var/log/installLogs.txt" ]; then
echo "║ From /var/log/installLogs.txt: ║"
tail -10 /var/log/installLogs.txt | while read line; do
if [ ${#line} -gt 100 ]; then
echo "${line:0:100}... ║"
else
printf "║ %-100s ║\n" "$line"
fi
done
fi
echo "║ ║"
echo "╚═══════════════════════════════════════════════════════════════════════════════════════════════════════════════╝"
fi
echo ""
}
# Record installation start time
INSTALL_START_TIME=$(date +%s)
if grep "CyberPanel installation successfully completed" /var/log/installLogs.txt >/dev/null; then
echo -e "\nCyberPanel installation successfully completed...\n"
Debug_Log2 "Main installation completed...,70"
show_installation_summary "SUCCESS" "$INSTALL_START_TIME"
else
echo -e "Installation encountered issues..."
Debug_Log2 "Installation encountered issues... [404]"
show_installation_summary "FAILED" "$INSTALL_START_TIME"
exit 1
fi
}
Post_Install_Addon_Mecached_LSMCD() {
install_dev_tools
# Install development headers for LSMCD compilation
if [[ "$Server_OS" =~ ^(CentOS|RHEL|AlmaLinux|RockyLinux|CloudLinux|openEuler) ]] ; then
dnf install -y cyrus-sasl-devel cyrus-sasl-lib cyrus-sasl-gssapi cyrus-sasl-plain || yum install -y cyrus-sasl-devel cyrus-sasl-lib cyrus-sasl-gssapi cyrus-sasl-plain
# Install libmemcached dependencies
dnf install -y libmemcached libmemcached-devel libmemcached-libs || yum install -y libmemcached libmemcached-devel libmemcached-libs
# Install expat development headers
dnf install -y expat-devel || yum install -y expat-devel
elif [[ "$Server_OS" = "Ubuntu" ]] ; then
apt-get install -y libsasl2-dev libsasl2-modules
apt-get install -y libmemcached-dev libmemcached11
apt-get install -y libexpat1-dev
fi
wget -O lsmcd-master.zip https://cyberpanel.sh/codeload.github.com/litespeedtech/lsmcd/zip/master
unzip lsmcd-master.zip
Current_Dir=$(pwd)
cd "$Current_Dir/lsmcd-master" || exit
./fixtimestamp.sh
./configure CFLAGS=" -O3" CXXFLAGS=" -O3"
# Compile LSMCD
if make; then
echo "LSMCD compilation successful"
if make install; then
echo "LSMCD installation successful"
# Create systemd service file for LSMCD
cat > /etc/systemd/system/lsmcd.service << 'EOF'
[Unit]
Description=LiteSpeed Memcached (LSMCD)
After=network.target
[Service]
Type=simple
ExecStart=/usr/local/bin/lsmcd -d
ExecReload=/bin/kill -HUP $MAINPID
KillMode=process
Restart=on-failure
User=root
Group=root
[Install]
WantedBy=multi-user.target
EOF
# Reload systemd and enable LSMCD service
systemctl daemon-reload
systemctl enable lsmcd
systemctl start lsmcd
if systemctl is-active --quiet lsmcd; then
echo "LSMCD service started successfully"
touch /home/cyberpanel/lsmcd
else
echo "Warning: LSMCD service failed to start"
# Try to get more details about the failure
systemctl status lsmcd --no-pager
journalctl -u lsmcd --no-pager -n 10
fi
else
echo "Error: LSMCD installation failed"
fi
else
echo "Error: LSMCD compilation failed"
fi
cd "$Current_Dir" || exit
# Only manage service if it was successfully installed
if systemctl list-unit-files | grep -q "lsmcd.service"; then
manage_service "lsmcd" "enable"
manage_service "lsmcd" "start"
log_info "LSMCD installation completed successfully"
else
log_warning "LSMCD installation failed - service not registered"
fi
log_function_end "Post_Install_Addon_Mecached_LSMCD"
}
Post_Install_Addon_Memcached() {
log_function_start "Post_Install_Addon_Memcached"
log_info "Installing Memcached and PHP extension"
install_php_packages "memcached"
if [[ $Total_RAM -ge 2048 ]]; then
Post_Install_Addon_Mecached_LSMCD
else
install_package "memcached"
configure_memcached
manage_service "memcached" "enable"
manage_service "memcached" "start"
fi
if pgrep "lsmcd" ; then
echo -e "\n\nLiteSpeed Memcached installed and running..."
fi
if pgrep "memcached" ; then
echo -e "\n\nMemcached installed and running..."
fi
}
Post_Install_Addon_Redis() {
log_function_start "Post_Install_Addon_Redis"
log_info "Installing Redis server and PHP extension"
# Install PHP Redis extension for available PHP versions
# Check which PHP versions are actually installed
for php_version in $(ls /usr/local/lsws/lsphp* 2>/dev/null | grep -o 'lsphp[0-9]*' | sort -u); do
if [[ "$Server_OS" =~ ^(CentOS|RHEL|AlmaLinux|RockyLinux|CloudLinux|openEuler) ]] ; then
# Try to install Redis extension for this PHP version
if dnf search ${php_version}-pecl-redis 2>/dev/null | grep -q "${php_version}-pecl-redis"; then
dnf install -y ${php_version}-pecl-redis || yum install -y ${php_version}-pecl-redis
elif dnf search ${php_version}-redis 2>/dev/null | grep -q "${php_version}-redis"; then
dnf install -y ${php_version}-redis || yum install -y ${php_version}-redis
fi
elif [[ "$Server_OS" = "Ubuntu" ]] ; then
# Ubuntu Redis extension installation
if apt-cache search ${php_version}-redis 2>/dev/null | grep -q "${php_version}-redis"; then
apt-get install -y ${php_version}-redis
fi
fi
done
# Install Redis server
if [[ "$Server_OS" = "CentOS" ]]; then
if [[ "$Server_OS_Version" = "8" || "$Server_OS_Version" = "9" || "$Server_OS_Version" = "10" ]]; then
install_package "redis"
else
yum -y install http://rpms.remirepo.net/enterprise/remi-release-7.rpm
yum-config-manager --disable remi
yum-config-manager --disable remi-safe
yum -y --enablerepo=remi install redis
fi
elif [[ "$Server_OS" = "Ubuntu" ]]; then
install_package "redis"
elif [[ "$Server_OS" = "openEuler" ]]; then
install_package "redis6"
fi
# Configure Redis for IPv6
if ifconfig -a | grep inet6; then
echo -e "\nIPv6 detected...\n"
else
sed -i 's|bind 127.0.0.1 ::1|bind 127.0.0.1|g' /etc/redis/redis.conf
echo -e "\n no IPv6 detected..."
fi
# Start Redis service
if [[ $Server_OS = "Ubuntu" ]]; then
manage_service "redis-server" "stop"
rm -f /var/run/redis/redis-server.pid
manage_service "redis-server" "enable"
manage_service "redis-server" "start"
else
manage_service "redis" "enable"
manage_service "redis" "start"
fi
if pgrep "redis" ; then
echo -e "\n\nRedis installed and running..."
touch /home/cyberpanel/redis
fi
}
Post_Install_PHP_Session_Setup() {
log_function_start "Post_Install_PHP_Session_Setup"
echo -e "\nSetting up PHP session storage path...\n"
log_info "Setting up PHP session storage configuration"
#wget -O /root/php_session_script.sh "${Git_Content_URL}/stable/CPScripts/setup_php_sessions.sh"
chmod +x /usr/local/CyberCP/CPScripts/setup_php_sessions.sh
bash /usr/local/CyberCP/CPScripts/setup_php_sessions.sh
#rm -f /root/php_session_script.sh
Debug_Log2 "Setting up PHP session conf...,90"
}
Post_Install_PHP_TimezoneDB() {
log_function_start "Post_Install_PHP_TimezoneDB"
log_info "Installing PHP TimezoneDB extension"
Current_Dir="$(pwd)"
rm -f /usr/local/lsws/cyberpanel-tmp
mkdir /usr/local/lsws/cyberpanel-tmp
cd /usr/local/lsws/cyberpanel-tmp || exit
wget -O timezonedb.tgz https://cyberpanel.sh/pecl.php.net/get/timezonedb
tar xzvf timezonedb.tgz
cd timezonedb-* || exit
# Install required packages for building PHP extensions
if [[ "$Server_OS" = "Ubuntu" ]] ; then
install_package "libmagickwand-dev pkg-config build-essential lsphp*-dev"
else
install_package "lsphp??-mysqlnd lsphp??-devel make gcc glibc-devel libmemcached-devel zlib-devel"
yum remove -y lsphp??-mysql
fi
# Configure timezone extension for each PHP version
for PHP_Version in /usr/local/lsws/lsphp?? ; do
configure_php_timezone "$PHP_Version"
done
rm -rf /usr/local/lsws/cyberpanel-tmp
cd "$Current_Dir" || exit
Debug_Log2 "Installing timezoneDB...,95"
}
Post_Install_Regenerate_Webadmin_Console_Passwd() {
log_function_start "Post_Install_Regenerate_Webadmin_Console_Passwd"
log_info "Regenerating WebAdmin console password"
if [[ "$Server_Edition" = "OLS" ]]; then
PHP_Command="admin_php"
else
PHP_Command="admin_php5"
fi
Webadmin_Pass=$(
head /dev/urandom | tr -dc A-Za-z0-9 | head -c 16
echo ''
)
Encrypt_string=$(/usr/local/lsws/admin/fcgi-bin/${PHP_Command} /usr/local/lsws/admin/misc/htpasswd.php "${Webadmin_Pass}")
echo "" >/usr/local/lsws/admin/conf/htpasswd
echo "admin:$Encrypt_string" > /usr/local/lsws/admin/conf/htpasswd
chown lsadm:lsadm /usr/local/lsws/admin/conf/htpasswd
chmod 600 /usr/local/lsws/admin/conf/htpasswd
echo "${Webadmin_Pass}" >/etc/cyberpanel/webadmin_passwd
chmod 600 /etc/cyberpanel/webadmin_passwd
log_info "WebAdmin console password regenerated"
log_function_end "Post_Install_Regenerate_Webadmin_Console_Passwd"
}
Post_Install_Setup_Watchdog() {
log_function_start "Post_Install_Setup_Watchdog"
if [[ "$Watchdog" = "On" ]]; then
log_info "Setting up watchdog monitoring service"
wget -O /etc/cyberpanel/watchdog.sh "${Git_Content_URL}/stable/CPScripts/watchdog.sh"
chmod 700 /etc/cyberpanel/watchdog.sh
ln -s /etc/cyberpanel/watchdog.sh /usr/local/bin/watchdog
#shellcheck disable=SC2009
pid=$(ps aux | grep "watchdog lsws" | grep -v grep | awk '{print $2}')
if [[ $pid = "" ]]; then
nohup watchdog lsws >/dev/null 2>&1 &
fi
echo -e "Checking MariaDB ..."
#shellcheck disable=SC2009
pid=$(ps aux | grep "watchdog mariadb" | grep -v grep | awk '{print $2}')
if [[ $pid = "" ]]; then
nohup watchdog mariadb >/dev/null 2>&1 &
fi
if [[ "$Server_OS" = "CentOS" ]] || [[ "$Server_OS" = "openEuler" ]]; then
echo "nohup watchdog lsws > /dev/null 2>&1 &
nohup watchdog mariadb > /dev/null 2>&1 &" >>/etc/rc.d/rc.local
else
echo "nohup watchdog lsws > /dev/null 2>&1 &
nohup watchdog mariadb > /dev/null 2>&1 &" >>/etc/rc.local
fi
echo -e "\nSetting up WatchDog..."
fi
}
Post_Install_Setup_Utility() {
if [[ ! -f /usr/bin/cyberpanel_utility ]]; then
wget -q -O /usr/bin/cyberpanel_utility https://cyberpanel.sh/misc/cyberpanel_utility.sh
chmod 700 /usr/bin/cyberpanel_utility
fi
}
Post_Install_Display_Final_Info() {
log_function_start "Post_Install_Display_Final_Info"
log_info "Preparing final installation information"
snappymailAdminPass=$(grep SetPassword /usr/local/CyberCP/public/snappymail.php| sed -e 's|$oConfig->SetPassword(||g' -e "s|');||g" -e "s|'||g")
Elapsed_Time="$((Time_Count / 3600)) hrs $(((SECONDS / 60) % 60)) min $((Time_Count % 60)) sec"
echo -e "\n"
echo "╔═══════════════════════════════════════════════════════════════════════════════════════════════════════════════╗"
echo "║ ║"
echo "║ █████████ █████ ███████████ ████ ║"
echo "║ ███▒▒▒▒▒███ ▒▒███ ▒▒███▒▒▒▒▒███ ▒▒███ ║"
echo "║ ███ ▒▒▒ █████ ████ ▒███████ ██████ ████████ ▒███ ▒███ ██████ ████████ ██████ ▒███ ║"
echo "║ ▒███ ▒▒███ ▒███ ▒███▒▒███ ███▒▒███▒▒███▒▒███ ▒██████████ ▒▒▒▒▒███ ▒▒███▒▒███ ███▒▒███ ▒███ ║"
echo "║ ▒███ ▒███ ▒███ ▒███ ▒███▒███████ ▒███ ▒▒▒ ▒███▒▒▒▒▒▒ ███████ ▒███ ▒███ ▒███████ ▒███ ║"
echo "║ ▒▒███ ███ ▒███ ▒███ ▒███ ▒███▒███▒▒▒ ▒███ ▒███ ███▒▒███ ▒███ ▒███ ▒███▒▒▒ ▒███ ║"
echo "║ ▒▒█████████ ▒▒███████ ████████ ▒▒██████ █████ █████ ▒▒████████ ████ █████▒▒██████ █████ ║"
echo "║ ▒▒▒▒▒▒▒▒▒ ▒▒▒▒▒███ ▒▒▒▒▒▒▒▒ ▒▒▒▒▒▒ ▒▒▒▒▒ ▒▒▒▒▒ ▒▒▒▒▒▒▒▒ ▒▒▒▒ ▒▒▒▒▒ ▒▒▒▒▒▒ ▒▒▒▒▒ ║"
echo "║ ███ ▒███ ║"
echo "║ ▒▒██████ ║"
echo "║ ▒▒▒▒▒▒ ║"
echo "║ 🚀 INSTALLATION COMPLETED SUCCESSFULLY! 🚀 ║"
echo "║ ║"
echo "╚═══════════════════════════════════════════════════════════════════════════════════════════════════════════════╝"
echo -e "\n"
echo "╔═══════════════════════════════════════════════════════════════════════════════════════════════════════════════╗"
echo "║ ║"
echo "║ 🌐 ACCESS YOUR CYBERPANEL: ║"
echo "║ ║"
echo "║ • URL: https://$Server_IP:8090 ║"
echo "║ • Username: admin ║"
if [[ "$Custom_Pass" = "True" ]]; then
echo "║ • Password: ***** (custom password) ║"
else
echo "║ • Password: $Admin_Pass"
fi
echo "║ ║"
echo "║ ⚠️ Please change the default password immediately! ║"
echo "║ ║"
echo "╚═══════════════════════════════════════════════════════════════════════════════════════════════════════════════╝"
echo -e "\n"
echo "╔═══════════════════════════════════════════════════════════════════════════════════════════════════════════════╗"
echo "║ ║"
echo "║ 📊 SYSTEM STATUS: ║"
echo "║ ║"
echo "║ 💾 Disk Usage: $(df -h | awk '$NF=="/"{printf "%d/%dGB (%s)", $3,$2,$5}')"
echo "║ 🧠 RAM Usage: $(free -m | awk 'NR==2{printf "%s/%sMB (%.2f%%)", $3,$2,$3*100/$2 }')"
echo "║ ⏱️ Install Time: $Elapsed_Time"
echo "║ ║"
echo "║ 🎉 INSTALLATION COMPLETED SUCCESSFULLY! 🎉 ║"
echo "║ ║"
echo "╚═══════════════════════════════════════════════════════════════════════════════════════════════════════════════╝"
#echo " Visit: https://$Server_IP:7080 "
#echo " WebAdmin console username: admin "
#echo " WebAdmin console password: $Webadmin_Pass "
#echo " "
#echo " Visit: https://$Server_IP:8090/snappymail/?admin "
#echo " snappymail Admin username: admin "
#echo " snappymail Admin password: $snappymailAdminPass "
echo "╔═══════════════════════════════════════════════════════════════════════════════════════════════════════════════╗"
echo "║ ║"
echo "║ 🛠️ COMMANDS & RESOURCES: ║"
echo "║ ║"
echo -e "║ Run \e[31mcyberpanel help\e[39m to get FAQ info ║"
echo -e "║ Run \e[31mcyberpanel upgrade\e[39m to upgrade it to latest version. ║"
echo -e "║ Run \e[31mcyberpanel utility\e[39m to access some handy tools . ║"
echo "║ ║"
echo "║ 🔗 OFFICIAL LINKS: ║"
echo "║ ║"
echo "║ Website : https://www.cyberpanel.net ║"
echo "║ Forums : https://forums.cyberpanel.net ║"
echo "║ Wikipage: https://cyberpanel.net/KnowledgeBase/ ║"
echo "║ Docs : https://cyberpanel.net/docs/ ║"
echo "║ ║"
echo -e "║ Enjoy your accelerated Internet by ║"
echo -e "║ CyberPanel & $Word"
echo "║ ║"
echo "╚═══════════════════════════════════════════════════════════════════════════════════════════════════════════════╝"
if [[ "$Server_Provider" != "Undefined" ]]; then
echo -e "\033[0;32m$Server_Provider\033[39m detected..."
echo -e "This provider has a \e[31mnetwork-level firewall\033[39m"
else
echo -e "If your provider has a \e[31mnetwork-level firewall\033[39m"
fi
echo -e "Please make sure you have opened following port for both in/out:"
echo -e "\033[0;32mTCP: 8090\033[39m for CyberPanel"
echo -e "\033[0;32mTCP: 80\033[39m, \033[0;32mTCP: 443\033[39m and \033[0;32mUDP: 443\033[39m for webserver"
echo -e "\033[0;32mTCP: 21\033[39m and \033[0;32mTCP: 40110-40210\033[39m for FTP"
echo -e "\033[0;32mTCP: 25\033[39m, \033[0;32mTCP: 587\033[39m, \033[0;32mTCP: 465\033[39m, \033[0;32mTCP: 110\033[39m, \033[0;32mTCP: 143\033[39m and \033[0;32mTCP: 993\033[39m for mail service"
echo -e "\033[0;32mTCP: 53\033[39m and \033[0;32mUDP: 53\033[39m for DNS service"
if ! timeout 3 telnet mx.zoho.com 25 | grep "Escape" >/dev/null 2>&1; then
echo -e "Your provider seems \e[31mblocked\033[39m port 25 , E-mail sending may \e[31mnot\033[39m work properly."
fi
Debug_Log2 "Completed [200]"
if [[ "$Silent" != "On" ]]; then
printf "%s" "Would you like to restart your server now? [y/N]: "
read -r Tmp_Input
if [[ "${Tmp_Input^^}" = *Y* ]] ; then
reboot
fi
fi
}
Post_Install_Regenerate_Cert() {
log_function_start "Post_Install_Regenerate_Cert"
log_info "Regenerating SSL certificates for control panel"
cat <<EOF >/root/cyberpanel/cert_conf
[req]
prompt=no
distinguished_name=cyberpanel
[cyberpanel]
commonName = www.example.com
countryName = CP
localityName = CyberPanel
organizationName = CyberPanel
organizationalUnitName = CyberPanel
stateOrProvinceName = CP
emailAddress = mail@example.com
name = CyberPanel
surname = CyberPanel
givenName = CyberPanel
initials = CP
dnQualifier = CyberPanel
[server_exts]
extendedKeyUsage = 1.3.6.1.5.5.7.3.1
EOF
openssl req -x509 -config /root/cyberpanel/cert_conf -extensions 'server_exts' -nodes -days 820 -newkey rsa:2048 -keyout /usr/local/lscp/conf/key.pem -out /usr/local/lscp/conf/cert.pem
if [[ "$Server_Edition" = "OLS" ]]; then
Key_Path="/usr/local/lsws/admin/conf/webadmin.key"
Cert_Path="/usr/local/lsws/admin/conf/webadmin.crt"
else
Key_Path="/usr/local/lsws/admin/conf/cert/admin.key"
Cert_Path="/usr/local/lsws/admin/conf/cert/admin.crt"
fi
openssl req -x509 -config /root/cyberpanel/cert_conf -extensions 'server_exts' -nodes -days 820 -newkey rsa:2048 -keyout "$Key_Path" -out "$Cert_Path"
rm -f /root/cyberpanel/cert_conf
}
Post_Install_Required_Components() {
Debug_Log2 "Finalization..,80"
echo -e "Creating CyberCP virtual environment..."
# First ensure the directory exists
mkdir -p /usr/local/CyberCP
if [[ "$Server_OS" =~ ^(Ubuntu2004|Ubuntu2010|Ubuntu2204|Ubuntu2404|Ubuntu24043) ]] ; then
echo -e "Ubuntu 20.04/20.10/22.04/24.04/24.04.3 detected, using python3 -m venv..."
if python3 -m venv /usr/local/CyberCP 2>&1; then
echo -e "Virtual environment created successfully"
else
echo -e "python3 -m venv failed, trying virtualenv..."
# Ensure virtualenv is properly installed
pip3 install --upgrade virtualenv
virtualenv -p /usr/bin/python3 /usr/local/CyberCP
fi
elif [[ "$Server_OS" =~ ^(CentOS9|RHEL9|AlmaLinux9|AlmaLinux10|RockyLinux9|openEuler) ]] ; then
echo -e "AlmaLinux/Rocky Linux 9/10, RHEL 9, CentOS 9, OpenEuler detected, using python3 -m venv..."
if python3 -m venv /usr/local/CyberCP 2>&1; then
echo -e "Virtual environment created successfully"
else
echo -e "python3 -m venv failed, trying virtualenv..."
# Ensure virtualenv is properly installed
pip3 install --upgrade virtualenv
# Find the correct python3 path
PYTHON_PATH=$(which python3 2>/dev/null || which python3.9 2>/dev/null || echo "/usr/bin/python3")
virtualenv -p "$PYTHON_PATH" /usr/local/CyberCP
fi
else
virtualenv -p /usr/bin/python3 /usr/local/CyberCP
fi
# Verify virtual environment was created
if [[ ! -f /usr/local/CyberCP/bin/activate ]]; then
echo -e "ERROR: Virtual environment creation failed!"
exit 1
fi
# Create symlink for backward compatibility
if [[ ! -L /usr/local/CyberPanel ]] && [[ ! -d /usr/local/CyberPanel ]]; then
echo -e "Creating symlink for CyberPanel virtual environment compatibility..."
ln -sf /usr/local/CyberCP /usr/local/CyberPanel
fi
if [[ "$Server_OS" = "Ubuntu2004" ]] ; then
# shellcheck disable=SC1091
. /usr/local/CyberCP/bin/activate
Check_Return
else
# shellcheck disable=SC1091
source /usr/local/CyberCP/bin/activate
Check_Return
fi
Retry_Command "pip install --default-timeout=3600 -r /usr/local/requirments.txt"
Check_Return "requirments.txt" "no_exit"
# Verify Django installation
echo -e "Verifying Django installation..."
if ! /usr/local/CyberCP/bin/python -c "import django" 2>/dev/null; then
echo -e "WARNING: Django not found, reinstalling requirements..."
pip install --default-timeout=3600 --ignore-installed -r /usr/local/requirments.txt
else
echo -e "Django is properly installed"
fi
if [[ "$Server_OS" =~ ^(Ubuntu2204|Ubuntu2404|Ubuntu24043) ]] ; then
# Ubuntu 24.04 ships with Python 3.12, but using 3.10 for compatibility with CyberPanel
cp /usr/bin/python3.10 /usr/local/CyberCP/bin/python3
else
if [[ "$Server_OS" =~ ^(CentOS8|CentOS9|RHEL8|RHEL9|AlmaLinux8|AlmaLinux9|AlmaLinux10|RockyLinux8|RockyLinux9|Ubuntu2004|Ubuntu2204|Ubuntu2404|Ubuntu24043|openEuler) ]]; then
echo "PYTHONHOME=/usr" > /usr/local/lscp/conf/pythonenv.conf
else
# Uncomment and use the following lines if necessary for other OS versions
# rsync -av --ignore-existing /usr/lib64/python3.9/ /usr/local/CyberCP/lib64/python3.9/
# Check_Return
:
fi
fi
chown -R cyberpanel:cyberpanel /usr/local/CyberCP/lib
chown -R cyberpanel:cyberpanel /usr/local/CyberCP/lib64 || true
}
Pre_Install_Setup_Git_URL() {
if [[ $Server_Country != "CN" ]] ; then
Git_User="usmannasir"
Git_Content_URL="https://raw.githubusercontent.com/${Git_User}/cyberpanel"
Git_Clone_URL="https://github.com/${Git_User}/cyberpanel.git"
else
Git_User="qtwrk"
Git_Content_URL="https://gitee.com/${Git_User}/cyberpanel/raw"
Git_Clone_URL="https://gitee.com/${Git_User}/cyberpanel.git"
fi
if [[ "$Debug" = "On" ]] ; then
Debug_Log "Git_URL" "$Git_Content_URL"
fi
}
Post_Install_Tweak() {
log_function_start "Post_Install_Tweak"
log_info "Applying post-installation tweaks and configurations"
if [[ -d /etc/pure-ftpd/conf ]]; then
echo "yes" >/etc/pure-ftpd/conf/ChrootEveryone
systemctl restart pure-ftpd-mysql
fi
if [[ -f /etc/pure-ftpd/pure-ftpd.conf ]]; then
sed -i 's|NoAnonymous no|NoAnonymous yes|g' /etc/pure-ftpd/pure-ftpd.conf
fi
sed -i "s|lsws-5.3.8|lsws-$LSWS_Stable_Version|g" /usr/local/CyberCP/serverStatus/serverStatusUtil.py
sed -i "s|lsws-5.4.2|lsws-$LSWS_Stable_Version|g" /usr/local/CyberCP/serverStatus/serverStatusUtil.py
sed -i "s|lsws-5.3.5|lsws-$LSWS_Stable_Version|g" /usr/local/CyberCP/serverStatus/serverStatusUtil.py
if [[ ! -f /usr/bin/cyberpanel_utility ]]; then
wget -q -O /usr/bin/cyberpanel_utility https://cyberpanel.sh/misc/cyberpanel_utility.sh
chmod 700 /usr/bin/cyberpanel_utility
fi
rm -rf /etc/profile.d/cyberpanel*
curl --silent -o /etc/profile.d/cyberpanel.sh https://cyberpanel.sh/?banner 2>/dev/null
chmod 700 /etc/profile.d/cyberpanel.sh
echo "$Admin_Pass" > /etc/cyberpanel/adminPass
chmod 600 /etc/cyberpanel/adminPass
/usr/local/CyberPanel-venv/bin/python /usr/local/CyberCP/plogical/adminPass.py --password "$Admin_Pass"
mkdir -p /etc/opendkim
echo '/usr/local/CyberPanel-venv/bin/python /usr/local/CyberCP/plogical/adminPass.py --password "$@"' > /usr/bin/adminPass
echo "systemctl restart lscpd" >> /usr/bin/adminPass
echo "echo \$@ > /etc/cyberpanel/adminPass" >> /usr/bin/adminPass
chmod 700 /usr/bin/adminPass
rm -f /usr/bin/php
ln -s /usr/local/lsws/lsphp83/bin/php /usr/bin/php
if [[ "$Server_OS" = "CentOS" ]] ; then
#all centos 7/8 post change goes here
sed -i 's|error_reporting = E_ALL \&amp; ~E_DEPRECATED \&amp; ~E_STRICT|error_reporting = E_ALL \& ~E_DEPRECATED \& ~E_STRICT|g' /usr/local/lsws/{lsphp72,lsphp73}/etc/php.ini
#fix php.ini &amp; issue
sed -i 's|/usr/local/lsws/bin/lswsctrl restart|systemctl restart lsws|g' /var/spool/cron/root
if [[ "$Server_OS_Version" = "7" ]] ; then
#all centos 7 specific post change goes here
if ! yum list installed lsphp74-devel ; then
yum install -y lsphp74-devel
fi
if [[ ! -f /usr/local/lsws/lsphp74/lib64/php/modules/zip.so ]] ; then
if yum list installed libzip-devel >/dev/null 2>&1 ; then
yum remove -y libzip-devel
fi
yum install -y https://cyberpanel.sh/misc/libzip-0.11.2-6.el7.psychotic.x86_64.rpm
yum install -y https://cyberpanel.sh/misc/libzip-devel-0.11.2-6.el7.psychotic.x86_64.rpm
yum install lsphp74-devel
if [[ ! -d /usr/local/lsws/lsphp74/tmp ]]; then
mkdir /usr/local/lsws/lsphp74/tmp
fi
/usr/local/lsws/lsphp74/bin/pecl channel-update pecl.php.net
/usr/local/lsws/lsphp74/bin/pear config-set temp_dir /usr/local/lsws/lsphp74/tmp
if /usr/local/lsws/lsphp74/bin/pecl install zip ; then
echo "extension=zip.so" >/usr/local/lsws/lsphp74/etc/php.d/20-zip.ini
chmod 755 /usr/local/lsws/lsphp74/lib64/php/modules/zip.so
else
echo -e "\nlsphp74-zip compilation failed..."
fi
#fix compile lsphp74-zip on centos 7
fi
fi
if [[ "$Server_OS_Version" = "8" ]] ; then
#all centos 8 specific post change goes here
:
fi
elif [[ "$Server_OS" = "Ubuntu" ]] ; then
#all ubuntu 18/20 post change goes here
sed -i 's|/usr/local/lsws/bin/lswsctrl restart|systemctl restart lsws|g' /var/spool/cron/crontabs/root
if [[ ! -f /usr/sbin/ipset ]] ; then
ln -s /sbin/ipset /usr/sbin/ipset
fi
if [[ "$Server_OS_Version" = "18" ]] ; then
#all ubuntu 18 specific post change goes here
:
fi
if [[ "$Server_OS_Version" = "20" ]] ; then
#all ubuntu 20 specific post change goes here
:
fi
elif [[ "$Server_OS" = "openEuler" ]] ; then
sed -i 's|error_reporting = E_ALL \&amp; ~E_DEPRECATED \&amp; ~E_STRICT|error_reporting = E_ALL \& ~E_DEPRECATED \& ~E_STRICT|g' /usr/local/lsws/{lsphp72,lsphp73}/etc/php.ini
#fix php.ini &amp; issue
sed -i 's|/usr/local/lsws/bin/lswsctrl restart|systemctl restart lsws|g' /var/spool/cron/root
fi
if [[ "$Server_Edition" = "OLS" ]]; then
Word="OpenLiteSpeed"
else
Word="LiteSpeed Enterprise"
sed -i 's|Include /usr/local/lsws/conf/rules.conf||g' /usr/local/lsws/conf/modsec.conf
fi
systemctl restart lscpd >/dev/null 2>&1
/usr/local/lsws/bin/lswsctrl stop >/dev/null 2>&1
systemctl stop lsws >/dev/null 2>&1
systemctl start lsws >/dev/null 2>&1
echo -e "\nFinalizing...\n"
echo -e "Cleaning up...\n"
log_info "Cleaning up temporary installation files"
rm -rf /root/cyberpanel
if [[ "$Server_Country" = "CN" ]] ; then
Post_Install_CN_Replacement
fi
# If valid hostname is set that resolves externally we can issue an ssl. This will create the hostname as a website so we can issue the SSL and do our first login without SSL warnings or exceptions needed.
HostName=$(hostname --fqdn); [ -n "$(dig @1.1.1.1 +short "$HostName")" ] && echo "$HostName resolves to valid IP. Setting up hostname SSL" && cyberpanel createWebsite --package Default --owner admin --domainName $(hostname --fqdn) --email root@localhost --php 7.4 && cyberpanel hostNameSSL --domainName $(hostname --fqdn)
}
Post_Install_CN_Replacement() {
sed -i 's|wp core download|wp core download https://cyberpanel.sh/wordpress.org/latest.tar.gz|g' /usr/local/CyberCP/plogical/applicationInstaller.py
sed -i 's|https://raw.githubusercontent.com/|https://cyberpanel.sh/raw.githubusercontent.com/|g' /usr/local/CyberCP/plogical/applicationInstaller.py
sed -i 's|wp plugin install litespeed-cache|wp plugin install https://cyberpanel.sh/downloads.wordpress.org/plugin/litespeed-cache.zip|g' /usr/local/CyberCP/plogical/applicationInstaller.py
sed -i 's|https://www.litespeedtech.com/|https://cyberpanel.sh/www.litespeedtech.com/|g' /usr/local/CyberCP/serverStatus/serverStatusUtil.py
sed -i 's|http://license.litespeedtech.com/|https://cyberpanel.sh/license.litespeedtech.com/|g' /usr/local/CyberCP/serverStatus/serverStatusUtil.py
}
echo -e "\nInitializing...\n"
log_info "============================================="
log_info "CyberPanel installation script started"
log_info "Script version: $Panel_Version.$Panel_Build"
log_info "Script arguments: $*"
log_info "============================================="
if [[ "$*" = *"--debug"* ]] ; then
Debug="On"
find /var/log -name 'cyberpanel_debug_*' -exec rm {} +
Random_Log_Name=$(head /dev/urandom | tr -dc A-Za-z0-9 | head -c 5)
echo -e "$(date)" > "/var/log/cyberpanel_debug_$(date +"%Y-%m-%d")_${Random_Log_Name}.log"
chmod 600 "/var/log/cyberpanel_debug_$(date +"%Y-%m-%d")_${Random_Log_Name}.log"
fi
Set_Default_Variables
Check_Root
Check_Server_IP "$@"
Check_OS
Check_Virtualization
Check_Panel
Check_Process
Check_Provider
Check_Argument "$@"
if [[ $Silent = "On" ]]; then
Argument_Mode
else
Interactive_Mode
fi
Time_Count="0"
Pre_Install_Setup_Repository
Pre_Install_Setup_Git_URL
Pre_Install_Required_Components
Pre_Install_System_Tweak
Main_Installation
#Python install in here
if [[ "$Memcached" = "On" ]] ; then
Post_Install_Addon_Memcached
fi
if [[ "$Redis" = "On" ]] ; then
Post_Install_Addon_Redis
fi
Post_Install_Required_Components
Post_Install_PHP_Session_Setup
Post_Install_PHP_TimezoneDB
Post_Install_Regenerate_Cert
Post_Install_Regenerate_Webadmin_Console_Passwd
Post_Install_Setup_Watchdog
Post_Install_Setup_Utility
Post_Install_Tweak
Post_Install_Display_Final_Info