Last active 1748426794

Init a server from cloud provider

init.sh Raw
1#!/usr/bin/env bash
2#===============================================================================
3# Concise server preparation script with error confirmation (idempotent)
4#===============================================================================
5
6set -euo pipefail
7export LC_ALL=C
8export LANG=en_US.UTF-8
9export DEBIAN_FRONTEND=noninteractive
10
11#-----------------------------------
12# Colors & Prompts
13#-----------------------------------
14Green="\033[32m"; Red="\033[31m"; Yellow="\033[33m"; Blue="\033[36m"; Font="\033[0m"
15OK="${Green}[ OK ]${Font}"; ERROR="${Red}[FAILED]${Font}"; WARN="${Yellow}[ WARN ]${Font}"
16
17print_ok(){ echo -e "${OK} $1"; }
18print_error(){ echo -e "${ERROR} $1"; }
19print_warn(){ echo -e "${WARN} $1"; }
20
21#-----------------------------------
22# Error handling & confirmation
23#-----------------------------------
24on_error(){ print_error "Error at line $1."; areYouSure; }
25trap 'on_error $LINENO' ERR
26
27areYouSure(){
28 print_warn "Continue despite errors? [y/N]"
29 read -r ans
30 case $ans in [yY]*) print_ok "Continuing...";; *) print_error "Aborted."; exit 1;; esac
31}
32
33#-----------------------------------
34# Helpers
35#-----------------------------------
36run_local(){ print_ok "Local: $*"; "$@"; }
37run_remote(){ sshpass -p "$REMOTE_PASS" ssh -o StrictHostKeyChecking=no "$REMOTE_USER@$SERVER" "$*"; }
38wait_ssh(){
39 print_ok "Waiting for SSH on $SERVER... (Running ssh $REMOTE_USER@$SERVER)"
40 until sshpass -p "$REMOTE_PASS" ssh -q \
41 -o StrictHostKeyChecking=no \
42 -o ConnectTimeout=5 \
43 "$REMOTE_USER@$SERVER" exit; do
44 print_warn "SSH not ready, retrying in 5s..."
45 sleep 5
46 done
47 print_ok "SSH available."
48}
49
50usage(){ echo "Usage: $0 <orig_user> <orig_pass> <server> <new_hostname> <new_user>"; exit 1; }
51
52#-----------------------------------
53# Main
54#-----------------------------------
55[ $# -ne 5 ] && usage
56USER="$1"; PASS="$2"; SERVER="$3"; HOSTNAME="$4"; NEWUSER="$5"
57REMOTE_USER="$USER"; REMOTE_PASS="$PASS"
58
59# 1) Install sshpass locally
60run_local sudo apt-get update -y
61run_local sudo apt-get install -y sshpass
62
63# 2) Clear known_hosts, wait for SSH
64run_local ssh-keygen -R "$SERVER" -f ~/.ssh/known_hosts
65wait_ssh
66
67# 3) Hostname & reboot (only if changed)
68CURRENT_HOST=$(run_remote "hostname")
69if [[ "$CURRENT_HOST" != "$HOSTNAME" ]]; then
70 print_ok "Setting hostname to $HOSTNAME"
71 run_remote "sudo hostnamectl set-hostname $HOSTNAME"
72 run_remote "sudo reboot" || true
73 print_ok "Server rebooting..."
74 sleep 5
75 wait_ssh
76else
77 print_ok "Hostname already '$HOSTNAME', skipping"
78fi
79
80# 4) Create or verify new user
81if run_remote "id -u $NEWUSER" &>/dev/null; then
82 print_ok "User $NEWUSER exists"
83else
84 print_ok "Creating user $NEWUSER"
85 run_remote "sudo adduser --disabled-password --gecos '' $NEWUSER"
86fi
87
88# 5) Grant sudo & set up passwordless
89print_ok "Granting sudo to $NEWUSER"
90run_remote "sudo usermod -aG sudo $NEWUSER"
91print_ok "Setting passwordless sudo for $NEWUSER"
92run_remote "echo '$NEWUSER ALL=(ALL) NOPASSWD:ALL' | sudo tee /etc/sudoers.d/$NEWUSER"
93
94# 6) Generate & persist random password (once)
95if run_remote "[ -f /etc/$NEWUSER.pass ]" &>/dev/null; then
96 # In this case, the password is already set
97 print_ok "Don't have to change password. Reusing existing password for $NEWUSER"
98 PASS_NEW=$(run_remote "sudo cat /etc/$NEWUSER.pass")
99else
100 PASS_NEW=$(uuidgen)
101 print_ok "Setting password for $NEWUSER"
102 run_remote "echo '$NEWUSER:$PASS_NEW' | sudo chpasswd"
103 run_remote "echo '$PASS_NEW' | sudo tee /etc/$NEWUSER.pass > /dev/null"
104 run_remote "sudo chmod 600 /etc/$NEWUSER.pass"
105 run_remote "sudo chown root:root /etc/$NEWUSER.pass"
106 print_ok "New password generated for $NEWUSER and persisted at /etc/$NEWUSER.pass. Please back it up! It can still be used to log in via serial console or rescue mode!"
107fi
108
109local_pass_file="./password_${NEWUSER}_at_${SERVER}.txt"
110rm -f "$local_pass_file" 2>/dev/null || true
111sshpass -p "$REMOTE_PASS" ssh -q -o StrictHostKeyChecking=no \
112 "$REMOTE_USER@$SERVER" "sudo cat /etc/$NEWUSER.pass" \
113 > "$local_pass_file"
114sudo chown "$USER:$USER" "$local_pass_file"
115sudo chmod 600 "$local_pass_file"
116print_ok "Password for $NEWUSER saved locally at $local_pass_file [DO NOT SHARE THIS FILE! IT CAN BE USED TO LOG IN VIA SERIAL CONSOLE OR RESCUE MODE!]"
117
118# 7) Copy SSH key (only if absent)
119[ ! -f ~/.ssh/id_rsa.pub ] && run_local ssh-keygen -t rsa -N "" -f ~/.ssh/id_rsa
120PUBKEY=$(<~/.ssh/id_rsa.pub)
121print_ok "Ensuring SSH key in authorized_keys"
122run_remote "mkdir -p /home/$NEWUSER/.ssh && \
123 sudo bash -c 'grep -qxF \"$PUBKEY\" /home/$NEWUSER/.ssh/authorized_keys 2>/dev/null || \
124 echo \"$PUBKEY\" >> /home/$NEWUSER/.ssh/authorized_keys' && \
125 sudo chown -R $NEWUSER:$NEWUSER /home/$NEWUSER/.ssh && \
126 sudo chmod 700 /home/$NEWUSER/.ssh && \
127 sudo chmod 600 /home/$NEWUSER/.ssh/authorized_keys"
128
129# Switch to new user for subsequent operations
130print_ok "Switching to new user $NEWUSER"
131REMOTE_USER="$NEWUSER"; REMOTE_PASS="$PASS_NEW"
132wait_ssh
133
134# 8) Harden SSH
135print_ok "Hardening SSH settings"
136run_remote "sudo sed -i 's/PermitRootLogin yes/PermitRootLogin no/; \
137 s/PasswordAuthentication yes/PasswordAuthentication no/; \
138 s/#PubkeyAuthentication yes/PubkeyAuthentication yes/' /etc/ssh/sshd_config && \
139 sudo systemctl restart sshd || sudo systemctl restart ssh"
140
141# 9) Remove other non-system users
142print_ok "Removing other users"
143others=$(run_remote "awk -F: -v skip='$NEWUSER' '\$3>=1000 && \$1!=skip && \$1!=\"nobody\" && \$1!=\"nogroup\" {print \$1}' /etc/passwd")
144
145for u in $others; do
146 print_warn "Deleting user $u"
147 run_remote "sudo pkill -u $u || true; sudo deluser --remove-home $u"
148done
149
150
151# 10) Reset machine-id
152print_ok "Resetting machine-id"
153run_remote "sudo rm -f /etc/machine-id /var/lib/dbus/machine-id && \
154 sudo systemd-machine-id-setup && \
155 sudo cp /etc/machine-id /var/lib/dbus/machine-id"
156
157# 11) Enable UFW & OpenSSH
158print_ok "Enabling UFW firewall"
159run_remote "sudo apt-get install -y ufw && sudo ufw allow OpenSSH && echo y | sudo ufw enable"
160
161# 12) Install & configure Fail2Ban
162print_ok "Installing Fail2Ban"
163run_remote "sudo apt-get update && sudo apt-get install -y fail2ban"
164print_ok "Configuring Fail2Ban"
165run_remote <<'EOF'
166sudo tee /etc/fail2ban/jail.local > /dev/null <<EOJ
167[sshd]
168enabled = true
169port = ssh
170filter = sshd
171backend = systemd
172logpath = journal
173maxretry = 3
174findtime = 600
175bantime = 3600
176EOJ
177sudo systemctl restart fail2ban
178EOF
179print_ok "Fail2Ban setup complete"
180
181# 13) Enable BBR (only once)
182print_ok "Enabling BBR congestion control"
183run_remote <<'EOF'
184grep -q 'net.ipv4.tcp_congestion_control = bbr' /etc/sysctl.d/99-bbr.conf 2>/dev/null || {
185 sudo tee /etc/sysctl.d/99-bbr.conf > /dev/null <<SYSCTL
186net.core.default_qdisc = fq
187net.ipv4.tcp_congestion_control = bbr
188SYSCTL
189 sudo sysctl --system
190}
191EOF
192
193# 14) Select best mirror & update
194print_ok "Selecting best mirror & updating"
195run_remote "curl -s https://gist.aiursoft.cn/anduin/879917820a6c4b268fc12c21f1b3fe7a/raw/HEAD/mirror.sh | bash"
196run_remote "sudo apt-get update"
197
198# 15) Install or upgrade latest HWE kernel if needed
199print_ok "Checking HWE kernel package on remote"
200run_remote <<'EOF'
201set -euo pipefail
202
203# Try to find the HWE package
204HWE_PKG=$(apt search linux-generic-hwe- 2>/dev/null | grep -o 'linux-generic-hwe-[^/ ]*' | head -1)
205
206if [ -z "$HWE_PKG" ]; then
207 echo "[ OK ] No HWE kernel package found for this release, skipping"
208else
209 inst=$(apt-cache policy "$HWE_PKG" | awk '/Installed:/ {print $2}')
210 cand=$(apt-cache policy "$HWE_PKG" | awk '/Candidate:/ {print $2}')
211
212 if dpkg -s "$HWE_PKG" &>/dev/null; then
213 if [ "$inst" != "$cand" ] && [ "$cand" != "(none)" ]; then
214 echo "[ OK ] Upgrading $HWE_PKG from $inst to $cand"
215 sudo apt-get update
216 sudo apt-get install -y "$HWE_PKG"
217 echo reboot_required > /tmp/.reboot_flag
218 else
219 echo "[ OK ] $HWE_PKG is already at latest version ($inst), skipping"
220 fi
221 else
222 if [ "$cand" != "(none)" ]; then
223 echo "[ OK ] Installing $HWE_PKG ($cand)"
224 sudo apt-get update
225 sudo apt-get install -y "$HWE_PKG"
226 echo reboot_required > /tmp/.reboot_flag
227 else
228 echo "[ OK ] $HWE_PKG has no installation candidate, skipping"
229 fi
230 fi
231fi
232EOF
233
234# 16) Conditionally reboot & wait
235if run_remote 'test -f /tmp/.reboot_flag'; then
236 print_ok "Rebooting server to apply new kernel"
237 run_remote "rm -f /tmp/.reboot_flag"
238 run_remote "sudo reboot" || true
239 sleep 5
240 wait_ssh
241else
242 print_ok "No new kernel installed, skipping reboot"
243fi
244
245# 17) Final updates & cleanup
246print_ok "Installing upgrades & cleanup"
247run_remote "sudo apt-get update && sudo apt-get upgrade -y && sudo apt-get autoremove -y"
248
249# 18) Performance tuning
250print_ok "Tuning CPU performance & timezone"
251run_remote "sudo apt-get install -y linux-tools-$(uname -r) cpupower && \
252 sudo cpupower frequency-set -g performance || true && \
253 sudo timedatectl set-timezone GMT"
254
255# 19) Remove snap
256print_ok "Removing snapd"
257run_remote <<'EOF'
258# 1) 如果 snapd.service 存在,就 disable 一下;否则跳过
259if systemctl list-unit-files | grep -q '^snapd\.service'; then
260 sudo systemctl disable --now snapd || true
261else
262 echo "[ OK ] snapd.service not found, skipping disable"
263fi
264
265# 2) 如果 dpkg 里检测到 snapd 包,就 purge 并清理数据目录
266if dpkg -l snapd &>/dev/null; then
267 sudo apt-get purge -y snapd
268 sudo rm -rf /snap /var/lib/snapd /var/cache/snapd
269else
270 echo "[ OK ] snapd package not installed, skipping purge"
271fi
272
273# 3) 在所有机器都写上 no-snap 的 pin
274sudo tee /etc/apt/preferences.d/no-snap.pref > /dev/null <<EOP
275Package: snapd
276Pin: release a=*
277Pin-Priority: -10
278EOP
279EOF
280
281# 20) Final cleanup & benchmark
282print_ok "Final autoremove & benchmark"
283run_remote "sudo apt-get autoremove -y --purge && \
284 sudo apt-get install -y sysbench && sysbench cpu --threads=$(nproc) run && \
285 sudo apt-get autoremove -y sysbench --purge"
286
287print_ok "Setup complete. Connect via: ssh $NEWUSER@$SERVER"
288
289# After this script, server will:
290
291# * Only allow SSH key login
292# * Root login disabled, password authentication disabled
293# * Have a new hostname set
294# * Have a new user with sudo privileges and can log in via SSH
295# * Have a random password stored securely at /etc/<new_user>.pass
296# * Have SSH key copied to authorized_keys so you can log in without a password
297# * Be hardened with UFW, Fail2Ban and allowed SSH connections(only)
298# * Have BBR enabled for better network performance
299# * Have the latest HWE kernel installed
300# * Have the best mirror selected for package updates
301# * Have snap removed
302# * Have CPU performance tuned to 'performance' mode
303# * Have timezone set to GMT
304# * Have all unnecessary users removed (Check /etc/passwd for remaining users)
305# * Have all unnecessary packages removed
306# * Have the latest updates installed
307# * Have sysbench installed for performance testing
308# * Have a final benchmark run to verify CPU performance
309# * Have a final cleanup of unnecessary packages
install_fail2ban.sh Raw
1#!/usr/bin/env bash
2set -euo pipefail
3
4echo "[+] Updating package index and installing fail2ban..."
5sudo apt update
6sudo apt install -y fail2ban
7
8echo "[+] Writing /etc/fail2ban/jail.local..."
9sudo tee /etc/fail2ban/jail.local > /dev/null <<'EOF'
10[sshd]
11enabled = true
12port = ssh
13filter = sshd
14logpath = /var/log/auth.log
15maxretry = 3
16findtime = 600
17bantime = 3600
18EOF
19sleep 1
20
21echo "[+] Restarting fail2ban service..."
22sudo systemctl restart fail2ban
23
24echo "=== Fail2Ban global status ==="
25# Allow script to continue even if fail2ban-client status fails (e.g., socket not yet ready)
26sudo fail2ban-client status || true
27
28echo "=== SSHD jail status ==="
29sudo fail2ban-client status sshd || true
30
31echo "Tip: To view the currently banned IP list again, run:"
32echo "sudo fail2ban-client status sshd"
33
34echo "Tip: To unban an IP address, run:"
35echo "sudo fail2ban-client set sshd unbanip <IP_ADDRESS>"
36
37echo "Tip: To ban an IP address manually, run:"
38echo "sudo fail2ban-client set sshd banip <IP_ADDRESS>"
39
40echo "Tip: To view the fail2ban logs, run:"
41echo "sudo journalctl -u fail2ban"
42
mirror.sh Raw
1#!/usr/bin/env bash
2set -euo pipefail
3
4# Check current APT source format status
5check_apt_format() {
6 local old_format=false
7 local new_format=false
8
9 # Check old format (.list)
10 if [ -f "/etc/apt/sources.list" ]; then
11 if grep -v '^#' /etc/apt/sources.list | grep -q '[^[:space:]]'; then
12 old_format=true
13 fi
14 fi
15
16 # Check for ubuntu.sources file in new format
17 if [ -f "/etc/apt/sources.list.d/ubuntu.sources" ]; then
18 if grep -v '^#' /etc/apt/sources.list.d/ubuntu.sources | grep -q '[^[:space:]]'; then
19 new_format=true
20 fi
21 fi
22
23 # Return status
24 if $old_format && $new_format; then
25 echo "both"
26 elif $old_format; then
27 echo "old"
28 elif $new_format; then
29 echo "new"
30 else
31 echo "none"
32 fi
33}
34
35# Find the fastest mirror
36find_fastest_mirror() {
37 # Redirect all output to stderr
38 echo "Testing mirror speeds..." >&2
39
40 # Get current Ubuntu codename
41 codename=$(lsb_release -cs)
42
43 # Define list of potential mirrors
44 mirrors=(
45 "https://archive.ubuntu.com/ubuntu/"
46 "https://mirror.aarnet.edu.au/pub/ubuntu/archive/" # Australia
47 "https://mirror.fsmg.org.nz/ubuntu/" # New Zealand
48 "https://mirrors.neterra.net/ubuntu/archive/" # Bulgaria
49 "https://mirror.csclub.uwaterloo.ca/ubuntu/" # Canada
50 "https://mirrors.dotsrc.org/ubuntu/" # Denmark
51 "https://mirrors.nic.funet.fi/ubuntu/" # Finland
52 "https://mirror.ubuntu.ikoula.com/" # France
53 "https://mirror.xtom.com.hk/ubuntu/" # Hong Kong
54 "https://mirrors.piconets.webwerks.in/ubuntu-mirror/ubuntu/" # India
55 "https://ftp.udx.icscoe.jp/Linux/ubuntu/" # Japan
56 "https://ftp.kaist.ac.kr/ubuntu/" # Korea
57 "https://ubuntu.mirror.garr.it/ubuntu/" # Italy
58 "https://ftp.uni-stuttgart.de/ubuntu/" # Germany
59 "https://mirror.i3d.net/pub/ubuntu/" # Netherlands
60 "https://mirroronet.pl/pub/mirrors/ubuntu/" # Poland
61 "https://ubuntu.mobinhost.com/ubuntu/" # Iran
62 "http://sg.archive.ubuntu.com/ubuntu/" # Singapore
63 "http://ossmirror.mycloud.services/os/linux/ubuntu/" # Singapore
64 "https://mirror.enzu.com/ubuntu/" # United States
65 "http://jp.archive.ubuntu.com/ubuntu/" # Japan
66 "http://kr.archive.ubuntu.com/ubuntu/" # Korea
67 "http://us.archive.ubuntu.com/ubuntu/" # United States
68 "http://tw.archive.ubuntu.com/ubuntu/" # Taiwan
69 "https://mirror.twds.com.tw/ubuntu/" # Taiwan
70 "https://ubuntu.mirrors.uk2.net/ubuntu/" # United Kingdom
71 "http://mirrors.ustc.edu.cn/ubuntu/" # USTC
72 "http://ftp.sjtu.edu.cn/ubuntu/" # SJTU
73 "http://mirrors.tuna.tsinghua.edu.cn/ubuntu/" # Tsinghua
74 "http://mirrors.aliyun.com/ubuntu/" # Aliyun
75 "http://mirrors.163.com/ubuntu/" # NetEase
76 "http://mirrors.cloud.tencent.com/ubuntu/" # Tencent Cloud
77 "http://mirror.aiursoft.cn/ubuntu/" # Aiursoft
78 "http://mirrors.huaweicloud.com/ubuntu/" # Huawei Cloud
79 "http://mirrors.zju.edu.cn/ubuntu/" # Zhejiang University
80 "http://azure.archive.ubuntu.com/ubuntu/" # Azure
81 "https://mirrors.isu.net.sa/apt-mirror/" # Saudi Arabia
82 "https://mirror.team-host.ru/ubuntu/" # Russia
83 "https://labs.eif.urjc.es/mirror/ubuntu/" # Spain
84 "https://mirror.alastyr.com/ubuntu/ubuntu-archive/" # Turkey
85 "https://ftp.acc.umu.se/ubuntu/" # Sweden
86 "https://mirror.kku.ac.th/ubuntu/" # Thailand
87 "https://mirror.bizflycloud.vn/ubuntu/" # Vietnam
88 )
89
90 declare -A results
91
92 # Test speed of each mirror
93 for mirror in "${mirrors[@]}"; do
94 echo "Testing $mirror ..." >&2
95 response="$(curl -o /dev/null -s -w "%{http_code} %{time_total}\n" \
96 --connect-timeout 1 --max-time 3 "${mirror}dists/${codename}/Release")"
97
98 http_code=$(echo "$response" | awk '{print $1}')
99 time_total=$(echo "$response" | awk '{print $2}')
100
101 if [ "$http_code" -eq 200 ]; then
102 results["$mirror"]="$time_total"
103 echo " Success: $time_total seconds" >&2
104 else
105 echo " Failed: HTTP code $http_code" >&2
106 results["$mirror"]="9999"
107 fi
108 done
109
110 # Sort mirrors by response time
111 sorted_mirrors="$(
112 for url in "${!results[@]}"; do
113 echo "$url ${results[$url]}"
114 done | sort -k2 -n
115 )"
116
117 echo >&2
118 echo "=== Mirrors sorted by response time (ascending) ===" >&2
119 echo "$sorted_mirrors" >&2
120 echo >&2
121
122 # Choose the fastest mirror
123 fastest_mirror="$(echo "$sorted_mirrors" | head -n 1 | awk '{print $1}')"
124
125 if [[ "$fastest_mirror" == "" || "${results[$fastest_mirror]}" == "9999" ]]; then
126 echo "No usable mirror found, using default mirror" >&2
127 fastest_mirror="http://archive.ubuntu.com/ubuntu/"
128 fi
129
130 echo "Fastest mirror found: $fastest_mirror" >&2
131 echo >&2
132
133 # Only this line will be returned to caller, without >&2
134 echo "$fastest_mirror"
135}
136
137# Generate old format source list
138generate_old_format() {
139 local mirror="$1"
140 local codename="$2"
141
142 echo "Generating old format source list /etc/apt/sources.list"
143
144 sudo tee /etc/apt/sources.list >/dev/null <<EOF
145deb $mirror $codename main restricted universe multiverse
146deb $mirror $codename-updates main restricted universe multiverse
147deb $mirror $codename-backports main restricted universe multiverse
148deb $mirror $codename-security main restricted universe multiverse
149EOF
150
151 echo "Old format source list updated"
152}
153
154# Generate new format source list
155generate_new_format() {
156 local mirror="$1"
157 local codename="$2"
158
159 echo "Generating new format source list /etc/apt/sources.list.d/ubuntu.sources"
160
161 sudo tee /etc/apt/sources.list.d/ubuntu.sources >/dev/null <<EOF
162Types: deb
163URIs: $mirror
164Suites: $codename
165Components: main restricted universe multiverse
166Signed-By: /usr/share/keyrings/ubuntu-archive-keyring.gpg
167
168Types: deb
169URIs: $mirror
170Suites: $codename-updates
171Components: main restricted universe multiverse
172Signed-By: /usr/share/keyrings/ubuntu-archive-keyring.gpg
173
174Types: deb
175URIs: $mirror
176Suites: $codename-backports
177Components: main restricted universe multiverse
178Signed-By: /usr/share/keyrings/ubuntu-archive-keyring.gpg
179
180Types: deb
181URIs: $mirror
182Suites: $codename-security
183Components: main restricted universe multiverse
184Signed-By: /usr/share/keyrings/ubuntu-archive-keyring.gpg
185EOF
186
187 echo "New format source list updated"
188}
189
190# Main function
191main() {
192 # Ensure required packages are installed
193 sudo apt update
194 sudo apt install -y curl lsb-release
195
196 # Get current source format
197 format=$(check_apt_format)
198 echo "Current APT source format status: $format"
199
200 # Get Ubuntu codename
201 codename=$(lsb_release -cs)
202 echo "Ubuntu codename: $codename"
203
204 # Find the fastest mirror
205 echo "Searching for the fastest mirror..."
206 fastest_mirror=$(find_fastest_mirror)
207
208 # Decide update strategy based on format
209 case "$format" in
210 "none")
211 echo "No valid APT source found, generating old format source list"
212 generate_old_format "$fastest_mirror" "$codename"
213 ;;
214 "old")
215 echo "System uses traditional format, updating old format source list"
216 generate_old_format "$fastest_mirror" "$codename"
217 ;;
218 "new")
219 echo "System uses modern format, updating new format source list"
220 generate_new_format "$fastest_mirror" "$codename"
221 ;;
222 "both")
223 echo "System uses both formats, old format will be removed, only new format will be retained"
224 sudo mv /etc/apt/sources.list /etc/apt/sources.list.bak
225 echo "Old format source list backed up to /etc/apt/sources.list.bak"
226 generate_new_format "$fastest_mirror" "$codename"
227 ;;
228 esac
229
230 # Update package list
231 echo "Updating package list..."
232 sudo apt update
233
234 echo "APT source optimization completed!"
235
236 aptVersion=$(apt --version | head -n 1 | awk '{print $2}')
237 echo "Current APT version: $aptVersion"
238
239 apt_major_version=$(echo "$aptVersion" | cut -d. -f1)
240
241 # If current APT version is 3.0 or higher, and using old format or none, convert to new format
242 # sudo apt modernize-sources
243 if [[ $apt_major_version -ge 3 && ( "$format" == "old" || "$format" == "none" ) ]]; then
244 echo "APT version is 3.0 or higher, converting to new format"
245 sudo apt modernize-sources
246 echo "APT sources converted to new format"
247 fi
248
249}
250
251# Execute main function
252main
253