File: tunnel.go

package info (click to toggle)
golang-github-viant-toolbox 0.33.2-4
  • links: PTS, VCS
  • area: main
  • in suites: bookworm, forky, sid, trixie
  • size: 1,280 kB
  • sloc: makefile: 16
file content (85 lines) | stat: -rw-r--r-- 1,879 bytes parent folder | download | duplicates (2)
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
package ssh

import (
	"fmt"
	"golang.org/x/crypto/ssh"
	"io"
	"log"
	"net"
	"sync"
	"sync/atomic"
)

//Tunnel represents a SSH forwarding link
type Tunnel struct {
	RemoteAddress string
	client        *ssh.Client
	Local         net.Listener
	Connections   []net.Conn
	mutex         *sync.Mutex
	closed        int32
}

func (f *Tunnel) tunnelTraffic(local, remote net.Conn) {
	defer local.Close()
	defer remote.Close()
	completionChannel := make(chan bool)
	go func() {
		_, err := io.Copy(local, remote)
		if err != nil {
			log.Printf("failed to copy remote to local: %v", err)
		}
		completionChannel <- true
	}()

	go func() {
		_, _ = io.Copy(remote, local)
		//if err != nil {
		//	log.Printf("failed to copy local to remote: %v", err)
		//}
		completionChannel <- true
	}()
	<-completionChannel
}

//Handle listen on local client to create tunnel with remote address.
func (f *Tunnel) Handle() error {
	for {
		if atomic.LoadInt32(&f.closed) == 1 {
			return nil
		}
		localclient, err := f.Local.Accept()
		if err != nil {
			return err
		}
		remote, err := f.client.Dial("tcp", f.RemoteAddress)
		if err != nil {
			return fmt.Errorf("failed to connect to remote: %v %v", f.RemoteAddress, err)
		}
		f.Connections = append(f.Connections, remote)
		f.Connections = append(f.Connections, localclient)
		go f.tunnelTraffic(localclient, remote)
	}
	return nil
}

//Close closes forwarding link
func (f *Tunnel) Close() error {
	atomic.StoreInt32(&f.closed, 1)
	_ = f.Local.Close()
	for _, remote := range f.Connections {
		_ = remote.Close()
	}
	return nil
}

//NewForwarding creates a new ssh forwarding link
func NewForwarding(client *ssh.Client, remoteAddress string, local net.Listener) *Tunnel {
	return &Tunnel{
		client:        client,
		RemoteAddress: remoteAddress,
		Connections:   make([]net.Conn, 0),
		Local:         local,
		mutex:         &sync.Mutex{},
	}
}