Fix third goroutine leak and refactor proxy cancellation.
Fix goroutine leak in the Read function of the codeOceanToRawReader: Blocking Select statement.
This commit is contained in:
@ -30,7 +30,7 @@ type webSocketConnection interface {
|
|||||||
type WebSocketReader interface {
|
type WebSocketReader interface {
|
||||||
io.Reader
|
io.Reader
|
||||||
io.Writer
|
io.Writer
|
||||||
startReadInputLoop() context.CancelFunc
|
startReadInputLoop()
|
||||||
}
|
}
|
||||||
|
|
||||||
// codeOceanToRawReader is an io.Reader implementation that provides the content of the WebSocket connection
|
// codeOceanToRawReader is an io.Reader implementation that provides the content of the WebSocket connection
|
||||||
@ -38,6 +38,9 @@ type WebSocketReader interface {
|
|||||||
type codeOceanToRawReader struct {
|
type codeOceanToRawReader struct {
|
||||||
connection webSocketConnection
|
connection webSocketConnection
|
||||||
|
|
||||||
|
// ctx is used to cancel the reading routine.
|
||||||
|
ctx context.Context
|
||||||
|
|
||||||
// A buffered channel of bytes is used to store data coming from CodeOcean via WebSocket
|
// A buffered channel of bytes is used to store data coming from CodeOcean via WebSocket
|
||||||
// and retrieve it when Read(..) is called. Since channels are thread-safe, we use one here
|
// and retrieve it when Read(..) is called. Since channels are thread-safe, we use one here
|
||||||
// instead of bytes.Buffer.
|
// instead of bytes.Buffer.
|
||||||
@ -48,9 +51,10 @@ type codeOceanToRawReader struct {
|
|||||||
priorityBuffer chan byte
|
priorityBuffer chan byte
|
||||||
}
|
}
|
||||||
|
|
||||||
func newCodeOceanToRawReader(connection webSocketConnection) *codeOceanToRawReader {
|
func newCodeOceanToRawReader(connection webSocketConnection, ctx context.Context) *codeOceanToRawReader {
|
||||||
return &codeOceanToRawReader{
|
return &codeOceanToRawReader{
|
||||||
connection: connection,
|
connection: connection,
|
||||||
|
ctx: ctx,
|
||||||
buffer: make(chan byte, CodeOceanToRawReaderBufferSize),
|
buffer: make(chan byte, CodeOceanToRawReaderBufferSize),
|
||||||
priorityBuffer: make(chan byte, CodeOceanToRawReaderBufferSize),
|
priorityBuffer: make(chan byte, CodeOceanToRawReaderBufferSize),
|
||||||
}
|
}
|
||||||
@ -59,12 +63,14 @@ func newCodeOceanToRawReader(connection webSocketConnection) *codeOceanToRawRead
|
|||||||
// readInputLoop reads from the WebSocket connection and buffers the user's input.
|
// readInputLoop reads from the WebSocket connection and buffers the user's input.
|
||||||
// This is necessary because input must be read for the connection to handle special messages like close and call the
|
// This is necessary because input must be read for the connection to handle special messages like close and call the
|
||||||
// CloseHandler.
|
// CloseHandler.
|
||||||
func (cr *codeOceanToRawReader) readInputLoop(ctx context.Context) {
|
func (cr *codeOceanToRawReader) readInputLoop() {
|
||||||
readMessage := make(chan bool)
|
readMessage := make(chan bool)
|
||||||
readingContext, cancel := context.WithCancel(ctx)
|
loopContext, cancelInputLoop := context.WithCancel(cr.ctx)
|
||||||
defer cancel()
|
defer cancelInputLoop()
|
||||||
|
readingContext, cancelNextMessage := context.WithCancel(loopContext)
|
||||||
|
defer cancelNextMessage()
|
||||||
|
|
||||||
for ctx.Err() == nil {
|
for loopContext.Err() == nil {
|
||||||
var messageType int
|
var messageType int
|
||||||
var reader io.Reader
|
var reader io.Reader
|
||||||
var err error
|
var err error
|
||||||
@ -77,12 +83,12 @@ func (cr *codeOceanToRawReader) readInputLoop(ctx context.Context) {
|
|||||||
}
|
}
|
||||||
}()
|
}()
|
||||||
select {
|
select {
|
||||||
case <-ctx.Done():
|
case <-loopContext.Done():
|
||||||
return
|
return
|
||||||
case <-readMessage:
|
case <-readMessage:
|
||||||
}
|
}
|
||||||
|
|
||||||
if handleInput(messageType, reader, err, cr.buffer, ctx) {
|
if handleInput(messageType, reader, err, cr.buffer, loopContext) {
|
||||||
return
|
return
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -118,12 +124,9 @@ func handleInput(messageType int, reader io.Reader, err error, buffer chan byte,
|
|||||||
return false
|
return false
|
||||||
}
|
}
|
||||||
|
|
||||||
// startReadInputLoop start the read input loop asynchronously and returns a context.CancelFunc which can be used
|
// startReadInputLoop start the read input loop asynchronously.
|
||||||
// to cancel the read input loop.
|
func (cr *codeOceanToRawReader) startReadInputLoop() {
|
||||||
func (cr *codeOceanToRawReader) startReadInputLoop() context.CancelFunc {
|
go cr.readInputLoop()
|
||||||
ctx, cancel := context.WithCancel(context.Background())
|
|
||||||
go cr.readInputLoop(ctx)
|
|
||||||
return cancel
|
|
||||||
}
|
}
|
||||||
|
|
||||||
// Read implements the io.Reader interface.
|
// Read implements the io.Reader interface.
|
||||||
@ -132,8 +135,11 @@ func (cr *codeOceanToRawReader) Read(p []byte) (int, error) {
|
|||||||
if len(p) == 0 {
|
if len(p) == 0 {
|
||||||
return 0, nil
|
return 0, nil
|
||||||
}
|
}
|
||||||
|
|
||||||
// Ensure to not return until at least one byte has been read to avoid busy waiting.
|
// Ensure to not return until at least one byte has been read to avoid busy waiting.
|
||||||
select {
|
select {
|
||||||
|
case <-cr.ctx.Done():
|
||||||
|
return 0, io.EOF
|
||||||
case p[0] = <-cr.priorityBuffer:
|
case p[0] = <-cr.priorityBuffer:
|
||||||
case p[0] = <-cr.buffer:
|
case p[0] = <-cr.buffer:
|
||||||
}
|
}
|
||||||
@ -168,13 +174,12 @@ func (cr *codeOceanToRawReader) Write(p []byte) (n int, err error) {
|
|||||||
type rawToCodeOceanWriter struct {
|
type rawToCodeOceanWriter struct {
|
||||||
proxy *webSocketProxy
|
proxy *webSocketProxy
|
||||||
outputType dto.WebSocketMessageType
|
outputType dto.WebSocketMessageType
|
||||||
stopped bool
|
|
||||||
}
|
}
|
||||||
|
|
||||||
// Write implements the io.Writer interface.
|
// Write implements the io.Writer interface.
|
||||||
// The passed data is forwarded to the WebSocket to CodeOcean.
|
// The passed data is forwarded to the WebSocket to CodeOcean.
|
||||||
func (rc *rawToCodeOceanWriter) Write(p []byte) (int, error) {
|
func (rc *rawToCodeOceanWriter) Write(p []byte) (int, error) {
|
||||||
if rc.stopped {
|
if rc.proxy.webSocketCtx.Err() != nil {
|
||||||
return 0, nil
|
return 0, nil
|
||||||
}
|
}
|
||||||
err := rc.proxy.sendToClient(dto.WebSocketMessage{Type: rc.outputType, Data: string(p)})
|
err := rc.proxy.sendToClient(dto.WebSocketMessage{Type: rc.outputType, Data: string(p)})
|
||||||
@ -183,13 +188,13 @@ func (rc *rawToCodeOceanWriter) Write(p []byte) (int, error) {
|
|||||||
|
|
||||||
// webSocketProxy is an encapsulation of logic for forwarding between Runners and CodeOcean.
|
// webSocketProxy is an encapsulation of logic for forwarding between Runners and CodeOcean.
|
||||||
type webSocketProxy struct {
|
type webSocketProxy struct {
|
||||||
userExit chan bool
|
webSocketCtx context.Context
|
||||||
connection webSocketConnection
|
cancelWebSocket context.CancelFunc
|
||||||
connectionMu sync.Mutex
|
connection webSocketConnection
|
||||||
Stdin WebSocketReader
|
connectionMu sync.Mutex
|
||||||
Stdout io.Writer
|
Stdin WebSocketReader
|
||||||
Stderr io.Writer
|
Stdout io.Writer
|
||||||
cancelWebSocketWrite func()
|
Stderr io.Writer
|
||||||
}
|
}
|
||||||
|
|
||||||
// upgradeConnection upgrades a connection to a websocket and returns a webSocketProxy for this connection.
|
// upgradeConnection upgrades a connection to a websocket and returns a webSocketProxy for this connection.
|
||||||
@ -205,24 +210,21 @@ func upgradeConnection(writer http.ResponseWriter, request *http.Request) (webSo
|
|||||||
|
|
||||||
// newWebSocketProxy returns a initiated and started webSocketProxy.
|
// newWebSocketProxy returns a initiated and started webSocketProxy.
|
||||||
// As this proxy is already started, a start message is send to the client.
|
// As this proxy is already started, a start message is send to the client.
|
||||||
func newWebSocketProxy(connection webSocketConnection) (*webSocketProxy, error) {
|
func newWebSocketProxy(connection webSocketConnection, ctx context.Context) (*webSocketProxy, error) {
|
||||||
stdin := newCodeOceanToRawReader(connection)
|
stdin := newCodeOceanToRawReader(connection, ctx)
|
||||||
|
inputCtx, inputCancel := context.WithCancel(ctx)
|
||||||
proxy := &webSocketProxy{
|
proxy := &webSocketProxy{
|
||||||
connection: connection,
|
connection: connection,
|
||||||
Stdin: stdin,
|
Stdin: stdin,
|
||||||
userExit: make(chan bool),
|
webSocketCtx: inputCtx,
|
||||||
|
cancelWebSocket: inputCancel,
|
||||||
}
|
}
|
||||||
stdOut := &rawToCodeOceanWriter{proxy: proxy, outputType: dto.WebSocketOutputStdout}
|
proxy.Stdout = &rawToCodeOceanWriter{proxy: proxy, outputType: dto.WebSocketOutputStdout}
|
||||||
stdErr := &rawToCodeOceanWriter{proxy: proxy, outputType: dto.WebSocketOutputStderr}
|
proxy.Stderr = &rawToCodeOceanWriter{proxy: proxy, outputType: dto.WebSocketOutputStderr}
|
||||||
proxy.cancelWebSocketWrite = func() {
|
|
||||||
stdOut.stopped = true
|
|
||||||
stdErr.stopped = true
|
|
||||||
}
|
|
||||||
proxy.Stdout = stdOut
|
|
||||||
proxy.Stderr = stdErr
|
|
||||||
|
|
||||||
err := proxy.sendToClient(dto.WebSocketMessage{Type: dto.WebSocketMetaStart})
|
err := proxy.sendToClient(dto.WebSocketMessage{Type: dto.WebSocketMetaStart})
|
||||||
if err != nil {
|
if err != nil {
|
||||||
|
inputCancel()
|
||||||
return nil, err
|
return nil, err
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -230,7 +232,7 @@ func newWebSocketProxy(connection webSocketConnection) (*webSocketProxy, error)
|
|||||||
connection.SetCloseHandler(func(code int, text string) error {
|
connection.SetCloseHandler(func(code int, text string) error {
|
||||||
//nolint:errcheck // The default close handler always returns nil, so the error can be safely ignored.
|
//nolint:errcheck // The default close handler always returns nil, so the error can be safely ignored.
|
||||||
_ = closeHandler(code, text)
|
_ = closeHandler(code, text)
|
||||||
close(proxy.userExit)
|
inputCancel()
|
||||||
return nil
|
return nil
|
||||||
})
|
})
|
||||||
return proxy, nil
|
return proxy, nil
|
||||||
@ -239,19 +241,19 @@ func newWebSocketProxy(connection webSocketConnection) (*webSocketProxy, error)
|
|||||||
// waitForExit waits for an exit of either the runner (when the command terminates) or the client closing the WebSocket
|
// waitForExit waits for an exit of either the runner (when the command terminates) or the client closing the WebSocket
|
||||||
// and handles WebSocket exit messages.
|
// and handles WebSocket exit messages.
|
||||||
func (wp *webSocketProxy) waitForExit(exit <-chan runner.ExitInfo, cancelExecution context.CancelFunc) {
|
func (wp *webSocketProxy) waitForExit(exit <-chan runner.ExitInfo, cancelExecution context.CancelFunc) {
|
||||||
cancelInputLoop := wp.Stdin.startReadInputLoop()
|
wp.Stdin.startReadInputLoop()
|
||||||
|
|
||||||
var exitInfo runner.ExitInfo
|
var exitInfo runner.ExitInfo
|
||||||
select {
|
select {
|
||||||
case exitInfo = <-exit:
|
case <-wp.webSocketCtx.Done():
|
||||||
cancelInputLoop()
|
|
||||||
wp.cancelWebSocketWrite()
|
|
||||||
log.Info("Execution returned")
|
|
||||||
case <-wp.userExit:
|
|
||||||
cancelInputLoop()
|
|
||||||
wp.cancelWebSocketWrite()
|
|
||||||
cancelExecution()
|
|
||||||
log.Info("Client closed the connection")
|
log.Info("Client closed the connection")
|
||||||
|
cancelExecution()
|
||||||
|
<-exit // /internal/runner/runner.go handleExitOrContextDone does not require client connection anymore.
|
||||||
|
<-exit // The goroutine closes this channel indicating that it does not use the connection to the executor anymore.
|
||||||
return
|
return
|
||||||
|
case exitInfo = <-exit:
|
||||||
|
log.Info("Execution returned")
|
||||||
|
wp.cancelWebSocket()
|
||||||
}
|
}
|
||||||
|
|
||||||
if errors.Is(exitInfo.Err, context.DeadlineExceeded) || errors.Is(exitInfo.Err, runner.ErrorRunnerInactivityTimeout) {
|
if errors.Is(exitInfo.Err, context.DeadlineExceeded) || errors.Is(exitInfo.Err, runner.ErrorRunnerInactivityTimeout) {
|
||||||
@ -339,7 +341,9 @@ func (r *RunnerController) connectToRunner(writer http.ResponseWriter, request *
|
|||||||
writeInternalServerError(writer, err, dto.ErrorUnknown)
|
writeInternalServerError(writer, err, dto.ErrorUnknown)
|
||||||
return
|
return
|
||||||
}
|
}
|
||||||
proxy, err := newWebSocketProxy(connection)
|
proxyCtx, cancelProxy := context.WithCancel(context.Background())
|
||||||
|
defer cancelProxy()
|
||||||
|
proxy, err := newWebSocketProxy(connection, proxyCtx)
|
||||||
if err != nil {
|
if err != nil {
|
||||||
return
|
return
|
||||||
}
|
}
|
||||||
|
@ -293,7 +293,9 @@ func TestRawToCodeOceanWriter(t *testing.T) {
|
|||||||
connectionMock.On("CloseHandler").Return(nil)
|
connectionMock.On("CloseHandler").Return(nil)
|
||||||
connectionMock.On("SetCloseHandler", mock.Anything).Return()
|
connectionMock.On("SetCloseHandler", mock.Anything).Return()
|
||||||
|
|
||||||
proxy, err := newWebSocketProxy(connectionMock)
|
proxyCtx, cancel := context.WithCancel(context.Background())
|
||||||
|
defer cancel()
|
||||||
|
proxy, err := newWebSocketProxy(connectionMock, proxyCtx)
|
||||||
require.NoError(t, err)
|
require.NoError(t, err)
|
||||||
writer := &rawToCodeOceanWriter{
|
writer := &rawToCodeOceanWriter{
|
||||||
proxy: proxy,
|
proxy: proxy,
|
||||||
@ -312,7 +314,9 @@ func TestRawToCodeOceanWriter(t *testing.T) {
|
|||||||
}
|
}
|
||||||
|
|
||||||
func TestCodeOceanToRawReaderReturnsOnlyAfterOneByteWasRead(t *testing.T) {
|
func TestCodeOceanToRawReaderReturnsOnlyAfterOneByteWasRead(t *testing.T) {
|
||||||
reader := newCodeOceanToRawReader(nil)
|
readingCtx, cancel := context.WithCancel(context.Background())
|
||||||
|
defer cancel()
|
||||||
|
reader := newCodeOceanToRawReader(nil, readingCtx)
|
||||||
|
|
||||||
read := make(chan bool)
|
read := make(chan bool)
|
||||||
go func() {
|
go func() {
|
||||||
@ -345,9 +349,10 @@ func TestCodeOceanToRawReaderReturnsOnlyAfterOneByteWasReadFromConnection(t *tes
|
|||||||
call.Return(websocket.TextMessage, <-messages, nil)
|
call.Return(websocket.TextMessage, <-messages, nil)
|
||||||
})
|
})
|
||||||
|
|
||||||
reader := newCodeOceanToRawReader(connection)
|
readingCtx, cancel := context.WithCancel(context.Background())
|
||||||
cancel := reader.startReadInputLoop()
|
|
||||||
defer cancel()
|
defer cancel()
|
||||||
|
reader := newCodeOceanToRawReader(connection, readingCtx)
|
||||||
|
reader.startReadInputLoop()
|
||||||
|
|
||||||
read := make(chan bool)
|
read := make(chan bool)
|
||||||
//nolint:makezero // this is required here to make the Read call blocking
|
//nolint:makezero // this is required here to make the Read call blocking
|
||||||
|
@ -208,18 +208,19 @@ func (r *NomadJob) handleExitOrContextDone(ctx context.Context, cancelExecute co
|
|||||||
exitInternal <-chan ExitInfo, exit chan<- ExitInfo, stdin io.ReadWriter,
|
exitInternal <-chan ExitInfo, exit chan<- ExitInfo, stdin io.ReadWriter,
|
||||||
) {
|
) {
|
||||||
defer cancelExecute()
|
defer cancelExecute()
|
||||||
|
defer close(exit) // When this function has finished the connection to the executor is closed.
|
||||||
|
|
||||||
select {
|
select {
|
||||||
case exitInfo := <-exitInternal:
|
case exitInfo := <-exitInternal:
|
||||||
exit <- exitInfo
|
exit <- exitInfo
|
||||||
close(exit)
|
|
||||||
return
|
return
|
||||||
case <-ctx.Done():
|
case <-ctx.Done():
|
||||||
// From this time on until the WebSocket connection to the client is closed in /internal/api/websocket.go
|
|
||||||
// waitForExit, output can still be forwarded to the client. We accept this race condition because adding
|
|
||||||
// a locking mechanism would complicate the interfaces used (currently io.Writer).
|
|
||||||
exit <- ExitInfo{255, ctx.Err()}
|
|
||||||
close(exit)
|
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// From this time on the WebSocket connection to the client is closed in /internal/api/websocket.go
|
||||||
|
// waitForExit. Input can still be sent to the executor.
|
||||||
|
exit <- ExitInfo{255, ctx.Err()}
|
||||||
|
|
||||||
// This injects the SIGQUIT character into the stdin. This character is parsed by the tty line discipline
|
// This injects the SIGQUIT character into the stdin. This character is parsed by the tty line discipline
|
||||||
// (tty has to be true) and converted to a SIGQUIT signal sent to the foreground process attached to the tty.
|
// (tty has to be true) and converted to a SIGQUIT signal sent to the foreground process attached to the tty.
|
||||||
// By default, SIGQUIT causes the process to terminate and produces a core dump. Processes can catch this signal
|
// By default, SIGQUIT causes the process to terminate and produces a core dump. Processes can catch this signal
|
||||||
|
Reference in New Issue
Block a user