-
Notifications
You must be signed in to change notification settings - Fork 3.8k
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
ccl/sqlproxyccl: add basic forwarder component
Informs #76000. This commit refactors the ConnectionCopy call in proxy_handler.go into a new forwarder component, which was described in the connection migration RFC. At the moment, this forwarder component does basic forwarding through ConnectionCopy, just like before, so there should be no behavioral changes to the proxy. This will serve as a building block for subsequent PRs. Release note: None
- Loading branch information
1 parent
260be01
commit 8915828
Showing
4 changed files
with
361 additions
and
27 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,124 @@ | ||
// Copyright 2022 The Cockroach Authors. | ||
// | ||
// Licensed as a CockroachDB Enterprise file under the Cockroach Community | ||
// License (the "License"); you may not use this file except in compliance with | ||
// the License. You may obtain a copy of the License at | ||
// | ||
// https://github.com/cockroachdb/cockroach/blob/master/licenses/CCL.txt | ||
|
||
package sqlproxyccl | ||
|
||
import ( | ||
"context" | ||
"net" | ||
|
||
"github.com/cockroachdb/errors" | ||
) | ||
|
||
// ErrForwarderClosed indicates that the forwarder has been closed. | ||
var ErrForwarderClosed = errors.New("forwarder has been closed") | ||
|
||
// forwarder is used to forward pgwire messages from the client to the server, | ||
// and vice-versa. At the moment, this does a direct proxying, and there is | ||
// no intercepting. Once https://github.com/cockroachdb/cockroach/issues/76000 | ||
// has been addressed, we will start intercepting pgwire messages at their | ||
// boundaries here. | ||
// | ||
// The forwarder instance should always be constructed through the forward | ||
// function, which also starts the forwarder. | ||
type forwarder struct { | ||
// ctx is a single context used to control all goroutines spawned by the | ||
// forwarder. | ||
ctx context.Context | ||
ctxCancel context.CancelFunc | ||
|
||
// serverConn is only set after the authentication phase for the initial | ||
// connection. In the context of a connection migration, serverConn is only | ||
// replaced once the session has successfully been deserialized, and the | ||
// old connection will be closed. | ||
clientConn net.Conn // client <-> proxy | ||
serverConn net.Conn // proxy <-> server | ||
|
||
// errChan is a buffered channel that contains the first forwarder error. | ||
// This channel may receive nil errors. | ||
errChan chan error | ||
} | ||
|
||
// forward returns a new instance of forwarder, and starts forwarding messages | ||
// from clientConn to serverConn. When this is called, it is expected that the | ||
// caller passes ownership of serverConn to the forwarder, which implies that | ||
// the forwarder will clean up serverConn. | ||
// | ||
// All goroutines spun up must check on f.ctx to prevent leaks, if possible. If | ||
// there was an error within the goroutines, the forwarder will be closed, and | ||
// the first error can be found in f.errChan. | ||
// | ||
// clientConn and serverConn must not be nil in all cases except testing. | ||
// | ||
// Note that callers MUST call Close in all cases (regardless of IsStopped) | ||
// since we only check on context cancellation there. There could be a | ||
// possibility where the top-level context was cancelled, but the forwarder | ||
// has not cleaned up. | ||
func forward(ctx context.Context, clientConn, serverConn net.Conn) *forwarder { | ||
ctx, cancelFn := context.WithCancel(ctx) | ||
|
||
f := &forwarder{ | ||
ctx: ctx, | ||
ctxCancel: cancelFn, | ||
clientConn: clientConn, | ||
serverConn: serverConn, | ||
errChan: make(chan error, 1), | ||
} | ||
|
||
go func() { | ||
// Block until context is done. | ||
<-f.ctx.Done() | ||
|
||
// Close the forwarder to clean up. This goroutine is temporarily here | ||
// because the only way to unblock io.Copy is to close one of the ends, | ||
// which will be done through closing the forwarder. Once we replace | ||
// io.Copy with the interceptors, we could use f.ctx directly, and no | ||
// longer need this goroutine. | ||
// | ||
// Note that if f.Close was called externally, this will result | ||
// in two f.Close calls in total, i.e. one externally, and one here | ||
// once the context gets cancelled. This is fine for now since we'll | ||
// be removing this soon anyway. | ||
f.Close() | ||
}() | ||
|
||
// Copy all pgwire messages from frontend to backend connection until we | ||
// encounter an error or shutdown signal. | ||
go func() { | ||
defer f.Close() | ||
|
||
err := ConnectionCopy(f.serverConn, f.clientConn) | ||
select { | ||
case f.errChan <- err: /* error reported */ | ||
default: /* the channel already contains an error */ | ||
} | ||
}() | ||
|
||
return f | ||
} | ||
|
||
// Close closes the forwarder, and stops the forwarding process. This is | ||
// idempotent. | ||
func (f *forwarder) Close() { | ||
f.ctxCancel() | ||
|
||
// Since Close is idempotent, we'll ignore the error from Close in case it | ||
// has already been closed. | ||
f.serverConn.Close() | ||
} | ||
|
||
// IsStopped returns a boolean indicating that the forwarder has stopped | ||
// forwarding messages. The forwarder will be stopped when one calls Close | ||
// explicitly, or when any of its main goroutines is terminated, whichever that | ||
// happens first. | ||
// | ||
// A new forwarder instance will have to be recreated if one wants to reuse the | ||
// same pair of connections. | ||
func (f *forwarder) IsStopped() bool { | ||
return f.ctx.Err() != nil | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,209 @@ | ||
// Copyright 2022 The Cockroach Authors. | ||
// | ||
// Licensed as a CockroachDB Enterprise file under the Cockroach Community | ||
// License (the "License"); you may not use this file except in compliance with | ||
// the License. You may obtain a copy of the License at | ||
// | ||
// https://github.com/cockroachdb/cockroach/blob/master/licenses/CCL.txt | ||
|
||
package sqlproxyccl | ||
|
||
import ( | ||
"context" | ||
"net" | ||
"testing" | ||
"time" | ||
|
||
"github.com/cockroachdb/cockroach/pkg/testutils" | ||
"github.com/cockroachdb/cockroach/pkg/util/leaktest" | ||
"github.com/cockroachdb/errors" | ||
"github.com/jackc/pgproto3/v2" | ||
"github.com/stretchr/testify/require" | ||
) | ||
|
||
func TestForward(t *testing.T) { | ||
defer leaktest.AfterTest(t)() | ||
|
||
bgCtx := context.Background() | ||
|
||
t.Run("closed_when_processors_error", func(t *testing.T) { | ||
p1, p2 := net.Pipe() | ||
// Close the connection right away. p2 is owned by the forwarder. | ||
p1.Close() | ||
|
||
f := forward(bgCtx, p1, p2) | ||
defer f.Close() | ||
|
||
// We have to wait for the goroutine to run. | ||
testutils.SucceedsSoon(t, func() error { | ||
if f.IsStopped() { | ||
return nil | ||
} | ||
return errors.New("forwarder is still running") | ||
}) | ||
|
||
select { | ||
case err := <-f.errChan: | ||
require.Error(t, err) | ||
default: | ||
t.Fatalf("require error, but not none") | ||
} | ||
}) | ||
|
||
t.Run("client_to_server", func(t *testing.T) { | ||
ctx, cancel := context.WithTimeout(bgCtx, 5*time.Second) | ||
defer cancel() | ||
|
||
clientW, clientR := net.Pipe() | ||
serverW, serverR := net.Pipe() | ||
// We don't close clientW and serverR here since we have no control | ||
// over those. serverW is not closed since the forwarder is responsible | ||
// for that. | ||
defer clientR.Close() | ||
|
||
f := forward(ctx, clientR, serverW) | ||
defer f.Close() | ||
require.Nil(t, f.ctx.Err()) | ||
|
||
// Client writes some pgwire messages. | ||
errChan := make(chan error, 1) | ||
go func() { | ||
_, err := clientW.Write((&pgproto3.Query{ | ||
String: "SELECT 1", | ||
}).Encode(nil)) | ||
if err != nil { | ||
errChan <- err | ||
return | ||
} | ||
|
||
if _, err := clientW.Write((&pgproto3.Execute{ | ||
Portal: "foobar", | ||
MaxRows: 42, | ||
}).Encode(nil)); err != nil { | ||
errChan <- err | ||
return | ||
} | ||
|
||
if _, err := clientW.Write((&pgproto3.Close{ | ||
ObjectType: 'P', | ||
}).Encode(nil)); err != nil { | ||
errChan <- err | ||
return | ||
} | ||
}() | ||
|
||
// Server should receive messages in order. | ||
backend := pgproto3.NewBackend(pgproto3.NewChunkReader(serverR), serverR) | ||
|
||
msg, err := backend.Receive() | ||
require.NoError(t, err) | ||
m1, ok := msg.(*pgproto3.Query) | ||
require.True(t, ok) | ||
require.Equal(t, "SELECT 1", m1.String) | ||
|
||
msg, err = backend.Receive() | ||
require.NoError(t, err) | ||
m2, ok := msg.(*pgproto3.Execute) | ||
require.True(t, ok) | ||
require.Equal(t, "foobar", m2.Portal) | ||
require.Equal(t, uint32(42), m2.MaxRows) | ||
|
||
msg, err = backend.Receive() | ||
require.NoError(t, err) | ||
m3, ok := msg.(*pgproto3.Close) | ||
require.True(t, ok) | ||
require.Equal(t, byte('P'), m3.ObjectType) | ||
|
||
select { | ||
case err = <-errChan: | ||
t.Fatalf("require no error, but got %v", err) | ||
default: | ||
} | ||
}) | ||
|
||
t.Run("server_to_client", func(t *testing.T) { | ||
ctx, cancel := context.WithTimeout(bgCtx, 5*time.Second) | ||
defer cancel() | ||
|
||
clientW, clientR := net.Pipe() | ||
serverW, serverR := net.Pipe() | ||
// We don't close clientW and serverR here since we have no control | ||
// over those. serverW is not closed since the forwarder is responsible | ||
// for that. | ||
defer clientR.Close() | ||
|
||
f := forward(ctx, clientR, serverW) | ||
defer f.Close() | ||
require.Nil(t, f.ctx.Err()) | ||
|
||
// Server writes some pgwire messages. | ||
errChan := make(chan error, 1) | ||
go func() { | ||
if _, err := serverR.Write((&pgproto3.ErrorResponse{ | ||
Code: "100", | ||
Message: "foobarbaz", | ||
}).Encode(nil)); err != nil { | ||
errChan <- err | ||
return | ||
} | ||
|
||
if _, err := serverR.Write((&pgproto3.ReadyForQuery{ | ||
TxStatus: 'I', | ||
}).Encode(nil)); err != nil { | ||
errChan <- err | ||
return | ||
} | ||
}() | ||
|
||
// Client should receive messages in order. | ||
frontend := pgproto3.NewFrontend(pgproto3.NewChunkReader(clientW), clientW) | ||
|
||
msg, err := frontend.Receive() | ||
require.NoError(t, err) | ||
m1, ok := msg.(*pgproto3.ErrorResponse) | ||
require.True(t, ok) | ||
require.Equal(t, "100", m1.Code) | ||
require.Equal(t, "foobarbaz", m1.Message) | ||
|
||
msg, err = frontend.Receive() | ||
require.NoError(t, err) | ||
m2, ok := msg.(*pgproto3.ReadyForQuery) | ||
require.True(t, ok) | ||
require.Equal(t, byte('I'), m2.TxStatus) | ||
|
||
select { | ||
case err = <-errChan: | ||
t.Fatalf("require no error, but got %v", err) | ||
default: | ||
} | ||
}) | ||
} | ||
|
||
func TestForwarder_Close(t *testing.T) { | ||
defer leaktest.AfterTest(t)() | ||
|
||
p1, p2 := net.Pipe() | ||
defer p1.Close() // p2 is owned by the forwarder. | ||
|
||
f := forward(context.Background(), p1, p2) | ||
defer f.Close() | ||
require.Nil(t, f.ctx.Err()) | ||
|
||
f.Close() | ||
require.EqualError(t, f.ctx.Err(), context.Canceled.Error()) | ||
} | ||
|
||
func TestForwarder_IsStopped(t *testing.T) { | ||
defer leaktest.AfterTest(t)() | ||
|
||
p1, p2 := net.Pipe() | ||
defer p1.Close() // p2 is owned by the forwarder. | ||
|
||
f := forward(context.Background(), p1, p2) | ||
defer f.Close() | ||
require.Nil(t, f.ctx.Err()) | ||
require.False(t, f.IsStopped()) | ||
|
||
f.ctxCancel() | ||
require.True(t, f.IsStopped()) | ||
} |
Oops, something went wrong.