Serv00服务器经常出现删除cron现象,通过外部SSH访问重设比较麻烦,同一个IP对多服务器SSH访问,还可能会被批量查封。
可以借用web进行应用保活,简单又安全,方法如下:

  • 替换public_html目录下的默认主页
    删除/home/${YOURNAME}/domains/${YOURNAME}.serv00.net/public_html目录下的index.html,增加:
    index.php:

    <?php
    
    // 引入配置文件
    $config = include 'config.php';
    
    // 日志文件路径
    $logFile = 'log/access.log';
    
    // Nginx 默认页面 HTML 内容
    $nginxDefaultHtml = <<<HTML
    <!DOCTYPE html>
    <html>
    <head>
      <title>Welcome to nginx!</title>
      <style>
          body {
              width: 35em;
              margin: 0 auto;
              font-family: Tahoma, Verdana, Arial, sans-serif;
          }
      </style>
    </head>
    <body>
    <h1>Welcome to nginx!</h1>
    <p>If you see this page, the nginx web server is successfully installed and
    working. Further configuration is required.</p>
    
    <p>For online documentation and support please refer to
    <a href="http://nginx.org/">nginx.org</a>.<br/>
    Commercial support is available at
    <a href="http://nginx.com/">nginx.com</a>.</p>
    
    <p><em>Thank you for using nginx.</em></p>
    </body>
    </html>
    HTML;
    
    // 确保 log 目录存在
    if (!is_dir('log')) {
      mkdir('log', 0777, true); // 创建目录,允许所有用户读写执行
    }
    
    // 获取请求路径 (从 GET 参数中获取)
    $requestPath = $_GET['path'] ?? '';
    
    // 记录访问日志
    $logMessage = date('Y-m-d H:i:s') . " - Access: " . ($requestPath ? '?path=' . $requestPath : 'Direct Access') . "\n";
    file_put_contents($logFile, $logMessage, FILE_APPEND);
    
    // 移除多余的斜杠
    $requestPath = trim($requestPath, '/');
    
    // 添加前导斜杠,使其与配置文件中的路由匹配
    if ($requestPath !== '') {
      $requestPath = '/' . $requestPath;
    }
    
    // 查找匹配的配置项
    $action = null;
    foreach ($config['routes'] as $route => $actionConfig) {
      if ($route === $requestPath) {
          $action = $actionConfig;
          break;
      }
    }
    
    if ($action) {
      // 执行对应操作
      switch ($action['type']) {
          case 'command':
              $command = $action['command'];
              $logMessage = date('Y-m-d H:i:s') . " - Executing command: " . $command . "\n";
              file_put_contents($logFile, $logMessage, FILE_APPEND);
    
              // 执行命令并获取输出
              $output = shell_exec($command . ' 2>&1'); //  2>&1  将标准错误重定向到标准输出
    
              $logMessage = date('Y-m-d H:i:s') . " - Command output: " . $output . "\n";
              file_put_contents($logFile, $logMessage, FILE_APPEND);
    
              echo "<pre>" . htmlspecialchars($output) . "</pre>"; // 使用 <pre> 标签保持格式,并进行HTML转义
              break;
    
          case 'static':
              $filePath = $action['file'];
    
              if (is_dir($filePath)) {
                  // 目录托管
                  $requestedFile = realpath($filePath . '/' . ltrim($requestPath, '/'));  // 确保在目录内
                  $logMessage = date('Y-m-d H:i:s') . " - Serving static directory: " . $filePath . ", Requested file: " . $requestedFile . "\n";
                  file_put_contents($logFile, $logMessage, FILE_APPEND);
    
                  if ($requestedFile && strpos($requestedFile, realpath($filePath)) === 0 && file_exists($requestedFile) && is_readable($requestedFile)) {  // 安全检查
                      // 根据文件类型设置 Content-Type
                      $fileExtension = pathinfo($requestedFile, PATHINFO_EXTENSION);
                      $contentType = getContentType($fileExtension);  // 使用函数获取 Content-Type
                      header('Content-Type: ' . $contentType);
                      readfile($requestedFile);
                  } else {
                      header("HTTP/1.0 404 Not Found");
                      echo "<h1>404 Not Found</h1>";
                      $logMessage = date('Y-m-d H:i:s') . " - Static file not found: " . $filePath . '/' . ltrim($requestPath, '/') . "\n";
                      file_put_contents($logFile, $logMessage, FILE_APPEND);
                  }
              } elseif (file_exists($filePath) && is_readable($filePath)) {
                  // 单个文件
                  $logMessage = date('Y-m-d H:i:s') . " - Serving static file: " . $filePath . "\n";
                  file_put_contents($logFile, $logMessage, FILE_APPEND);
    
                  // 根据文件类型设置 Content-Type
                  $fileExtension = pathinfo($filePath, PATHINFO_EXTENSION);
                  $contentType = getContentType($fileExtension);  // 使用函数获取 Content-Type
                  header('Content-Type: ' . $contentType);
    
                  readfile($filePath);
              } else {
                  header("HTTP/1.0 404 Not Found");
                  echo "<h1>404 Not Found</h1>";
                  $logMessage = date('Y-m-d H:i:s') . " - Static file not found: " . $filePath . "\n";
                  file_put_contents($logFile, $logMessage, FILE_APPEND);
              }
              break;
    
          default:
              header("HTTP/1.0 500 Internal Server Error");
              echo "<h1>500 Internal Server Error</h1><p>Invalid action type.</p>";
              $logMessage = date('Y-m-d H:i:s') . " - Invalid action type: " . $action['type'] . "\n";
              file_put_contents($logFile, $logMessage, FILE_APPEND);
              break;
      }
    } else {
      // 未找到匹配的路由,返回 Nginx 默认页面
      header('Content-Type: text/html');
      echo $nginxDefaultHtml;
      $logMessage = date('Y-m-d H:i:s') . " - Route not found, serving Nginx default page.\n";
      file_put_contents($logFile, $logMessage, FILE_APPEND);
    }
    
    /**
     * 根据文件扩展名获取 Content-Type
     * @param string $extension
     * @return string
     */
    function getContentType(string $extension): string {
      $mimeTypes = [
          'html' => 'text/html',
          'css' => 'text/css',
          'js' => 'text/javascript',
          'json' => 'application/json',
          'xml' => 'application/xml',
          'txt' => 'text/plain',
          'jpg' => 'image/jpeg',
          'jpeg' => 'image/jpeg',
          'png' => 'image/png',
          'gif' => 'image/gif',
          'svg' => 'image/svg+xml',
          // 添加更多 mime 类型
      ];
    
      return $mimeTypes[$extension] ?? 'application/octet-stream'; // 默认
    }
    
    ?>

config.php:

<?php

return [
    'routes' => [
        '/status' => [
            'type' => 'command',
            'command' => 'uptime'
        ],
        '/diskspace' => [
            'type' => 'command',
            'command' => 'df -h'
        ],
        '/cron' => [
            'type' => 'command',
            'command' => 'bash ./your_check_cron_shell.sh'
        ],
        '/installcron' => [
            'type' => 'command',
            'command' => '(crontab -l 2>/dev/null; echo "00 08 * * 6 ${your_command} > /dev/null 2>&1") | crontab -'
        ],
        '/back.html' => [
            'type' => 'static',
            'file' => 'your.html'  // 单个文件
        ]
    ]
];

按需修改上面的配置文件对应的脚本或命令,尽情发挥。

  • WEB远程调用示例

    https://${YOURNAME}.serv00.net/?path=cron

// ==UserScript==
// @name         SillyDev Auto Renewal
// @namespace    http://tampermonkey.net/
// @version      1.3
// @description  Automatically renew servers on panel.sillydev.co.uk
// @author       Your name
// @match        https://panel.sillydev.co.uk/*
// @grant        none
// ==/UserScript==

(function() {
    'use strict';
    
    const RENEWAL_COST = 175; // Cost per renewal
    const DAYS_PER_RENEWAL = 7; // Days added per renewal
    const MAX_RENEWAL_DAYS = 21; // Maximum renewal days allowed
    const CHECK_INTERVAL = 30 * 60 * 1000; // Check every 30 minutes

    // Helper function to get XSRF token from cookie
    function getXsrfToken() {
        const cookies = document.cookie.split(';');
        for (const cookie of cookies) {
            const [name, value] = cookie.trim().split('=');
            if (name === 'XSRF-TOKEN') {
                return decodeURIComponent(value);
            }
        }
        return null;
    }

    // Helper function to make API requests
    async function makeRequest(endpoint, method = 'GET', body = null) {
        const xsrfToken = getXsrfToken();
        if (!xsrfToken) {
            console.error('XSRF token not found in cookies');
            return null;
        }

        const options = {
            method: method,
            headers: {
                'Accept': 'application/json',
                'Content-Type': 'application/json',
                'X-XSRF-TOKEN': xsrfToken
            },
            credentials: 'include'
        };
        
        if (body) {
            options.body = JSON.stringify(body);
        }
        
        try {
            const response = await fetch(`https://panel.sillydev.co.uk${endpoint}`, options);
            
            // Handle non-OK responses
            if (!response.ok) {
                const errorData = await response.json();
                throw new Error(JSON.stringify(errorData));
            }
            
            // For successful responses, check if there's actual content
            const contentType = response.headers.get('content-type');
            if (contentType && contentType.includes('application/json')) {
                return await response.json();
            }
            
            // If no JSON content but response is OK, return true to indicate success
            return true;
            
        } catch (error) {
            console.error(`API request failed:`, error);
            return null;
        }
    }

    // Get user's current balance
    async function getUserBalance() {
        const userData = await makeRequest('/api/client/store');
        return userData?.attributes?.balance || 0;
    }

    // Get list of all servers
    async function getServers() {
        const serversData = await makeRequest('/api/client?page=1');
        return serversData?.data || [];
    }

    // Renew a specific server
    async function renewServer(serverUuid) {
        return await makeRequest(`/api/client/servers/${serverUuid}/renew`, 'POST');
    }

    // Calculate optimal renewals based on current balance and server states
    function calculateOptimalRenewals(servers, balance) {
        // Calculate how many renewals we can afford
        const maxRenewals = Math.floor(balance / RENEWAL_COST);
        if (maxRenewals === 0) return [];

        // Sort servers by a combination of days remaining and potential waste
        const sortedServers = servers.map(server => {
            const daysRemaining = server.attributes.renewal;
            // Calculate potential waste (days that would exceed MAX_RENEWAL_DAYS)
            const potentialWaste = Math.max(0, (daysRemaining + DAYS_PER_RENEWAL) - MAX_RENEWAL_DAYS);
            // Calculate urgency score (lower is more urgent)
            const urgencyScore = (daysRemaining * 2) + (potentialWaste * 3);
            
            return {
                server: server,
                daysRemaining: daysRemaining,
                potentialWaste: potentialWaste,
                urgencyScore: urgencyScore
            };
        }).sort((a, b) => a.urgencyScore - b.urgencyScore);

        const renewalPlan = [];
        let remainingBalance = balance;

        // Consider each server for renewal
        for (const serverInfo of sortedServers) {
            // Stop if we can't afford more renewals
            if (remainingBalance < RENEWAL_COST) break;

            const daysRemaining = serverInfo.daysRemaining;
            const newTotalDays = daysRemaining + DAYS_PER_RENEWAL;

            // Only renew if:
            // 1. The new total won't exceed MAX_RENEWAL_DAYS
            // 2. Current days are less than 14 (to ensure we always have a buffer for renewal)
            if (newTotalDays <= MAX_RENEWAL_DAYS && daysRemaining < 14) {
                renewalPlan.push({
                    uuid: serverInfo.server.attributes.uuid,
                    currentDays: daysRemaining,
                    newTotal: newTotalDays,
                    needsRenewal: true
                });
                remainingBalance -= RENEWAL_COST;
            }
        }

        return renewalPlan;
    }

    // Main function to check and renew servers
    async function checkAndRenewServers() {
        console.log('Checking server renewals...');
        
        // Get current balance and servers
        const balance = await getUserBalance();
        const servers = await getServers();
        
        if (!balance || !servers) {
            console.log('Failed to fetch necessary data');
            return;
        }

        console.log(`Current balance: ${balance}`);
        console.log('Current servers:', servers.map(s => ({
            name: s.attributes.name,
            days: s.attributes.renewal
        })));

        // Calculate optimal renewals
        const renewalPlan = calculateOptimalRenewals(servers, balance);

        // Execute renewals
        for (const plan of renewalPlan) {
            console.log(`Renewing server ${plan.uuid} (current days: ${plan.currentDays}, will have: ${plan.newTotal})`);
            try {
                const result = await renewServer(plan.uuid);
                if (result === true) {
                    console.log(`Successfully renewed server ${plan.uuid}`);
                } else {
                    console.error(`Failed to renew server ${plan.uuid}`);
                }
            } catch (error) {
                console.error(`Failed to renew server ${plan.uuid}:`, error);
            }
            // Add a small delay between renewals to avoid rate limiting
            await new Promise(resolve => setTimeout(resolve, 2000));
        }

        console.log('Renewal check completed');
    }

    // Function to wait for XSRF token to be available in cookies
    function waitForXsrfToken() {
        return new Promise((resolve) => {
            const checkToken = () => {
                const token = getXsrfToken();
                if (token) {
                    resolve();
                } else {
                    setTimeout(checkToken, 100);
                }
            };
            checkToken();
        });
    }

    // Start the periodic checks
    async function initialize() {
        console.log('SillyDev Auto Renewal script started, waiting for XSRF token...');
        await waitForXsrfToken();
        console.log('XSRF token found, starting renewal checks...');
        checkAndRenewServers(); // Initial check
        setInterval(checkAndRenewServers, CHECK_INTERVAL); // Periodic checks
    }

    initialize();
})();

Serv00服务器后台通过devil命令管理,常用功能收集:

  • 开启用户程序或脚本执行权限

    devil binexec on
  • 端口管理

    • 添加端口:

      devil port add [tcp,udp] 54321 # 指定端口
      devil port add [tcp,udp] random # 随机分配端口
    • 查看端口:

      devil port list
    • 删除端口:

      devil port del [tcp,udp] 33333
  • 网站管理

    • 添加网站:

      devil www add xxx.your.domain proxy localhost 54321 # 代理到本地服务
      devil www add xxx.your.domain [php] # php
      devil www add xxx.your.domain pointer www.baidu.com
      devil www add xxx.your.domain [python|nodejs|ruby] /home/xxxx/bin/xxx [production, staging, development, test]
    • 查看网站:

      devil www list
    • 删除站点:

      devil www del xxx.your.domain
  • 查看当前所在服务器IP

    devil vhost list