| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582 |
- /*
- * Copyright (c) 2016, Psiphon Inc.
- * All rights reserved.
- *
- * This program is free software: you can redistribute it and/or modify
- * it under the terms of the GNU General Public License as published by
- * the Free Software Foundation, either version 3 of the License, or
- * (at your option) any later version.
- *
- * This program is distributed in the hope that it will be useful,
- * but WITHOUT ANY WARRANTY; without even the implied warranty of
- * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
- * GNU General Public License for more details.
- *
- * You should have received a copy of the GNU General Public License
- * along with this program. If not, see <http://www.gnu.org/licenses/>.
- *
- */
- // Package server implements the core tunnel functionality of a Psiphon server.
- // The main function is RunServices, which runs one or all of a Psiphon API web server,
- // a tunneling SSH server, and an Obfuscated SSH protocol server. The server configuration
- // is created by the GenerateConfig function.
- package server
- import (
- "fmt"
- "math/rand"
- "os"
- "os/signal"
- "runtime"
- "runtime/debug"
- "sync"
- "syscall"
- "time"
- "github.com/Psiphon-Labs/psiphon-tunnel-core/psiphon/common"
- "github.com/Psiphon-Labs/psiphon-tunnel-core/psiphon/common/buildinfo"
- "github.com/Psiphon-Labs/psiphon-tunnel-core/psiphon/common/errors"
- "github.com/Psiphon-Labs/psiphon-tunnel-core/psiphon/common/osl"
- "github.com/Psiphon-Labs/psiphon-tunnel-core/psiphon/common/packetman"
- "github.com/Psiphon-Labs/psiphon-tunnel-core/psiphon/common/tactics"
- "github.com/Psiphon-Labs/psiphon-tunnel-core/psiphon/common/tun"
- "github.com/Psiphon-Labs/psiphon-tunnel-core/psiphon/server/psinet"
- )
- // RunServices initializes support functions including logging and GeoIP services;
- // and then starts the server components and runs them until os.Interrupt or
- // os.Kill signals are received. The config determines which components are run.
- func RunServices(configJSON []byte) (retErr error) {
- loggingInitialized := false
- defer func() {
- if retErr != nil && loggingInitialized {
- log.WithTraceFields(LogFields{"error": retErr}).Error("RunServices failed")
- }
- }()
- rand.Seed(int64(time.Now().Nanosecond()))
- config, err := LoadConfig(configJSON)
- if err != nil {
- return errors.Trace(err)
- }
- err = InitLogging(config)
- if err != nil {
- return errors.Trace(err)
- }
- loggingInitialized = true
- support, err := NewSupportServices(config)
- if err != nil {
- return errors.Trace(err)
- }
- startupFields := buildinfo.GetBuildInfo().ToMap()
- startupFields["GODEBUG"] = os.Getenv("GODEBUG")
- log.WithTraceFields(startupFields).Info("startup")
- waitGroup := new(sync.WaitGroup)
- shutdownBroadcast := make(chan struct{})
- errorChannel := make(chan error, 1)
- tunnelServer, err := NewTunnelServer(support, shutdownBroadcast)
- if err != nil {
- return errors.Trace(err)
- }
- support.TunnelServer = tunnelServer
- if config.RunPacketTunnel {
- packetTunnelServer, err := tun.NewServer(&tun.ServerConfig{
- Logger: CommonLogger(log),
- SudoNetworkConfigCommands: config.PacketTunnelSudoNetworkConfigCommands,
- GetDNSResolverIPv4Addresses: support.DNSResolver.GetAllIPv4,
- GetDNSResolverIPv6Addresses: support.DNSResolver.GetAllIPv6,
- EnableDNSFlowTracking: config.PacketTunnelEnableDNSFlowTracking,
- EgressInterface: config.PacketTunnelEgressInterface,
- DownstreamPacketQueueSize: config.PacketTunnelDownstreamPacketQueueSize,
- SessionIdleExpirySeconds: config.PacketTunnelSessionIdleExpirySeconds,
- AllowBogons: config.AllowBogons,
- })
- if err != nil {
- return errors.Trace(err)
- }
- support.PacketTunnelServer = packetTunnelServer
- }
- if config.RunPacketManipulator {
- packetManipulatorConfig, err := makePacketManipulatorConfig(support)
- if err != nil {
- return errors.Trace(err)
- }
- packetManipulator, err := packetman.NewManipulator(packetManipulatorConfig)
- if err != nil {
- return errors.Trace(err)
- }
- support.PacketManipulator = packetManipulator
- }
- // After this point, errors should be delivered to the errors channel and
- // orderly shutdown should flow through to the end of the function to ensure
- // all workers are synchronously stopped.
- if config.RunPacketTunnel {
- support.PacketTunnelServer.Start()
- waitGroup.Add(1)
- go func() {
- defer waitGroup.Done()
- <-shutdownBroadcast
- support.PacketTunnelServer.Stop()
- }()
- }
- if config.RunPacketManipulator {
- err := support.PacketManipulator.Start()
- if err != nil {
- select {
- case errorChannel <- err:
- default:
- }
- } else {
- waitGroup.Add(1)
- go func() {
- defer waitGroup.Done()
- <-shutdownBroadcast
- support.PacketManipulator.Stop()
- }()
- }
- }
- if config.RunLoadMonitor() {
- waitGroup.Add(1)
- go func() {
- waitGroup.Done()
- ticker := time.NewTicker(time.Duration(config.LoadMonitorPeriodSeconds) * time.Second)
- defer ticker.Stop()
- for {
- select {
- case <-shutdownBroadcast:
- return
- case <-ticker.C:
- logServerLoad(support)
- }
- }
- }()
- }
- if config.RunPeriodicGarbageCollection() {
- waitGroup.Add(1)
- go func() {
- waitGroup.Done()
- ticker := time.NewTicker(config.periodicGarbageCollection)
- defer ticker.Stop()
- for {
- select {
- case <-shutdownBroadcast:
- return
- case <-ticker.C:
- debug.FreeOSMemory()
- }
- }
- }()
- }
- if config.RunWebServer() {
- waitGroup.Add(1)
- go func() {
- defer waitGroup.Done()
- err := RunWebServer(support, shutdownBroadcast)
- select {
- case errorChannel <- err:
- default:
- }
- }()
- }
- // The tunnel server is always run; it launches multiple
- // listeners, depending on which tunnel protocols are enabled.
- waitGroup.Add(1)
- go func() {
- defer waitGroup.Done()
- err := tunnelServer.Run()
- select {
- case errorChannel <- err:
- default:
- }
- }()
- // Shutdown doesn't wait for the outputProcessProfiles goroutine
- // to complete, as it may be sleeping while running a "block" or
- // CPU profile.
- signalProcessProfiles := make(chan struct{}, 1)
- go func() {
- for {
- select {
- case <-signalProcessProfiles:
- outputProcessProfiles(support.Config, "")
- case <-shutdownBroadcast:
- return
- }
- }
- }()
- // In addition to the actual signal handling here, there is
- // a list of signals that need to be passed through panicwrap
- // in 'github.com/Psiphon-Labs/psiphon-tunnel-core/Server/main.go'
- // where 'panicwrap.Wrap' is called. The handled signals below, and the
- // list there must be kept in sync to ensure proper signal handling
- // An OS signal triggers an orderly shutdown
- systemStopSignal := make(chan os.Signal, 1)
- signal.Notify(systemStopSignal, os.Interrupt, syscall.SIGTERM)
- // SIGUSR1 triggers a reload of support services
- reloadSupportServicesSignal := makeSIGUSR1Channel()
- // SIGUSR2 triggers an immediate load log and optional process profile output
- logServerLoadSignal := makeSIGUSR2Channel()
- // SIGTSTP triggers tunnelServer to stop establishing new tunnels
- stopEstablishingTunnelsSignal := makeSIGTSTPChannel()
- // SIGCONT triggers tunnelServer to resume establishing new tunnels
- resumeEstablishingTunnelsSignal := makeSIGCONTChannel()
- err = nil
- loop:
- for {
- select {
- case <-stopEstablishingTunnelsSignal:
- tunnelServer.SetEstablishTunnels(false)
- if config.DumpProfilesOnStopEstablishTunnels(
- tunnelServer.GetEstablishedClientCount()) {
- // Run the profile dump in a goroutine and don't block this loop. Shutdown
- // doesn't wait for any running outputProcessProfiles to complete.
- go func() {
- outputProcessProfiles(support.Config, "stop_establish_tunnels")
- }()
- }
- case <-resumeEstablishingTunnelsSignal:
- tunnelServer.SetEstablishTunnels(true)
- case <-reloadSupportServicesSignal:
- support.Reload()
- case <-logServerLoadSignal:
- // Signal profiles writes first to ensure some diagnostics are
- // available in case logServerLoad hangs (which has happened
- // in the past due to a deadlock bug).
- select {
- case signalProcessProfiles <- struct{}{}:
- default:
- }
- logServerLoad(support)
- case <-systemStopSignal:
- log.WithTrace().Info("shutdown by system")
- break loop
- case err = <-errorChannel:
- break loop
- }
- }
- // During any delayed or hung shutdown, periodically dump profiles to help
- // diagnose the cause. Shutdown doesn't wait for any running
- // outputProcessProfiles to complete.
- signalProfileDumperStop := make(chan struct{})
- go func() {
- tickSeconds := 10
- ticker := time.NewTicker(time.Duration(tickSeconds) * time.Second)
- defer ticker.Stop()
- for i := tickSeconds; i <= 60; i += tickSeconds {
- select {
- case <-signalProfileDumperStop:
- return
- case <-ticker.C:
- filenameSuffix := fmt.Sprintf("delayed_shutdown_%ds", i)
- outputProcessProfiles(support.Config, filenameSuffix)
- }
- }
- }()
- close(shutdownBroadcast)
- waitGroup.Wait()
- close(signalProfileDumperStop)
- return err
- }
- func getRuntimeMetrics() LogFields {
- numGoroutine := runtime.NumGoroutine()
- var memStats runtime.MemStats
- runtime.ReadMemStats(&memStats)
- lastGC := ""
- if memStats.LastGC > 0 {
- lastGC = time.Unix(0, int64(memStats.LastGC)).UTC().Format(time.RFC3339)
- }
- return LogFields{
- "num_goroutine": numGoroutine,
- "heap_alloc": memStats.HeapAlloc,
- "heap_sys": memStats.HeapSys,
- "heap_idle": memStats.HeapIdle,
- "heap_inuse": memStats.HeapInuse,
- "heap_released": memStats.HeapReleased,
- "heap_objects": memStats.HeapObjects,
- "num_gc": memStats.NumGC,
- "num_forced_gc": memStats.NumForcedGC,
- "last_gc": lastGC,
- }
- }
- func outputProcessProfiles(config *Config, filenameSuffix string) {
- log.WithTraceFields(getRuntimeMetrics()).Info("runtime_metrics")
- if config.ProcessProfileOutputDirectory != "" {
- common.WriteRuntimeProfiles(
- CommonLogger(log),
- config.ProcessProfileOutputDirectory,
- filenameSuffix,
- config.ProcessBlockProfileDurationSeconds,
- config.ProcessCPUProfileDurationSeconds)
- }
- }
- func logServerLoad(support *SupportServices) {
- serverLoad := getRuntimeMetrics()
- serverLoad["event_name"] = "server_load"
- establishTunnels, establishLimitedCount :=
- support.TunnelServer.GetEstablishTunnelsMetrics()
- serverLoad["establish_tunnels"] = establishTunnels
- serverLoad["establish_tunnels_limited_count"] = establishLimitedCount
- serverLoad.Add(support.ReplayCache.GetMetrics())
- serverLoad.Add(support.ServerTacticsParametersCache.GetMetrics())
- upstreamStats, protocolStats, regionStats :=
- support.TunnelServer.GetLoadStats()
- for name, value := range upstreamStats {
- serverLoad[name] = value
- }
- for protocol, stats := range protocolStats {
- serverLoad[protocol] = stats
- }
- log.LogRawFieldsWithTimestamp(serverLoad)
- for region, regionProtocolStats := range regionStats {
- serverLoad := LogFields{
- "event_name": "server_load",
- "region": region,
- }
- for protocol, stats := range regionProtocolStats {
- serverLoad[protocol] = stats
- }
- log.LogRawFieldsWithTimestamp(serverLoad)
- }
- }
- func logIrregularTunnel(
- support *SupportServices,
- listenerTunnelProtocol string,
- listenerPort int,
- clientIP string,
- tunnelError error,
- logFields LogFields) {
- if logFields == nil {
- logFields = make(LogFields)
- }
- logFields["event_name"] = "irregular_tunnel"
- logFields["listener_protocol"] = listenerTunnelProtocol
- logFields["listener_port_number"] = listenerPort
- support.GeoIPService.Lookup(clientIP).SetLogFields(logFields)
- logFields["tunnel_error"] = tunnelError.Error()
- log.LogRawFieldsWithTimestamp(logFields)
- }
- // SupportServices carries common and shared data components
- // across different server components. SupportServices implements a
- // hot reload of traffic rules, psinet database, and geo IP database
- // components, which allows these data components to be refreshed
- // without restarting the server process.
- type SupportServices struct {
- Config *Config
- TrafficRulesSet *TrafficRulesSet
- OSLConfig *osl.Config
- PsinetDatabase *psinet.Database
- GeoIPService *GeoIPService
- DNSResolver *DNSResolver
- TunnelServer *TunnelServer
- PacketTunnelServer *tun.Server
- TacticsServer *tactics.Server
- Blocklist *Blocklist
- PacketManipulator *packetman.Manipulator
- ReplayCache *ReplayCache
- ServerTacticsParametersCache *ServerTacticsParametersCache
- }
- // NewSupportServices initializes a new SupportServices.
- func NewSupportServices(config *Config) (*SupportServices, error) {
- trafficRulesSet, err := NewTrafficRulesSet(config.TrafficRulesFilename)
- if err != nil {
- return nil, errors.Trace(err)
- }
- oslConfig, err := osl.NewConfig(config.OSLConfigFilename)
- if err != nil {
- return nil, errors.Trace(err)
- }
- psinetDatabase, err := psinet.NewDatabase(config.PsinetDatabaseFilename)
- if err != nil {
- return nil, errors.Trace(err)
- }
- geoIPService, err := NewGeoIPService(config.GeoIPDatabaseFilenames)
- if err != nil {
- return nil, errors.Trace(err)
- }
- dnsResolver, err := NewDNSResolver(config.DNSResolverIPAddress)
- if err != nil {
- return nil, errors.Trace(err)
- }
- blocklist, err := NewBlocklist(config.BlocklistFilename)
- if err != nil {
- return nil, errors.Trace(err)
- }
- tacticsServer, err := tactics.NewServer(
- CommonLogger(log),
- getTacticsAPIParameterLogFieldFormatter(),
- getTacticsAPIParameterValidator(config),
- config.TacticsConfigFilename)
- if err != nil {
- return nil, errors.Trace(err)
- }
- support := &SupportServices{
- Config: config,
- TrafficRulesSet: trafficRulesSet,
- OSLConfig: oslConfig,
- PsinetDatabase: psinetDatabase,
- GeoIPService: geoIPService,
- DNSResolver: dnsResolver,
- TacticsServer: tacticsServer,
- Blocklist: blocklist,
- }
- support.ReplayCache = NewReplayCache(support)
- support.ServerTacticsParametersCache =
- NewServerTacticsParametersCache(support)
- return support, nil
- }
- // Reload reinitializes traffic rules, psinet database, and geo IP database
- // components. If any component fails to reload, an error is logged and
- // Reload proceeds, using the previous state of the component.
- func (support *SupportServices) Reload() {
- reloaders := append(
- []common.Reloader{
- support.TrafficRulesSet,
- support.OSLConfig,
- support.PsinetDatabase,
- support.TacticsServer,
- support.Blocklist},
- support.GeoIPService.Reloaders()...)
- // Note: established clients aren't notified when tactics change after a
- // reload; new tactics will be obtained on the next client handshake or
- // tactics request.
- reloadTactics := func() {
- // Don't use stale tactics.
- support.ReplayCache.Flush()
- support.ServerTacticsParametersCache.Flush()
- if support.Config.RunPacketManipulator {
- err := reloadPacketManipulationSpecs(support)
- if err != nil {
- log.WithTraceFields(
- LogFields{"error": errors.Trace(err)}).Warning(
- "failed to reload packet manipulation specs")
- }
- }
- }
- // Take these actions only after the corresponding Reloader has reloaded.
- // In both the traffic rules and OSL cases, there is some impact from state
- // reset, so the reset should be avoided where possible.
- reloadPostActions := map[common.Reloader]func(){
- support.TrafficRulesSet: func() { support.TunnelServer.ResetAllClientTrafficRules() },
- support.OSLConfig: func() { support.TunnelServer.ResetAllClientOSLConfigs() },
- support.TacticsServer: reloadTactics,
- }
- for _, reloader := range reloaders {
- if !reloader.WillReload() {
- // Skip logging
- continue
- }
- // "reloaded" flag indicates if file was actually reloaded or ignored
- reloaded, err := reloader.Reload()
- if reloaded {
- if action, ok := reloadPostActions[reloader]; ok {
- action()
- }
- }
- if err != nil {
- log.WithTraceFields(
- LogFields{
- "reloader": reloader.LogDescription(),
- "error": err}).Error("reload failed")
- // Keep running with previous state
- } else {
- log.WithTraceFields(
- LogFields{
- "reloader": reloader.LogDescription(),
- "reloaded": reloaded}).Info("reload success")
- }
- }
- }
|