1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186
|
/*
Copyright 2019 The Kubernetes Authors.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
*/
package server
import (
"fmt"
"io"
"math/rand"
"net/http"
"sync"
"time"
"k8s.io/klog/v2"
"sigs.k8s.io/apiserver-network-proxy/konnectivity-client/proto/client"
"sigs.k8s.io/apiserver-network-proxy/pkg/server/metrics"
)
// Tunnel implements Proxy based on HTTP Connect, which tunnels the traffic to
// the agent registered in ProxyServer.
type Tunnel struct {
Server *ProxyServer
}
func (t *Tunnel) ServeHTTP(w http.ResponseWriter, r *http.Request) {
metrics.Metrics.HTTPConnectionInc()
defer metrics.Metrics.HTTPConnectionDec()
klog.V(2).InfoS("Received request for host", "method", r.Method, "host", r.Host, "userAgent", r.UserAgent())
if r.TLS != nil {
klog.V(2).InfoS("TLS", "commonName", r.TLS.PeerCertificates[0].Subject.CommonName)
}
if r.Method != http.MethodConnect {
http.Error(w, "this proxy only supports CONNECT passthrough", http.StatusMethodNotAllowed)
return
}
hijacker, ok := w.(http.Hijacker)
if !ok {
http.Error(w, "hijacking not supported", http.StatusInternalServerError)
return
}
conn, bufrw, err := hijacker.Hijack()
if err != nil {
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
// Send the HTTP 200 OK status after a successful hijack
_, err = conn.Write([]byte("HTTP/1.1 200 Connection Established\r\n\r\n"))
if err != nil {
klog.ErrorS(err, "failed to send 200 connection established")
conn.Close()
return
}
var closeOnce sync.Once
defer closeOnce.Do(func() { conn.Close() })
random := rand.Int63() /* #nosec G404 */
dialRequest := &client.Packet{
Type: client.PacketType_DIAL_REQ,
Payload: &client.Packet_DialRequest{
DialRequest: &client.DialRequest{
Protocol: "tcp",
Address: r.Host,
Random: random,
},
},
}
klog.V(4).Infof("Set pending(rand=%d) to %v", random, w)
backend, err := t.Server.getBackend(r.Host)
if err != nil {
klog.ErrorS(err, "no tunnels available")
conn.Write([]byte(fmt.Sprintf("HTTP/1.1 500 Internal Server Error\r\nContent-Type: text/plain\r\n\r\ncurrently no tunnels available: %v", err)))
conn.Close()
return
}
closed := make(chan struct{})
connected := make(chan struct{})
connection := &ProxyClientConnection{
Mode: ModeHTTPConnect,
HTTP: io.ReadWriter(conn), // pass as ReadWriter so the caller must close with CloseHTTP
CloseHTTP: func() error {
closeOnce.Do(func() { conn.Close() })
close(closed)
return nil
},
connected: connected,
start: time.Now(),
backend: backend,
}
t.Server.PendingDial.Add(random, connection)
if err := backend.Send(dialRequest); err != nil {
klog.ErrorS(err, "failed to tunnel dial request")
return
}
ctxt := backend.Context()
if ctxt.Err() != nil {
klog.ErrorS(err, "context reports failure")
}
select {
case <-ctxt.Done():
klog.V(5).Infoln("context reports done")
default:
}
select {
case <-connection.connected: // Waiting for response before we begin full communication.
case <-closed: // Connection was closed before being established
}
defer func() {
packet := &client.Packet{
Type: client.PacketType_CLOSE_REQ,
Payload: &client.Packet_CloseRequest{
CloseRequest: &client.CloseRequest{
ConnectID: connection.connectID,
},
},
}
if err = backend.Send(packet); err != nil {
klog.V(2).InfoS("failed to send close request packet", "host", r.Host, "agentID", connection.agentID, "connectionID", connection.connectID)
}
conn.Close()
}()
klog.V(3).InfoS("Starting proxy to host", "host", r.Host)
pkt := make([]byte, 1<<15) // Match GRPC Window size
connID := connection.connectID
agentID := connection.agentID
var acc int
for {
n, err := bufrw.Read(pkt[:])
acc += n
if err == io.EOF {
klog.V(1).InfoS("EOF from host", "host", r.Host)
break
}
if err != nil {
klog.ErrorS(err, "Received failure on connection")
break
}
packet := &client.Packet{
Type: client.PacketType_DATA,
Payload: &client.Packet_Data{
Data: &client.Data{
ConnectID: connID,
Data: pkt[:n],
},
},
}
err = backend.Send(packet)
if err != nil {
klog.ErrorS(err, "error sending packet")
break
}
klog.V(5).InfoS("Forwarding data on tunnel to agent",
"bytes", n,
"totalBytes", acc,
"agentID", connection.agentID,
"connectionID", connection.connectID)
}
klog.V(5).InfoS("Stopping transfer to host", "host", r.Host, "agentID", agentID, "connectionID", connID)
}
|