系统服务是在后台运行的轻量级程序,无需图形用户界面。它们在系统启动期间自动启动并独立运行。它们的生命周期(包括启动、停止和重新启动等操作)由 Windows 上的服务控制管理器、Linux 上的 systemd(在大多数 detro 中)和 macOS 上的 launchd 管理。
与标准应用程序不同,服务是为连续操作而设计的,对于监控、日志记录和其他后台进程等任务至关重要。在 Linux 上,这些服务通常称为守护进程,而在 macOS 上,它们称为启动代理或守护进程。
创建跨平台系统服务需要一种平衡效率、可用性和可靠性的语言。 Go 在这方面表现出色有几个原因:
并发和性能:Go 的 goroutine 可以轻松地同时运行多个任务,从而提高不同平台上的效率和速度。与强大的标准库相结合,最大限度地减少了外部依赖并增强了跨平台兼容性。
内存管理和稳定性:Go 的垃圾收集可以防止内存泄漏,保持系统稳定。其清晰的错误处理也使得调试复杂的服务变得更加容易。
简单性和可维护性:Go 清晰的语法简化了服务的编写和维护。它能够生成静态链接的二进制文件,从而生成包含所有必要依赖项的单个可执行文件,从而无需单独的运行时环境。
交叉编译和灵活性:Go 对交叉编译的支持允许从单个代码库为各种操作系统构建可执行文件。通过 CGO,Go 可以与低级系统 API(例如 Win32 和 Objective-C)进行交互,为开发人员提供利用本机功能的灵活性。
此代码演练假设您的计算机上安装了 GO,并且您对 GO 的语法有基本了解,如果没有,我强烈建议您参观一下。
go-service/ ├── Makefile # Build and installation automation ├── cmd/ │ └── service/ │ └── main.go # Main entry point with CLI flags and command handling ├── internal/ │ ├── service/ │ │ └── service.go # Core service implementation │ └── platform/ # Platform-specific implementations │ ├── config.go # Configuration constants │ ├── service.go # Cross-platform service interface │ ├── windows.go # Windows-specific service management │ ├── linux.go # Linux-specific systemd service management │ └── darwin.go # macOS-specific launchd service management └── go.mod # Go module definition
初始化Go模块:
go mod init go-service
在internal/platform目录下的config.go中定义配置常量。该文件集中了所有可配置值,可以轻松调整设置。
文件:internal/platform/config.go
package main const ( ServiceName = "go-service" //Update your service name ServiceDisplay = "Go Service" // Update your display name ServiceDesc = "A service that appends 'Hello World' to a file every 5 minutes." // Update your Service Description LogFileName = "go-service.log" // Update your Log file name ) func GetInstallDir() string { switch runtime.GOOS { case "darwin": return "/usr/local/opt/go-service" case "linux": return "/opt/go-service" case "windows": return filepath.Join(os.Getenv("ProgramData"), ServiceName) default: return "" } } func copyFile(src, dst string) error { source, err := os.Open(src) if err != nil { return fmt.Errorf("failed to open source file: %w", err) } defer source.Close() destination, err := os.OpenFile(dst, os.O_RDWR|os.O_CREATE|os.O_TRUNC, 0755) if err != nil { return fmt.Errorf("failed to create destination file: %w", err) } defer destination.Close() _, err = io.Copy(destination, source) return err }
主要特点:
将在特定于平台的服务配置期间使用的服务常量。
GetInstallDir() 为每个操作系统提供适当的服务安装和日志文件路径。
在服务安装过程中使用copyFile()将可执行文件复制到GetInstallDir()提供的特定路径。
在内部/服务中,实现您的服务的核心功能。核心服务实现处理我们服务的主要功能。
在此示例中,服务每 5 分钟将“Hello World”附加到用户主目录中的文件中。
文件:内部/service/service.go
go-service/ ├── Makefile # Build and installation automation ├── cmd/ │ └── service/ │ └── main.go # Main entry point with CLI flags and command handling ├── internal/ │ ├── service/ │ │ └── service.go # Core service implementation │ └── platform/ # Platform-specific implementations │ ├── config.go # Configuration constants │ ├── service.go # Cross-platform service interface │ ├── windows.go # Windows-specific service management │ ├── linux.go # Linux-specific systemd service management │ └── darwin.go # macOS-specific launchd service management └── go.mod # Go module definition
go mod init go-service
服务实现生命周期管理的 Start 和 Stop 方法:
package main const ( ServiceName = "go-service" //Update your service name ServiceDisplay = "Go Service" // Update your display name ServiceDesc = "A service that appends 'Hello World' to a file every 5 minutes." // Update your Service Description LogFileName = "go-service.log" // Update your Log file name ) func GetInstallDir() string { switch runtime.GOOS { case "darwin": return "/usr/local/opt/go-service" case "linux": return "/opt/go-service" case "windows": return filepath.Join(os.Getenv("ProgramData"), ServiceName) default: return "" } } func copyFile(src, dst string) error { source, err := os.Open(src) if err != nil { return fmt.Errorf("failed to open source file: %w", err) } defer source.Close() destination, err := os.OpenFile(dst, os.O_RDWR|os.O_CREATE|os.O_TRUNC, 0755) if err != nil { return fmt.Errorf("failed to create destination file: %w", err) } defer destination.Close() _, err = io.Copy(destination, source) return err }
type Service struct { logFile string stop chan struct{} wg sync.WaitGroup started bool mu sync.Mutex }
run方法处理核心服务逻辑:
主要特点:
使用代码进行基于时间间隔的执行
上下文取消支持
优雅的关闭处理
错误记录
该服务每 5 分钟附加一个带有时间戳的“Hello World”
func New() (*Service, error) { installDir := platform.GetInstallDir() if installDir == "" { return nil, fmt.Errorf("unsupported operating system: %s", runtime.GOOS) } logFile := filepath.Join(installDir, "logs", platform.LogFileName) return &Service{ logFile: logFile, stop: make(chan struct{}), }, nil }
internal/platform 目录包含用于安装、卸载和管理服务的特定于平台的配置。
在 darwin.go 中,定义用于创建 .plist 文件的 macOS 特定逻辑,该文件使用 launchctl 处理服务安装和卸载。
文件:internal/platform/darwin.go
// Start the service func (s *Service) Start(ctx context.Context) error { s.mu.Lock() if s.started { s.mu.Unlock() return fmt.Errorf("service already started") } s.started = true s.mu.Unlock() if err := os.MkdirAll(filepath.Dir(s.logFile), 0755); err != nil { return fmt.Errorf("failed to create log directory: %w", err) } s.wg.Add(1) go s.run(ctx) return nil } // Stop the service gracefully func (s *Service) Stop() error { s.mu.Lock() if !s.started { s.mu.Unlock() return fmt.Errorf("service not started") } s.mu.Unlock() close(s.stop) s.wg.Wait() s.mu.Lock() s.started = false s.mu.Unlock() return nil }
在 Linux 上,我们使用 systemd 来管理服务。定义 .service 文件和相关方法。
文件:internal/platform/linux.go
func (s *Service) run(ctx context.Context) { defer s.wg.Done() log.Printf("Service started, logging to: %s\n", s.logFile) ticker := time.NewTicker(5 * time.Minute) defer ticker.Stop() if err := s.writeLog(); err != nil { log.Printf("Error writing initial log: %v\n", err) } for { select { case <-ctx.Done(): log.Println("Service stopping due to context cancellation") return case <-s.stop: log.Println("Service stopping due to stop signal") return case <-ticker.C: if err := s.writeLog(); err != nil { log.Printf("Error writing log: %v\n", err) } } } }
对于 Windows,使用 sc 命令安装和卸载服务。
文件:internal/platform/windows.go
func (s *Service) writeLog() error { f, err := os.OpenFile(s.logFile, os.O_APPEND|os.O_CREATE|os.O_WRONLY, 0644) if err != nil { return fmt.Errorf("failed to open log file: %w", err) } defer f.Close() _, err = f.WriteString(fmt.Sprintf("[%s] Hello World\n", time.Now().Format(time.RFC3339))) if err != nil { return fmt.Errorf("failed to write to log file: %w", err) } return nil }
最后,在 cmd/service/main.go 中配置 main.go 来处理安装、卸载和启动服务。
文件:cmd/service/main.go
package platform import ( "fmt" "os" "os/exec" "path/filepath" ) type darwinService struct{} const plistTemplate = `<?xml version="1.0" encoding="UTF-8"?> <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd"> <plist version="1.0"> <dict> <key>Label</key> <string>%s</string> <key>ProgramArguments</key> <array> <string>%s</string> <string>-run</string> </array> <key>RunAtLoad</key> <true/> <key>KeepAlive</key> <true/> <key>WorkingDirectory</key> <string>%s</string> </dict> </plist>` func (s *darwinService) Install(execPath string) error { installDir := GetInstallDir() if err := os.MkdirAll(installDir, 0755); err != nil { return fmt.Errorf("failed to create installation directory: %w", err) } // Copy binary to installation directory installedBinary := filepath.Join(installDir, "bin", filepath.Base(execPath)) if err := os.MkdirAll(filepath.Dir(installedBinary), 0755); err != nil { return fmt.Errorf("failed to create bin directory: %w", err) } if err := copyFile(execPath, installedBinary); err != nil { return fmt.Errorf("failed to copy binary: %w", err) } plistPath := filepath.Join("/Library/LaunchDaemons", ServiceName+".plist") content := fmt.Sprintf(plistTemplate, ServiceName, installedBinary, installDir) if err := os.WriteFile(plistPath, []byte(content), 0644); err != nil { return fmt.Errorf("failed to write plist file: %w", err) } if err := exec.Command("launchctl", "load", plistPath).Run(); err != nil { return fmt.Errorf("failed to load service: %w", err) } return nil } func (s *darwinService) Uninstall() error { plistPath := filepath.Join("/Library/LaunchDaemons", ServiceName+".plist") if err := exec.Command("launchctl", "unload", plistPath).Run(); err != nil { return fmt.Errorf("failed to unload service: %w", err) } if err := os.Remove(plistPath); err != nil { return fmt.Errorf("failed to remove plist file: %w", err) } return nil } func (s *darwinService) Status() (bool, error) { err := exec.Command("launchctl", "list", ServiceName).Run() return err == nil, nil } func (s *darwinService) Start() error { if err := exec.Command("launchctl", "start", ServiceName).Run(); err != nil { return fmt.Errorf("failed to start service: %w", err) } return nil } func (s *darwinService) Stop() error { if err := exec.Command("launchctl", "stop", ServiceName).Run(); err != nil { return fmt.Errorf("failed to stop service: %w", err) } return nil }
要为不同的操作系统构建服务,请使用 GOOS 和 GOARCH 环境变量。例如,要为 Windows 构建:
package platform import ( "fmt" "os" "os/exec" "path/filepath" ) type linuxService struct{} const systemdServiceTemplate = `[Unit] Description=%s [Service] ExecStart=%s -run Restart=always User=root WorkingDirectory=%s [Install] WantedBy=multi-user.target ` func (s *linuxService) Install(execPath string) error { installDir := GetInstallDir() if err := os.MkdirAll(installDir, 0755); err != nil { return fmt.Errorf("failed to create installation directory: %w", err) } installedBinary := filepath.Join(installDir, "bin", filepath.Base(execPath)) if err := os.MkdirAll(filepath.Dir(installedBinary), 0755); err != nil { return fmt.Errorf("failed to create bin directory: %w", err) } if err := copyFile(execPath, installedBinary); err != nil { return fmt.Errorf("failed to copy binary: %w", err) } servicePath := filepath.Join("/etc/systemd/system", ServiceName+".service") content := fmt.Sprintf(systemdServiceTemplate, ServiceDesc, installedBinary, installDir) if err := os.WriteFile(servicePath, []byte(content), 0644); err != nil { return fmt.Errorf("failed to write service file: %w", err) } commands := [][]string{ {"systemctl", "daemon-reload"}, {"systemctl", "enable", ServiceName}, {"systemctl", "start", ServiceName}, } for _, args := range commands { if err := exec.Command(args[0], args[1:]...).Run(); err != nil { return fmt.Errorf("failed to execute %s: %w", args[0], err) } } return nil } func (s *linuxService) Uninstall() error { _ = exec.Command("systemctl", "stop", ServiceName).Run() _ = exec.Command("systemctl", "disable", ServiceName).Run() servicePath := filepath.Join("/etc/systemd/system", ServiceName+".service") if err := os.Remove(servicePath); err != nil { return fmt.Errorf("failed to remove service file: %w", err) } return nil } func (s *linuxService) Status() (bool, error) { output, err := exec.Command("systemctl", "is-active", ServiceName).Output() if err != nil { return false, nil } return string(output) == "active\n", nil } func (s *linuxService) Start() error { if err := exec.Command("systemctl", "start", ServiceName).Run(); err != nil { return fmt.Errorf("failed to start service: %w", err) } return nil } func (s *linuxService) Stop() error { if err := exec.Command("systemctl", "stop", ServiceName).Run(); err != nil { return fmt.Errorf("failed to stop service: %w", err) } return nil }
对于 Linux:
package platform import ( "fmt" "os" "os/exec" "path/filepath" "strings" ) type windowsService struct{} func (s *windowsService) Install(execPath string) error { installDir := GetInstallDir() if err := os.MkdirAll(installDir, 0755); err != nil { return fmt.Errorf("failed to create installation directory: %w", err) } installedBinary := filepath.Join(installDir, "bin", filepath.Base(execPath)) if err := os.MkdirAll(filepath.Dir(installedBinary), 0755); err != nil { return fmt.Errorf("failed to create bin directory: %w", err) } if err := copyFile(execPath, installedBinary); err != nil { return fmt.Errorf("failed to copy binary: %w", err) } cmd := exec.Command("sc", "create", ServiceName, "binPath=", fmt.Sprintf("\"%s\" -run", installedBinary), "DisplayName=", ServiceDisplay, "start=", "auto", "obj=", "LocalSystem") if err := cmd.Run(); err != nil { return fmt.Errorf("failed to create service: %w", err) } descCmd := exec.Command("sc", "description", ServiceName, ServiceDesc) if err := descCmd.Run(); err != nil { return fmt.Errorf("failed to set service description: %w", err) } if err := exec.Command("sc", "start", ServiceName).Run(); err != nil { return fmt.Errorf("failed to start service: %w", err) } return nil } func (s *windowsService) Uninstall() error { _ = exec.Command("sc", "stop", ServiceName).Run() if err := exec.Command("sc", "delete", ServiceName).Run(); err != nil { return fmt.Errorf("failed to delete service: %w", err) } // Clean up installation directory installDir := GetInstallDir() if err := os.RemoveAll(installDir); err != nil { return fmt.Errorf("failed to remove installation directory: %w", err) } return nil } func (s *windowsService) Status() (bool, error) { output, err := exec.Command("sc", "query", ServiceName).Output() if err != nil { return false, nil } return strings.Contains(string(output), "RUNNING"), nil } func (s *windowsService) Start() error { if err := exec.Command("sc", "start", ServiceName).Run(); err != nil { return fmt.Errorf("failed to start service: %w", err) } return nil } func (s *windowsService) Stop() error { if err := exec.Command("sc", "stop", ServiceName).Run(); err != nil { return fmt.Errorf("failed to stop service: %w", err) } return nil }
对于 macOS:
go-service/ ├── Makefile # Build and installation automation ├── cmd/ │ └── service/ │ └── main.go # Main entry point with CLI flags and command handling ├── internal/ │ ├── service/ │ │ └── service.go # Core service implementation │ └── platform/ # Platform-specific implementations │ ├── config.go # Configuration constants │ ├── service.go # Cross-platform service interface │ ├── windows.go # Windows-specific service management │ ├── linux.go # Linux-specific systemd service management │ └── darwin.go # macOS-specific launchd service management └── go.mod # Go module definition
为相应的操作系统构建服务后,您可以使用以下命令对其进行管理。
注意: 确保使用 root 权限执行命令,因为这些操作需要在所有平台上提升权限。
go mod init go-service
package main const ( ServiceName = "go-service" //Update your service name ServiceDisplay = "Go Service" // Update your display name ServiceDesc = "A service that appends 'Hello World' to a file every 5 minutes." // Update your Service Description LogFileName = "go-service.log" // Update your Log file name ) func GetInstallDir() string { switch runtime.GOOS { case "darwin": return "/usr/local/opt/go-service" case "linux": return "/opt/go-service" case "windows": return filepath.Join(os.Getenv("ProgramData"), ServiceName) default: return "" } } func copyFile(src, dst string) error { source, err := os.Open(src) if err != nil { return fmt.Errorf("failed to open source file: %w", err) } defer source.Close() destination, err := os.OpenFile(dst, os.O_RDWR|os.O_CREATE|os.O_TRUNC, 0755) if err != nil { return fmt.Errorf("failed to create destination file: %w", err) } defer destination.Close() _, err = io.Copy(destination, source) return err }
type Service struct { logFile string stop chan struct{} wg sync.WaitGroup started bool mu sync.Mutex }
虽然您可以使用 Go 命令和标志来构建和管理服务,但我强烈建议使用 TaskFile。它使这些过程自动化并提供:
所有平台上一致的命令
基于 YAML 的简单配置
内置依赖管理
首先,检查Task是否已安装:
func New() (*Service, error) { installDir := platform.GetInstallDir() if installDir == "" { return nil, fmt.Errorf("unsupported operating system: %s", runtime.GOOS) } logFile := filepath.Join(installDir, "logs", platform.LogFileName) return &Service{ logFile: logFile, stop: make(chan struct{}), }, nil }
如果不存在,请使用以下命令安装:
macOS
// Start the service func (s *Service) Start(ctx context.Context) error { s.mu.Lock() if s.started { s.mu.Unlock() return fmt.Errorf("service already started") } s.started = true s.mu.Unlock() if err := os.MkdirAll(filepath.Dir(s.logFile), 0755); err != nil { return fmt.Errorf("failed to create log directory: %w", err) } s.wg.Add(1) go s.run(ctx) return nil } // Stop the service gracefully func (s *Service) Stop() error { s.mu.Lock() if !s.started { s.mu.Unlock() return fmt.Errorf("service not started") } s.mu.Unlock() close(s.stop) s.wg.Wait() s.mu.Lock() s.started = false s.mu.Unlock() return nil }
Linux
func (s *Service) run(ctx context.Context) { defer s.wg.Done() log.Printf("Service started, logging to: %s\n", s.logFile) ticker := time.NewTicker(5 * time.Minute) defer ticker.Stop() if err := s.writeLog(); err != nil { log.Printf("Error writing initial log: %v\n", err) } for { select { case <-ctx.Done(): log.Println("Service stopping due to context cancellation") return case <-s.stop: log.Println("Service stopping due to stop signal") return case <-ticker.C: if err := s.writeLog(); err != nil { log.Printf("Error writing log: %v\n", err) } } } }
Windows
func (s *Service) writeLog() error { f, err := os.OpenFile(s.logFile, os.O_APPEND|os.O_CREATE|os.O_WRONLY, 0644) if err != nil { return fmt.Errorf("failed to open log file: %w", err) } defer f.Close() _, err = f.WriteString(fmt.Sprintf("[%s] Hello World\n", time.Now().Format(time.RFC3339))) if err != nil { return fmt.Errorf("failed to write to log file: %w", err) } return nil }
在项目根目录中创建一个 Taskfile.yml:
package platform import ( "fmt" "os" "os/exec" "path/filepath" ) type darwinService struct{} const plistTemplate = `<?xml version="1.0" encoding="UTF-8"?> <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd"> <plist version="1.0"> <dict> <key>Label</key> <string>%s</string> <key>ProgramArguments</key> <array> <string>%s</string> <string>-run</string> </array> <key>RunAtLoad</key> <true/> <key>KeepAlive</key> <true/> <key>WorkingDirectory</key> <string>%s</string> </dict> </plist>` func (s *darwinService) Install(execPath string) error { installDir := GetInstallDir() if err := os.MkdirAll(installDir, 0755); err != nil { return fmt.Errorf("failed to create installation directory: %w", err) } // Copy binary to installation directory installedBinary := filepath.Join(installDir, "bin", filepath.Base(execPath)) if err := os.MkdirAll(filepath.Dir(installedBinary), 0755); err != nil { return fmt.Errorf("failed to create bin directory: %w", err) } if err := copyFile(execPath, installedBinary); err != nil { return fmt.Errorf("failed to copy binary: %w", err) } plistPath := filepath.Join("/Library/LaunchDaemons", ServiceName+".plist") content := fmt.Sprintf(plistTemplate, ServiceName, installedBinary, installDir) if err := os.WriteFile(plistPath, []byte(content), 0644); err != nil { return fmt.Errorf("failed to write plist file: %w", err) } if err := exec.Command("launchctl", "load", plistPath).Run(); err != nil { return fmt.Errorf("failed to load service: %w", err) } return nil } func (s *darwinService) Uninstall() error { plistPath := filepath.Join("/Library/LaunchDaemons", ServiceName+".plist") if err := exec.Command("launchctl", "unload", plistPath).Run(); err != nil { return fmt.Errorf("failed to unload service: %w", err) } if err := os.Remove(plistPath); err != nil { return fmt.Errorf("failed to remove plist file: %w", err) } return nil } func (s *darwinService) Status() (bool, error) { err := exec.Command("launchctl", "list", ServiceName).Run() return err == nil, nil } func (s *darwinService) Start() error { if err := exec.Command("launchctl", "start", ServiceName).Run(); err != nil { return fmt.Errorf("failed to start service: %w", err) } return nil } func (s *darwinService) Stop() error { if err := exec.Command("launchctl", "stop", ServiceName).Run(); err != nil { return fmt.Errorf("failed to stop service: %w", err) } return nil }
服务管理(需要root/管理员权限):
package platform import ( "fmt" "os" "os/exec" "path/filepath" ) type linuxService struct{} const systemdServiceTemplate = `[Unit] Description=%s [Service] ExecStart=%s -run Restart=always User=root WorkingDirectory=%s [Install] WantedBy=multi-user.target ` func (s *linuxService) Install(execPath string) error { installDir := GetInstallDir() if err := os.MkdirAll(installDir, 0755); err != nil { return fmt.Errorf("failed to create installation directory: %w", err) } installedBinary := filepath.Join(installDir, "bin", filepath.Base(execPath)) if err := os.MkdirAll(filepath.Dir(installedBinary), 0755); err != nil { return fmt.Errorf("failed to create bin directory: %w", err) } if err := copyFile(execPath, installedBinary); err != nil { return fmt.Errorf("failed to copy binary: %w", err) } servicePath := filepath.Join("/etc/systemd/system", ServiceName+".service") content := fmt.Sprintf(systemdServiceTemplate, ServiceDesc, installedBinary, installDir) if err := os.WriteFile(servicePath, []byte(content), 0644); err != nil { return fmt.Errorf("failed to write service file: %w", err) } commands := [][]string{ {"systemctl", "daemon-reload"}, {"systemctl", "enable", ServiceName}, {"systemctl", "start", ServiceName}, } for _, args := range commands { if err := exec.Command(args[0], args[1:]...).Run(); err != nil { return fmt.Errorf("failed to execute %s: %w", args[0], err) } } return nil } func (s *linuxService) Uninstall() error { _ = exec.Command("systemctl", "stop", ServiceName).Run() _ = exec.Command("systemctl", "disable", ServiceName).Run() servicePath := filepath.Join("/etc/systemd/system", ServiceName+".service") if err := os.Remove(servicePath); err != nil { return fmt.Errorf("failed to remove service file: %w", err) } return nil } func (s *linuxService) Status() (bool, error) { output, err := exec.Command("systemctl", "is-active", ServiceName).Output() if err != nil { return false, nil } return string(output) == "active\n", nil } func (s *linuxService) Start() error { if err := exec.Command("systemctl", "start", ServiceName).Run(); err != nil { return fmt.Errorf("failed to start service: %w", err) } return nil } func (s *linuxService) Stop() error { if err := exec.Command("systemctl", "stop", ServiceName).Run(); err != nil { return fmt.Errorf("failed to stop service: %w", err) } return nil }
为您的平台构建:
package platform import ( "fmt" "os" "os/exec" "path/filepath" "strings" ) type windowsService struct{} func (s *windowsService) Install(execPath string) error { installDir := GetInstallDir() if err := os.MkdirAll(installDir, 0755); err != nil { return fmt.Errorf("failed to create installation directory: %w", err) } installedBinary := filepath.Join(installDir, "bin", filepath.Base(execPath)) if err := os.MkdirAll(filepath.Dir(installedBinary), 0755); err != nil { return fmt.Errorf("failed to create bin directory: %w", err) } if err := copyFile(execPath, installedBinary); err != nil { return fmt.Errorf("failed to copy binary: %w", err) } cmd := exec.Command("sc", "create", ServiceName, "binPath=", fmt.Sprintf("\"%s\" -run", installedBinary), "DisplayName=", ServiceDisplay, "start=", "auto", "obj=", "LocalSystem") if err := cmd.Run(); err != nil { return fmt.Errorf("failed to create service: %w", err) } descCmd := exec.Command("sc", "description", ServiceName, ServiceDesc) if err := descCmd.Run(); err != nil { return fmt.Errorf("failed to set service description: %w", err) } if err := exec.Command("sc", "start", ServiceName).Run(); err != nil { return fmt.Errorf("failed to start service: %w", err) } return nil } func (s *windowsService) Uninstall() error { _ = exec.Command("sc", "stop", ServiceName).Run() if err := exec.Command("sc", "delete", ServiceName).Run(); err != nil { return fmt.Errorf("failed to delete service: %w", err) } // Clean up installation directory installDir := GetInstallDir() if err := os.RemoveAll(installDir); err != nil { return fmt.Errorf("failed to remove installation directory: %w", err) } return nil } func (s *windowsService) Status() (bool, error) { output, err := exec.Command("sc", "query", ServiceName).Output() if err != nil { return false, nil } return strings.Contains(string(output), "RUNNING"), nil } func (s *windowsService) Start() error { if err := exec.Command("sc", "start", ServiceName).Run(); err != nil { return fmt.Errorf("failed to start service: %w", err) } return nil } func (s *windowsService) Stop() error { if err := exec.Command("sc", "stop", ServiceName).Run(); err != nil { return fmt.Errorf("failed to stop service: %w", err) } return nil }
跨平台构建:
package main import ( "context" "flag" "fmt" "log" "os" "os/signal" "syscall" "time" "go-service/internal/platform" "go-service/internal/service" ) func main() { log.SetFlags(log.LstdFlags | log.Lmicroseconds) install := flag.Bool("install", false, "Install the service") uninstall := flag.Bool("uninstall", false, "Uninstall the service") status := flag.Bool("status", false, "Check service status") start := flag.Bool("start", false, "Start the service") stop := flag.Bool("stop", false, "Stop the service") runWorker := flag.Bool("run", false, "Run the service worker") flag.Parse() if err := handleCommand(*install, *uninstall, *status, *start, *stop, *runWorker); err != nil { log.Fatal(err) } } func handleCommand(install, uninstall, status, start, stop, runWorker bool) error { platformSvc, err := platform.NewService() if err != nil { return err } execPath, err := os.Executable() if err != nil { return fmt.Errorf("failed to get executable path: %w", err) } switch { case install: return platformSvc.Install(execPath) case uninstall: return platformSvc.Uninstall() case status: running, err := platformSvc.Status() if err != nil { return err } fmt.Printf("Service is %s\n", map[bool]string{true: "running", false: "stopped"}[running]) return nil case start: return platformSvc.Start() case stop: return platformSvc.Stop() case runWorker: return runService() default: return fmt.Errorf("no command specified") } } func runService() error { svc, err := service.New() if err != nil { return fmt.Errorf("failed to create service: %w", err) } ctx, cancel := context.WithCancel(context.Background()) defer cancel() sigChan := make(chan os.Signal, 1) signal.Notify(sigChan, syscall.SIGINT, syscall.SIGTERM) log.Println("Starting service...") if err := svc.Start(ctx); err != nil { return fmt.Errorf("failed to start service: %w", err) } log.Println("Service started, waiting for shutdown signal...") <-sigChan log.Println("Shutdown signal received, stopping service...") if err := svc.Stop(); err != nil { return fmt.Errorf("failed to stop service: %w", err) } log.Println("Service stopped successfully") return nil }
列出所有可用任务:
GOOS=windows GOARCH=amd64 go build -ldflags "-s -w" -o go-service.exe ./cmd/service
通过遵循这种结构化方法,您可以在 Go 中创建一个干净且模块化的服务,该服务可以跨多个平台无缝运行。每个平台的具体信息都隔离在各自的文件中,并且 main.go 文件保持简单且易于维护。
完整代码请参考我在 GitHub 上的 Go 服务存储库。
以上是使用 Go 构建跨平台系统服务:分步指南的详细内容。更多信息请关注PHP中文网其他相关文章!