diff --git a/cmd/cloudflared/main.go b/cmd/cloudflared/main.go index 535ea18f..5bdf321e 100644 --- a/cmd/cloudflared/main.go +++ b/cmd/cloudflared/main.go @@ -155,8 +155,6 @@ func action(graceShutdownC chan struct{}) cli.ActionFunc { if isEmptyInvocation(c) { return handleServiceMode(c, graceShutdownC) } - tags := make(map[string]string) - tags["hostname"] = c.String("hostname") func() { defer sentry.Recover() err = tunnel.TunnelCommand(c) diff --git a/cmd/cloudflared/tunnel/cmd.go b/cmd/cloudflared/tunnel/cmd.go index 8c762381..315f8c63 100644 --- a/cmd/cloudflared/tunnel/cmd.go +++ b/cmd/cloudflared/tunnel/cmd.go @@ -36,6 +36,7 @@ import ( "github.com/cloudflare/cloudflared/supervisor" "github.com/cloudflare/cloudflared/tlsconfig" "github.com/cloudflare/cloudflared/tunneldns" + "github.com/cloudflare/cloudflared/validation" ) const ( @@ -100,6 +101,7 @@ var ( routeFailMsg = fmt.Sprintf("failed to provision routing, please create it manually via Cloudflare dashboard or UI; "+ "most likely you already have a conflicting record there. You can also rerun this command with --%s to overwrite "+ "any existing DNS records for this hostname.", overwriteDNSFlag) + deprecatedClassicTunnelErr = fmt.Errorf("Classic tunnels have been deprecated, please use Named Tunnels. (https://developers.cloudflare.com/cloudflare-one/connections/connect-apps/install-and-setup/tunnel-guide/)") ) func Flags() []cli.Flag { @@ -176,23 +178,40 @@ func TunnelCommand(c *cli.Context) error { return err } - if name := c.String("name"); name != "" { // Start a named tunnel + // Run a adhoc named tunnel + // Allows for the creation, routing (optional), and startup of a tunnel in one command + // --name required + // --url or --hello-world required + // --hostname optional + if name := c.String("name"); name != "" { + hostname, err := validation.ValidateHostname(c.String("hostname")) + if err != nil { + return errors.Wrap(err, "Invalid hostname provided") + } + url := c.String("url") + if url == hostname && url != "" && hostname != "" { + return fmt.Errorf("hostname and url shouldn't match. See --help for more information") + } + return runAdhocNamedTunnel(sc, name, c.String(CredFileFlag)) } - // Unauthenticated named tunnel on ..com + // Run a quick tunnel + // A unauthenticated named tunnel hosted on ..com + // We don't support running proxy-dns and a quick tunnel at the same time as the same process shouldRunQuickTunnel := c.IsSet("url") || c.IsSet("hello-world") - if !dnsProxyStandAlone(c, nil) && c.String("hostname") == "" && c.String("quick-service") != "" && shouldRunQuickTunnel { + if !c.IsSet("proxy-dns") && c.String("quick-service") != "" && shouldRunQuickTunnel { return RunQuickTunnel(sc) } + // If user provides a config, check to see if they meant to use `tunnel run` instead if ref := config.GetConfiguration().TunnelID; ref != "" { return fmt.Errorf("Use `cloudflared tunnel run` to start tunnel %s", ref) } - // Start a classic tunnel if hostname is specified. + // Classic tunnel usage is no longer supported if c.String("hostname") != "" { - return runClassicTunnel(sc) + return deprecatedClassicTunnelErr } if c.IsSet("proxy-dns") { @@ -237,11 +256,6 @@ func runAdhocNamedTunnel(sc *subcommandContext, name, credentialsOutputPath stri return nil } -// runClassicTunnel creates a "classic" non-named tunnel -func runClassicTunnel(sc *subcommandContext) error { - return StartServer(sc.c, buildInfo, nil, sc.log) -} - func routeFromFlag(c *cli.Context) (route cfapi.HostnameRoute, ok bool) { if hostname := c.String("hostname"); hostname != "" { if lbPool := c.String("lb-pool"); lbPool != "" { @@ -343,21 +357,13 @@ func StartServer( errC <- autoupdater.Run(ctx) }() - // Serve DNS proxy stand-alone if no hostname or tag or app is going to run + // Serve DNS proxy stand-alone if no tunnel type (quick, adhoc, named) is going to run if dnsProxyStandAlone(c, namedTunnel) { connectedSignal.Notify() // no grace period, handle SIGINT/SIGTERM immediately return waitToShutdown(&wg, cancel, errC, graceShutdownC, 0, log) } - url := c.String("url") - hostname := c.String("hostname") - if url == hostname && url != "" && hostname != "" { - errText := "hostname and url shouldn't match. See --help for more information" - log.Error().Msg(errText) - return fmt.Errorf(errText) - } - logTransport := logger.CreateTransportLoggerFromContext(c, logger.EnableTerminalLog) observer := connection.NewObserver(log, logTransport) diff --git a/cmd/cloudflared/tunnel/configuration.go b/cmd/cloudflared/tunnel/configuration.go index 71e8883d..80c37145 100644 --- a/cmd/cloudflared/tunnel/configuration.go +++ b/cmd/cloudflared/tunnel/configuration.go @@ -32,7 +32,6 @@ import ( "github.com/cloudflare/cloudflared/supervisor" "github.com/cloudflare/cloudflared/tlsconfig" tunnelpogs "github.com/cloudflare/cloudflared/tunnelrpc/pogs" - "github.com/cloudflare/cloudflared/validation" ) const LogFieldOriginCertPath = "originCertPath" @@ -43,8 +42,6 @@ var ( serviceUrl = developerPortal + "/reference/service/" argumentsUrl = developerPortal + "/reference/arguments/" - LogFieldHostname = "hostname" - secretFlags = [2]*altsrc.StringFlag{credentialsContentsFlag, tunnelTokenFlag} defaultFeatures = []string{supervisor.FeatureAllowRemoteConfig, supervisor.FeatureSerializedHeaders, supervisor.FeatureDatagramV2, supervisor.FeatureQUICSupportEOF} @@ -127,7 +124,10 @@ func isSecretEnvVar(key string) bool { } func dnsProxyStandAlone(c *cli.Context, namedTunnel *connection.NamedTunnelProperties) bool { - return c.IsSet("proxy-dns") && (!c.IsSet("hostname") && !c.IsSet("tag") && !c.IsSet("hello-world") && namedTunnel == nil) + return c.IsSet("proxy-dns") && + !(c.IsSet("name") || // adhoc-named tunnel + c.IsSet("hello-world") || // quick or named tunnel + namedTunnel != nil) // named tunnel } func findOriginCert(originCertPath string, log *zerolog.Logger) (string, error) { @@ -193,37 +193,19 @@ func prepareTunnelConfig( observer *connection.Observer, namedTunnel *connection.NamedTunnelProperties, ) (*supervisor.TunnelConfig, *orchestration.Config, error) { - isNamedTunnel := namedTunnel != nil - - configHostname := c.String("hostname") - hostname, err := validation.ValidateHostname(configHostname) + clientID, err := uuid.NewRandom() if err != nil { - log.Err(err).Str(LogFieldHostname, configHostname).Msg("Invalid hostname") - return nil, nil, errors.Wrap(err, "Invalid hostname") + return nil, nil, errors.Wrap(err, "can't generate connector UUID") } - clientID := c.String("id") - if !c.IsSet("id") { - clientID, err = generateRandomClientID(log) - if err != nil { - return nil, nil, err - } - } - + log.Info().Msgf("Generated Connector ID: %s", clientID) tags, err := NewTagSliceFromCLI(c.StringSlice("tag")) if err != nil { log.Err(err).Msg("Tag parse failure") return nil, nil, errors.Wrap(err, "Tag parse failure") } - - tags = append(tags, tunnelpogs.Tag{Name: "ID", Value: clientID}) - - var ( - ingressRules ingress.Ingress - classicTunnel *connection.ClassicTunnelProperties - ) + tags = append(tags, tunnelpogs.Tag{Name: "ID", Value: clientID.String()}) transportProtocol := c.String("protocol") - needPQ := c.Bool("post-quantum") if needPQ { if FipsEnabled { @@ -238,79 +220,55 @@ func prepareTunnelConfig( protocolFetcher := edgediscovery.ProtocolPercentage - cfg := config.GetConfiguration() - if isNamedTunnel { - clientUUID, err := uuid.NewRandom() - if err != nil { - return nil, nil, errors.Wrap(err, "can't generate connector UUID") - } - log.Info().Msgf("Generated Connector ID: %s", clientUUID) - features := append(c.StringSlice("features"), defaultFeatures...) - if needPQ { - features = append(features, supervisor.FeaturePostQuantum) - } - if c.IsSet(TunnelTokenFlag) { - if transportProtocol == connection.AutoSelectFlag { - protocolFetcher = func() (edgediscovery.ProtocolPercents, error) { - // If the Tunnel is remotely managed and no protocol is set, we prefer QUIC, but still allow fall-back. - preferQuic := []edgediscovery.ProtocolPercent{ - { - Protocol: connection.QUIC.String(), - Percentage: 100, - }, - { - Protocol: connection.HTTP2.String(), - Percentage: 100, - }, - } - return preferQuic, nil + features := append(c.StringSlice("features"), defaultFeatures...) + if needPQ { + features = append(features, supervisor.FeaturePostQuantum) + } + if c.IsSet(TunnelTokenFlag) { + if transportProtocol == connection.AutoSelectFlag { + protocolFetcher = func() (edgediscovery.ProtocolPercents, error) { + // If the Tunnel is remotely managed and no protocol is set, we prefer QUIC, but still allow fall-back. + preferQuic := []edgediscovery.ProtocolPercent{ + { + Protocol: connection.QUIC.String(), + Percentage: 100, + }, + { + Protocol: connection.HTTP2.String(), + Percentage: 100, + }, } + return preferQuic, nil } - log.Info().Msg("Will be fetching remotely managed configuration from Cloudflare API. Defaulting to protocol: quic") } - namedTunnel.Client = tunnelpogs.ClientInfo{ - ClientID: clientUUID[:], - Features: dedup(features), - Version: info.Version(), - Arch: info.OSArch(), - } - ingressRules, err = ingress.ParseIngress(cfg) - if err != nil && err != ingress.ErrNoIngressRules { - return nil, nil, err - } - if !ingressRules.IsEmpty() && c.IsSet("url") { + log.Info().Msg("Will be fetching remotely managed configuration from Cloudflare API. Defaulting to protocol: quic") + } + namedTunnel.Client = tunnelpogs.ClientInfo{ + ClientID: clientID[:], + Features: dedup(features), + Version: info.Version(), + Arch: info.OSArch(), + } + cfg := config.GetConfiguration() + ingressRules, err := ingress.ParseIngress(cfg) + if err != nil && err != ingress.ErrNoIngressRules { + return nil, nil, err + } + if c.IsSet("url") { + // Ingress rules cannot be provided with --url flag + if !ingressRules.IsEmpty() { return nil, nil, ingress.ErrURLIncompatibleWithIngress - } - } else { - - originCertPath := c.String("origincert") - originCertLog := log.With(). - Str(LogFieldOriginCertPath, originCertPath). - Logger() - - originCert, err := getOriginCert(originCertPath, &originCertLog) - if err != nil { - return nil, nil, errors.Wrap(err, "Error getting origin cert") - } - - classicTunnel = &connection.ClassicTunnelProperties{ - Hostname: hostname, - OriginCert: originCert, - // turn off use of reconnect token and auth refresh when using named tunnels - UseReconnectToken: !isNamedTunnel && c.Bool("use-reconnect-token"), + } else { + // Only for quick or adhoc tunnels will we attempt to parse: + // --url, --hello-world, or --unix-socket flag for a tunnel ingress rule + ingressRules, err = ingress.NewSingleOrigin(c, false) + if err != nil { + return nil, nil, err + } } } - // Convert single-origin configuration into multi-origin configuration. - if ingressRules.IsEmpty() { - ingressRules, err = ingress.NewSingleOrigin(c, !isNamedTunnel) - if err != nil { - return nil, nil, err - } - } - - warpRoutingEnabled := isWarpRoutingEnabled(cfg.WarpRouting, isNamedTunnel) - protocolSelector, err := connection.NewProtocolSelector(transportProtocol, warpRoutingEnabled, namedTunnel, protocolFetcher, supervisor.ResolveTTL, log, c.Bool("post-quantum")) + protocolSelector, err := connection.NewProtocolSelector(transportProtocol, cfg.WarpRouting.Enabled, namedTunnel, protocolFetcher, supervisor.ResolveTTL, log, c.Bool("post-quantum")) if err != nil { return nil, nil, err } @@ -362,7 +320,7 @@ func prepareTunnelConfig( GracePeriod: gracePeriod, ReplaceExisting: c.Bool("force"), OSArch: info.OSArch(), - ClientID: clientID, + ClientID: clientID.String(), EdgeAddrs: c.StringSlice("edge"), Region: c.String("region"), EdgeIPVersion: edgeIPVersion, @@ -379,7 +337,6 @@ func prepareTunnelConfig( Retries: uint(c.Int("retries")), RunFromTerminal: isRunningFromTerminal(), NamedTunnel: namedTunnel, - ClassicTunnel: classicTunnel, MuxerConfig: muxerConfig, ProtocolSelector: protocolSelector, EdgeTLSConfigs: edgeTLSConfigs, @@ -421,10 +378,6 @@ func gracePeriod(c *cli.Context) (time.Duration, error) { return period, nil } -func isWarpRoutingEnabled(warpConfig config.WarpRoutingConfig, isNamedTunnel bool) bool { - return warpConfig.Enabled && isNamedTunnel -} - func isRunningFromTerminal() bool { return terminal.IsTerminal(int(os.Stdout.Fd())) } diff --git a/component-tests/test_proxy_dns.py b/component-tests/test_proxy_dns.py index d498b9e7..7c805c0e 100644 --- a/component-tests/test_proxy_dns.py +++ b/component-tests/test_proxy_dns.py @@ -12,18 +12,12 @@ class TestProxyDns: def test_proxy_dns_with_named_tunnel(self, tmp_path, component_tests_config): run_test_scenario(tmp_path, component_tests_config, CfdModes.NAMED, run_proxy_dns=True) - def test_proxy_dns_with_classic_tunnel(self, tmp_path, component_tests_config): - run_test_scenario(tmp_path, component_tests_config, CfdModes.CLASSIC, run_proxy_dns=True) - def test_proxy_dns_alone(self, tmp_path, component_tests_config): run_test_scenario(tmp_path, component_tests_config, CfdModes.PROXY_DNS, run_proxy_dns=True) def test_named_tunnel_alone(self, tmp_path, component_tests_config): run_test_scenario(tmp_path, component_tests_config, CfdModes.NAMED, run_proxy_dns=False) - def test_classic_tunnel_alone(self, tmp_path, component_tests_config): - run_test_scenario(tmp_path, component_tests_config, CfdModes.CLASSIC, run_proxy_dns=False) - def run_test_scenario(tmp_path, component_tests_config, cfd_mode, run_proxy_dns): expect_proxy_dns = run_proxy_dns @@ -33,10 +27,6 @@ def run_test_scenario(tmp_path, component_tests_config, cfd_mode, run_proxy_dns) expect_tunnel = True pre_args = ["tunnel"] args = ["run"] - elif cfd_mode == CfdModes.CLASSIC: - expect_tunnel = True - pre_args = [] - args = [] elif cfd_mode == CfdModes.PROXY_DNS: expect_proxy_dns = True pre_args = [] diff --git a/component-tests/test_reconnect.py b/component-tests/test_reconnect.py index e125845a..811e99b7 100644 --- a/component-tests/test_reconnect.py +++ b/component-tests/test_reconnect.py @@ -33,13 +33,6 @@ class TestReconnect: # Repeat the test multiple times because some issues only occur after multiple reconnects self.assert_reconnect(config, cloudflared, 5) - def test_classic_reconnect(self, tmp_path, component_tests_config): - extra_config = copy.copy(self.extra_config) - extra_config["hello-world"] = True - config = component_tests_config(additional_config=extra_config, cfd_mode=CfdModes.CLASSIC) - with start_cloudflared(tmp_path, config, cfd_args=[], new_process=True, allow_input=True, capture_output=False) as cloudflared: - self.assert_reconnect(config, cloudflared, 1) - def send_reconnect(self, cloudflared, secs): # Although it is recommended to use the Popen.communicate method, we cannot # use it because it blocks on reading stdout and stderr until EOF is reached diff --git a/connection/h2mux.go b/connection/h2mux.go index d8291b62..1cc247ad 100644 --- a/connection/h2mux.go +++ b/connection/h2mux.go @@ -123,46 +123,6 @@ func (h *h2muxConnection) ServeNamedTunnel(ctx context.Context, namedTunnel *Nam return err } -func (h *h2muxConnection) ServeClassicTunnel(ctx context.Context, classicTunnel *ClassicTunnelProperties, credentialManager CredentialManager, registrationOptions *tunnelpogs.RegistrationOptions, connectedFuse ConnectedFuse) error { - errGroup, serveCtx := errgroup.WithContext(ctx) - errGroup.Go(func() error { - return h.serveMuxer(serveCtx) - }) - - errGroup.Go(func() (err error) { - defer func() { - if err == nil { - connectedFuse.Connected() - } - }() - if classicTunnel.UseReconnectToken && connectedFuse.IsConnected() { - err := h.reconnectTunnel(ctx, credentialManager, classicTunnel, registrationOptions) - if err == nil { - return nil - } - // log errors and proceed to RegisterTunnel - h.observer.log.Err(err). - Uint8(LogFieldConnIndex, h.connIndex). - Msg("Couldn't reconnect connection. Re-registering it instead.") - } - return h.registerTunnel(ctx, credentialManager, classicTunnel, registrationOptions) - }) - - errGroup.Go(func() error { - h.controlLoop(serveCtx, connectedFuse, false) - return nil - }) - - err := errGroup.Wait() - if err == errMuxerStopped { - if h.stoppedGracefully { - return nil - } - h.observer.log.Info().Uint8(LogFieldConnIndex, h.connIndex).Msg("Unexpected muxer shutdown") - } - return err -} - func (h *h2muxConnection) serveMuxer(ctx context.Context) error { // All routines should stop when muxer finish serving. When muxer is shutdown // gracefully, it doesn't return an error, so we need to return errMuxerShutdown diff --git a/ingress/ingress.go b/ingress/ingress.go index 0d989110..904d2887 100644 --- a/ingress/ingress.go +++ b/ingress/ingress.go @@ -71,9 +71,8 @@ type Ingress struct { } // NewSingleOrigin constructs an Ingress set with only one rule, constructed from -// legacy CLI parameters like --url or --no-chunked-encoding. +// CLI parameters for quick tunnels like --url or --no-chunked-encoding. func NewSingleOrigin(c *cli.Context, allowURLFromArgs bool) (Ingress, error) { - service, err := parseSingleOriginService(c, allowURLFromArgs) if err != nil { return Ingress{}, err diff --git a/supervisor/supervisor.go b/supervisor/supervisor.go index 92d3dc2f..67f93b92 100644 --- a/supervisor/supervisor.go +++ b/supervisor/supervisor.go @@ -3,22 +3,18 @@ package supervisor import ( "context" "errors" - "fmt" "net" "strings" "time" - "github.com/google/uuid" "github.com/lucas-clemente/quic-go" "github.com/rs/zerolog" "github.com/cloudflare/cloudflared/connection" "github.com/cloudflare/cloudflared/edgediscovery" - "github.com/cloudflare/cloudflared/h2mux" "github.com/cloudflare/cloudflared/orchestration" "github.com/cloudflare/cloudflared/retry" "github.com/cloudflare/cloudflared/signal" - tunnelpogs "github.com/cloudflare/cloudflared/tunnelrpc/pogs" "github.com/cloudflare/cloudflared/tunnelstate" ) @@ -40,7 +36,6 @@ const ( // Supervisor manages non-declarative tunnels. Establishes TCP connections with the edge, and // reconnects them if they disconnect. type Supervisor struct { - cloudflaredUUID uuid.UUID config *TunnelConfig orchestrator *orchestration.Orchestrator edgeIPs *edgediscovery.Edge @@ -57,7 +52,6 @@ type Supervisor struct { logTransport *zerolog.Logger reconnectCredentialManager *reconnectCredentialManager - useReconnectToken bool reconnectCh chan ReconnectSignal gracefulShutdownC <-chan struct{} @@ -71,13 +65,9 @@ type tunnelError struct { } func NewSupervisor(config *TunnelConfig, orchestrator *orchestration.Orchestrator, reconnectCh chan ReconnectSignal, gracefulShutdownC <-chan struct{}) (*Supervisor, error) { - cloudflaredUUID, err := uuid.NewRandom() - if err != nil { - return nil, fmt.Errorf("failed to generate cloudflared instance ID: %w", err) - } - isStaticEdge := len(config.EdgeAddrs) > 0 + var err error var edgeIPs *edgediscovery.Edge if isStaticEdge { // static edge addresses edgeIPs, err = edgediscovery.StaticEdge(config.Log, config.EdgeAddrs) @@ -97,7 +87,6 @@ func NewSupervisor(config *TunnelConfig, orchestrator *orchestration.Orchestrato edgeTunnelServer := EdgeTunnelServer{ config: config, - cloudflaredUUID: cloudflaredUUID, orchestrator: orchestrator, credentialManager: reconnectCredentialManager, edgeAddrs: edgeIPs, @@ -108,13 +97,7 @@ func NewSupervisor(config *TunnelConfig, orchestrator *orchestration.Orchestrato connAwareLogger: log, } - useReconnectToken := false - if config.ClassicTunnel != nil { - useReconnectToken = config.ClassicTunnel.UseReconnectToken - } - return &Supervisor{ - cloudflaredUUID: cloudflaredUUID, config: config, orchestrator: orchestrator, edgeIPs: edgeIPs, @@ -125,7 +108,6 @@ func NewSupervisor(config *TunnelConfig, orchestrator *orchestration.Orchestrato log: log, logTransport: config.LogTransport, reconnectCredentialManager: reconnectCredentialManager, - useReconnectToken: useReconnectToken, reconnectCh: reconnectCh, gracefulShutdownC: gracefulShutdownC, }, nil @@ -159,20 +141,6 @@ func (s *Supervisor) Run( backoff := retry.BackoffHandler{MaxRetries: s.config.Retries, BaseTime: tunnelRetryDuration, RetryForever: true} var backoffTimer <-chan time.Time - refreshAuthBackoff := &retry.BackoffHandler{MaxRetries: refreshAuthMaxBackoff, BaseTime: refreshAuthRetryDuration, RetryForever: true} - var refreshAuthBackoffTimer <-chan time.Time - - if s.useReconnectToken { - if timer, err := s.reconnectCredentialManager.RefreshAuth(ctx, refreshAuthBackoff, s.authenticate); err == nil { - refreshAuthBackoffTimer = timer - } else { - s.log.Logger().Err(err). - Dur("refreshAuthRetryDuration", refreshAuthRetryDuration). - Msgf("supervisor: initial refreshAuth failed, retrying in %v", refreshAuthRetryDuration) - refreshAuthBackoffTimer = time.After(refreshAuthRetryDuration) - } - } - shuttingDown := false for { select { @@ -219,16 +187,6 @@ func (s *Supervisor) Run( } tunnelsActive += len(tunnelsWaiting) tunnelsWaiting = nil - // Time to call Authenticate - case <-refreshAuthBackoffTimer: - newTimer, err := s.reconnectCredentialManager.RefreshAuth(ctx, refreshAuthBackoff, s.authenticate) - if err != nil { - s.log.Logger().Err(err).Msg("supervisor: Authentication failed") - // Permanent failure. Leave the `select` without setting the - // channel to be non-null, so we'll never hit this case of the `select` again. - continue - } - refreshAuthBackoffTimer = newTimer // Tunnel successfully connected case <-s.nextConnectedSignal: if !s.waitForNextTunnel(s.nextConnectedIndex) && len(tunnelsWaiting) == 0 { @@ -377,44 +335,3 @@ func (s *Supervisor) waitForNextTunnel(index int) bool { func (s *Supervisor) unusedIPs() bool { return s.edgeIPs.AvailableAddrs() > s.config.HAConnections } - -func (s *Supervisor) authenticate(ctx context.Context, numPreviousAttempts int) (tunnelpogs.AuthOutcome, error) { - arbitraryEdgeIP, err := s.edgeIPs.GetAddrForRPC() - if err != nil { - return nil, err - } - - edgeConn, err := edgediscovery.DialEdge(ctx, dialTimeout, s.config.EdgeTLSConfigs[connection.H2mux], arbitraryEdgeIP.TCP) - if err != nil { - return nil, err - } - defer edgeConn.Close() - - handler := h2mux.MuxedStreamFunc(func(*h2mux.MuxedStream) error { - // This callback is invoked by h2mux when the edge initiates a stream. - return nil // noop - }) - muxerConfig := s.config.MuxerConfig.H2MuxerConfig(handler, s.logTransport) - muxer, err := h2mux.Handshake(edgeConn, edgeConn, *muxerConfig, h2mux.ActiveStreams) - if err != nil { - return nil, err - } - go muxer.Serve(ctx) - defer func() { - // If we don't wait for the muxer shutdown here, edgeConn.Close() runs before the muxer connections are done, - // and the user sees log noise: "error writing data", "connection closed unexpectedly" - <-muxer.Shutdown() - }() - - stream, err := muxer.OpenRPCStream(ctx) - if err != nil { - return nil, err - } - rpcClient := connection.NewTunnelServerClient(ctx, stream, s.log.Logger()) - defer rpcClient.Close() - - const arbitraryConnectionID = uint8(0) - registrationOptions := s.config.registrationOptions(arbitraryConnectionID, edgeConn.LocalAddr().String(), s.cloudflaredUUID) - registrationOptions.NumPreviousAttempts = uint8(numPreviousAttempts) - return rpcClient.Authenticate(ctx, s.config.ClassicTunnel, registrationOptions) -} diff --git a/supervisor/tunnel.go b/supervisor/tunnel.go index bba62332..1c22daf1 100644 --- a/supervisor/tunnel.go +++ b/supervisor/tunnel.go @@ -68,7 +68,6 @@ type TunnelConfig struct { PQKexIdx int NamedTunnel *connection.NamedTunnelProperties - ClassicTunnel *connection.ClassicTunnelProperties MuxerConfig *connection.MuxerConfig ProtocolSelector connection.ProtocolSelector EdgeTLSConfigs map[connection.Protocol]*tls.Config @@ -204,7 +203,6 @@ func (f *ipAddrFallback) ShouldGetNewAddress(connIndex uint8, err error) (needsN type EdgeTunnelServer struct { config *TunnelConfig - cloudflaredUUID uuid.UUID orchestrator *orchestration.Orchestrator credentialManager *reconnectCredentialManager edgeAddrHandler EdgeAddrHandler @@ -577,12 +575,8 @@ func (e *EdgeTunnelServer) serveH2mux( errGroup, serveCtx := errgroup.WithContext(ctx) errGroup.Go(func() error { - if e.config.NamedTunnel != nil { - connOptions := e.config.connectionOptions(edgeConn.LocalAddr().String(), uint8(connectedFuse.backoff.Retries())) - return handler.ServeNamedTunnel(serveCtx, e.config.NamedTunnel, connOptions, connectedFuse) - } - registrationOptions := e.config.registrationOptions(connIndex, edgeConn.LocalAddr().String(), e.cloudflaredUUID) - return handler.ServeClassicTunnel(serveCtx, e.config.ClassicTunnel, e.credentialManager, registrationOptions, connectedFuse) + connOptions := e.config.connectionOptions(edgeConn.LocalAddr().String(), uint8(connectedFuse.backoff.Retries())) + return handler.ServeNamedTunnel(serveCtx, e.config.NamedTunnel, connOptions, connectedFuse) }) errGroup.Go(func() error {