glider/common/conn/conn.go

91 lines
1.9 KiB
Go
Raw Normal View History

package conn
2017-07-13 21:55:41 +08:00
import (
"bufio"
"io"
"net"
"time"
)
// UDPBufSize is the size of udp buffer.
const UDPBufSize = 65536
// Conn is a base conn struct.
type Conn struct {
2017-07-13 21:55:41 +08:00
r *bufio.Reader
net.Conn
}
// NewConn returns a new conn.
2018-12-14 00:02:25 +08:00
func NewConn(c net.Conn) *Conn {
return &Conn{bufio.NewReader(c), c}
2017-07-13 21:55:41 +08:00
}
// Peek returns the next n bytes without advancing the reader.
2018-12-14 00:02:25 +08:00
func (c *Conn) Peek(n int) ([]byte, error) {
2017-07-13 21:55:41 +08:00
return c.r.Peek(n)
}
2018-12-14 00:02:25 +08:00
func (c *Conn) Read(p []byte) (int, error) {
2017-07-13 21:55:41 +08:00
return c.r.Read(p)
}
// Reader returns the internal bufio.Reader.
2018-12-14 00:02:25 +08:00
func (c *Conn) Reader() *bufio.Reader {
return c.r
}
// Relay relays between left and right.
func Relay(left, right net.Conn) (int64, int64, error) {
2017-07-13 21:55:41 +08:00
type res struct {
N int64
Err error
}
ch := make(chan res)
go func() {
n, err := io.Copy(right, left)
right.SetDeadline(time.Now()) // wake up the other goroutine blocking on right
left.SetDeadline(time.Now()) // wake up the other goroutine blocking on left
ch <- res{n, err}
}()
n, err := io.Copy(left, right)
right.SetDeadline(time.Now()) // wake up the other goroutine blocking on right
left.SetDeadline(time.Now()) // wake up the other goroutine blocking on left
rs := <-ch
if err == nil {
err = rs.Err
}
return n, rs.N, err
}
2018-01-08 18:14:57 +08:00
// RelayUDP copys from src to dst at target with read timeout.
func RelayUDP(dst net.PacketConn, target net.Addr, src net.PacketConn, timeout time.Duration) error {
buf := make([]byte, UDPBufSize)
2018-01-08 18:14:57 +08:00
for {
src.SetReadDeadline(time.Now().Add(timeout))
2018-01-20 15:08:23 +08:00
n, _, err := src.ReadFrom(buf)
2018-01-08 18:14:57 +08:00
if err != nil {
return err
}
2018-01-20 15:08:23 +08:00
_, err = dst.WriteTo(buf[:n], target)
2018-01-08 18:14:57 +08:00
if err != nil {
return err
}
}
}
// OutboundIP returns preferred outbound ip of this machine.
func OutboundIP() string {
conn, err := net.Dial("udp", "8.8.8.8:80")
if err != nil {
return ""
}
defer conn.Close()
return conn.LocalAddr().(*net.UDPAddr).IP.String()
}