| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233 | package performanceimport (	"bytes"	"fmt"	"io"	"net/http"	"os"	"regexp"	"strconv"	"strings"	"text/template"	"time"	"github.com/0xJacky/Nginx-UI/internal/nginx"	"github.com/0xJacky/Nginx-UI/settings"	"github.com/pkg/errors")// StubStatusInfo Store the stub_status module statustype StubStatusInfo struct {	Enabled bool   `json:"stub_status_enabled"` // stub_status module is enabled	URL     string `json:"stub_status_url"`     // stub_status access address}type StubStatusData struct {	Active   int `json:"active"`	Accepts  int `json:"accepts"`	Handled  int `json:"handled"`	Requests int `json:"requests"`	Reading  int `json:"reading"`	Writing  int `json:"writing"`	Waiting  int `json:"waiting"`}const (	StubStatusPath       = "/stub_status"	StubStatusHost       = "127.0.0.1"	StubStatusProtocol   = "http"	StubStatusAllow      = "127.0.0.1"	StubStatusDeny       = "all"	StubStatusConfigName = "stub_status_nginx-ui.conf")// GetStubStatusData Get the stub_status module datafunc GetStubStatusData() (bool, *StubStatusData, error) {	result := &StubStatusData{		Active:   0,		Accepts:  0,		Handled:  0,		Requests: 0,		Reading:  0,		Writing:  0,		Waiting:  0,	}	// Get the stub_status status information	enabled, statusURL := IsStubStatusEnabled()	if !enabled {		return false, result, fmt.Errorf("stub_status is not enabled")	}	// Create an HTTP client	client := &http.Client{		Timeout: 5 * time.Second,	}	// Send a request to get the stub_status data	resp, err := client.Get(statusURL)	if err != nil {		return enabled, result, fmt.Errorf("failed to get stub status: %v", err)	}	defer resp.Body.Close()	// Read the response content	body, err := io.ReadAll(resp.Body)	if err != nil {		return enabled, result, fmt.Errorf("failed to read response body: %v", err)	}	// Parse the response content	statusContent := string(body)	// Match the active connection number	activeRe := regexp.MustCompile(`Active connections:\s+(\d+)`)	if matches := activeRe.FindStringSubmatch(statusContent); len(matches) > 1 {		result.Active, _ = strconv.Atoi(matches[1])	}	// Match the request statistics information	serverRe := regexp.MustCompile(`(\d+)\s+(\d+)\s+(\d+)`)	if matches := serverRe.FindStringSubmatch(statusContent); len(matches) > 3 {		result.Accepts, _ = strconv.Atoi(matches[1])		result.Handled, _ = strconv.Atoi(matches[2])		result.Requests, _ = strconv.Atoi(matches[3])	}	// Match the read and write waiting numbers	connRe := regexp.MustCompile(`Reading:\s+(\d+)\s+Writing:\s+(\d+)\s+Waiting:\s+(\d+)`)	if matches := connRe.FindStringSubmatch(statusContent); len(matches) > 3 {		result.Reading, _ = strconv.Atoi(matches[1])		result.Writing, _ = strconv.Atoi(matches[2])		result.Waiting, _ = strconv.Atoi(matches[3])	}	return enabled, result, nil}// GetStubStatus Get the stub_status module statusfunc GetStubStatus() *StubStatusInfo {	enabled, statusURL := IsStubStatusEnabled()	return &StubStatusInfo{		Enabled: enabled,		URL:     statusURL,	}}// IsStubStatusEnabled Check if the stub_status module is enabled and return the access address// Only check the stub_status_nginx-ui.conf configuration filefunc IsStubStatusEnabled() (bool, string) {	stubStatusConfPath := nginx.GetConfPath("conf.d", StubStatusConfigName)	if _, err := os.Stat(stubStatusConfPath); os.IsNotExist(err) {		return false, ""	}	ngxConfig, err := nginx.ParseNgxConfig(stubStatusConfPath)	if err != nil {		return false, ""	}	// Find the stub_status configuration	for _, server := range ngxConfig.Servers {		protocol := StubStatusProtocol		host := StubStatusHost		port := settings.NginxSettings.GetStubStatusPort()		for _, location := range server.Locations {			// Check if the location content contains stub_status			if strings.Contains(location.Content, "stub_status") {				stubStatusURL := fmt.Sprintf("%s://%s:%d%s", protocol, host, port, StubStatusPath)				return true, stubStatusURL			}		}	}	return false, ""}// EnableStubStatus Enable stub_status modulefunc EnableStubStatus() error {	enabled, _ := IsStubStatusEnabled()	if enabled {		return nil	}	return CreateStubStatusConfig()}// DisableStubStatus Disable stub_status modulefunc DisableStubStatus() error {	stubStatusConfPath := nginx.GetConfPath("conf.d", StubStatusConfigName)	if _, err := os.Stat(stubStatusConfPath); os.IsNotExist(err) {		return nil	}	return os.Remove(stubStatusConfPath)}// CreateStubStatusConfig Create a new stub_status configuration filefunc CreateStubStatusConfig() error {	httpConfPath := nginx.GetConfPath("conf.d", StubStatusConfigName)	const stubStatusTemplate = `# DO NOT EDIT THIS FILE, IT IS AUTO GENERATED BY NGINX-UI# Nginx stub_status configuration for Nginx-UI# Modified at {{.ModifiedTime}}server {    listen {{.Port}};  # Use non-standard port to avoid conflicts    server_name {{.ServerName}};    # Status monitoring interface    location {{.StatusPath}} {        stub_status;        allow {{.AllowIP}}; # Only allow local access        deny {{.DenyAccess}};    }}`	type StubStatusTemplateData struct {		ModifiedTime string		Port         uint		ServerName   string		StatusPath   string		AllowIP      string		DenyAccess   string	}	data := StubStatusTemplateData{		ModifiedTime: time.Now().Format(time.DateTime),		Port:         settings.NginxSettings.GetStubStatusPort(),		ServerName:   "localhost",		StatusPath:   StubStatusPath,		AllowIP:      StubStatusAllow,		DenyAccess:   StubStatusDeny,	}	tmpl, err := template.New("stub_status").Parse(stubStatusTemplate)	if err != nil {		return errors.Wrap(err, "failed to parse template")	}	var buf bytes.Buffer	if err := tmpl.Execute(&buf, data); err != nil {		return errors.Wrap(err, "failed to execute template")	}	stubStatusConfig := buf.String()	ngxConfig, err := nginx.ParseNgxConfigByContent(stubStatusConfig)	if err != nil {		return errors.Wrap(err, "failed to parse new nginx config")	}	ngxConfig.FileName = httpConfPath	configText, err := ngxConfig.BuildConfig()	if err != nil {		return errors.Wrap(err, "failed to build nginx config")	}	return os.WriteFile(httpConfPath, []byte(configText), 0644)}
 |