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 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367
|
// Copyright 2023 The gVisor 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 cmd
import (
"context"
"fmt"
"io"
"io/ioutil"
"math"
"net"
"os"
"os/signal"
"strconv"
"strings"
"sync"
"syscall"
"github.com/google/subcommands"
"gvisor.dev/gvisor/pkg/log"
"gvisor.dev/gvisor/pkg/urpc"
"gvisor.dev/gvisor/runsc/boot"
"gvisor.dev/gvisor/runsc/cmd/util"
"gvisor.dev/gvisor/runsc/config"
"gvisor.dev/gvisor/runsc/container"
"gvisor.dev/gvisor/runsc/flag"
)
// PortForward implements subcommands.Command for the "portforward" command.
type PortForward struct {
portNum int
stream string
}
// Name implements subcommands.Command.Name.
func (*PortForward) Name() string {
return "port-forward"
}
// Synopsis implements subcommands.Command.Synopsis.
func (*PortForward) Synopsis() string {
return "port forward to a secure container"
}
// Usage implements subcommands.Command.Usage.
func (*PortForward) Usage() string {
return `port-forward CONTAINER_ID [LOCAL_PORT:]REMOTE_PORT - port forward to gvisor container.
Port forwarding has two modes. Local mode opens a local port and forwards
connections to another port inside the specified container. Stream mode
forwards a single connection on a UDS to the specified port in the container.
EXAMPLES:
The following will forward connections on local port 8080 to port 80 in the
container named 'nginx':
# runsc port-forward nginx 8080:80
The following will forward a single new connection on the unix domain socket at
/tmp/pipe to port 80 in the container named 'nginx':
# runsc port-forward --stream /tmp/pipe nginx 80
OPTIONS:
`
}
// SetFlags implements subcommands.Command.SetFlags.
func (p *PortForward) SetFlags(f *flag.FlagSet) {
f.StringVar(&p.stream, "stream", "", "Stream mode - a Unix doman socket")
}
// Execute implements subcommands.Command.Execute.
func (p *PortForward) Execute(ctx context.Context, f *flag.FlagSet, args ...any) subcommands.ExitStatus {
conf := args[0].(*config.Config)
// Requires at least the container id and port.
if f.NArg() != 2 {
f.Usage()
return subcommands.ExitUsageError
}
id := f.Arg(0)
portStr := f.Arg(1)
c, err := container.Load(conf.RootDir, container.FullID{ContainerID: id}, container.LoadOpts{})
if err != nil {
util.Fatalf("loading container: %v", err)
}
if p.stream != "" {
if err := p.doStream(ctx, portStr, c); err != nil {
util.Fatalf("doStream: %v", err)
}
return subcommands.ExitSuccess
}
// Allow forwarding to a local port.
ports := strings.Split(portStr, ":")
if len(ports) != 2 {
util.Fatalf("invalid port string %q", portStr)
}
localPort, err := strconv.Atoi(ports[0])
if err != nil {
util.Fatalf("invalid port string %q: %v", portStr, err)
}
portNum, err := strconv.Atoi(ports[1])
if err != nil {
util.Fatalf("invalid port string %q: %v", portStr, err)
}
if portNum <= 0 || portNum > math.MaxUint16 {
util.Fatalf("invalid port %d: %v", portNum, err)
}
// Start port forwarding with the local port.
var wg sync.WaitGroup
ctx, cancel := context.WithCancel(ctx)
wg.Add(3)
go func(localPort, portNum int) {
defer cancel()
defer wg.Done()
// Print message to local user.
fmt.Printf("Forwarding local port %d to %d...\n", localPort, portNum)
if err := localForward(ctx, c, localPort, uint16(portNum)); err != nil {
log.Warningf("port forwarding: %v", err)
}
}(localPort, portNum)
// Exit port forwarding if the container exits.
go func() {
defer wg.Done()
// Cancel port forwarding after Wait returns regardless of return
// value as err may indicate sandbox has terminated already.
_, _ = c.Wait()
fmt.Printf("Container %q stopped. Exiting...\n", c.ID)
cancel()
}()
// Wait for ^C from the user.
go func() {
defer wg.Done()
sig := waitSignal()
fmt.Printf("Got %v, Exiting...\n", sig)
cancel()
}()
// Wait on a WaitGroup for port forwarding to clean up before exiting.
wg.Wait()
return subcommands.ExitSuccess
}
// localForward starts port forwarding from the given local port.
func localForward(ctx context.Context, c *container.Container, localPort int, containerPort uint16) error {
l, err := net.Listen("tcp", ":"+strconv.Itoa(localPort))
if err != nil {
return err
}
defer l.Close()
var localConnChan = make(chan net.Conn, 1)
var errChan = make(chan error, 1)
go func() {
for {
if ctx.Err() != nil {
return
}
localConn, err := l.Accept()
if err != nil {
errChan <- err
continue
}
localConnChan <- localConn
}
}()
for {
// Exit if the context is done.
select {
case <-ctx.Done():
return ctx.Err()
case err := <-errChan:
if err != nil {
log.Warningf("accepting local connection: %v", err)
}
case localConn := <-localConnChan:
// Dispatch a new goroutine to handle the new connection.
go func() {
defer localConn.Close()
fmt.Println("Forwarding new connection...")
err := portCopy(ctx, c, localConn, containerPort)
if err != nil {
log.Warningf("port forwarding: %v", err)
}
fmt.Println("Finished forwarding connection...")
}()
}
}
}
// doStream does the stream version of the port-forward command.
func (p *PortForward) doStream(ctx context.Context, port string, c *container.Container) error {
var err error
p.portNum, err = strconv.Atoi(port)
if err != nil {
return fmt.Errorf("invalid port string %q: %v", port, err)
}
if p.portNum < 0 || p.portNum > math.MaxUint16 {
return fmt.Errorf("invalid port %d: %v", p.portNum, err)
}
f, err := openStream(p.stream)
if err != nil {
return fmt.Errorf("opening uds stream: %v", err)
}
defer f.Close()
if err := c.PortForward(&boot.PortForwardOpts{
Port: uint16(p.portNum),
ContainerID: c.ID,
FilePayload: urpc.FilePayload{Files: []*os.File{f}},
}); err != nil {
return fmt.Errorf("PortForward: %v", err)
}
return nil
}
// portCopy creates a UDS and begins copying data to and from the local
// connection.
func portCopy(ctx context.Context, c *container.Container, localConn net.Conn, port uint16) error {
// Create a new path address for the UDS.
addr, err := tmpUDSAddr()
if err != nil {
return err
}
// Create the UDS and Listen on it.
l, err := net.Listen("unix", addr)
if err != nil {
return err
}
defer l.Close()
// Open the UDS as a File so it can be donated to the sentry.
streamFile, err := openStream(addr)
if err != nil {
return fmt.Errorf("opening uds stream: %v", err)
}
defer streamFile.Close()
// Request port forwarding from the sentry. This request will return
// immediately after port forwarding is started and connection state is
// handled via the UDS from then on.
if err := c.PortForward(&boot.PortForwardOpts{
Port: port,
FilePayload: urpc.FilePayload{Files: []*os.File{streamFile}},
}); err != nil {
return fmt.Errorf("PortForward: %v", err)
}
// We have already opened a single connection on the UDS and passed the
// client end to the sentry. We accept the connection now in order to get
// the other half of the connection.
conn, err := l.Accept()
if err != nil {
return err
}
toErrCh := make(chan error)
fromErrCh := make(chan error)
// Copy data from the local port to the UDS.
go func() {
defer conn.Close()
defer localConn.Close()
log.Debugf("Start copying from %q to %q", localConn.LocalAddr().String(), conn.LocalAddr().String())
_, err := io.Copy(localConn, conn)
log.Debugf("Stopped copying from %q to %q", localConn.LocalAddr().String(), conn.LocalAddr().String())
toErrCh <- err
close(toErrCh)
}()
// Copy data from the UDS to the local port.
go func() {
defer conn.Close()
defer localConn.Close()
log.Debugf("Start copying from %q to %q", conn.LocalAddr().String(), localConn.LocalAddr().String())
_, err := io.Copy(conn, localConn)
log.Debugf("Stopped copying from %q to %q", conn.LocalAddr().String(), localConn.LocalAddr().String())
fromErrCh <- err
close(fromErrCh)
}()
errMap := map[string]error{}
for {
if len(errMap) == 2 {
return nil
}
select {
case e := <-toErrCh:
errMap["toChannel"] = e
case e := <-fromErrCh:
errMap["fromChannel"] = e
case <-ctx.Done():
log.Debugf("Port forwarding connection canceled for %q: %v", localConn.LocalAddr().String(), ctx.Err())
return ctx.Err()
}
}
}
// tmpUDS generates a temporary UDS addr.
func tmpUDSAddr() (string, error) {
tmpFile, err := ioutil.TempFile("", "runsc-port-forward")
if err != nil {
return "", err
}
path := tmpFile.Name()
// Remove the tempfile and just use its name.
os.Remove(path)
return path, nil
}
// openStream opens a UDS as a socket and returns the file descriptor in an
// os.File object.
func openStream(name string) (*os.File, error) {
// The net package will abstract the fd, so we use raw syscalls.
fd, err := syscall.Socket(syscall.AF_UNIX, syscall.SOCK_STREAM, 0)
if err != nil {
return nil, err
}
// We are acting as a client so we will connect to the socket.
if err = syscall.Connect(fd, &syscall.SockaddrUnix{Name: name}); err != nil {
syscall.Close(fd)
return nil, err
}
// Return a File so that we can pass it to the Sentry.
return os.NewFile(uintptr(fd), name), nil
}
// waitSignal waits for SIGINT, SIGQUIT, or SIGTERM from the user.
func waitSignal() os.Signal {
ch := make(chan os.Signal, 2)
signal.Notify(
ch,
syscall.SIGINT,
syscall.SIGQUIT,
syscall.SIGTERM,
)
return <-ch
}
|