| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338 | package gnetimport (	"errors"	"math/rand/v2"	"net"	"sync"	"time")const (	ClientReadTimout  = 10 * time.Second	ClientWriteTimout = 5 * time.Second)const (	ServerReadTimout   = 60 * time.Second	ServerWriteTimeout = 5 * time.Second)const (	IdleTime = 1 * time.Second)const (	DialTimout = 10 * time.Second)const (	MaxBuffSize = 4096)var (	// ErrConnNotFound 连接不存在	ErrConnNotFound = errors.New("network: connection not found")	// ErrWaitingResponse 等待远程主机响应	ErrWaitingResponse = errors.New("network: waiting for response from remote host")	// ErrUnconnected 未能连接到远程主机; 用于开启 Config.Reconnect 后且需要告知上层逻辑真实的连接情况时使用	ErrUnconnected = errors.New("network: connection not connected"))type Timeout struct {	Msg string}func (t *Timeout) Timeout() bool { return true }func (t *Timeout) Error() string {	if t.Msg == "" {		return "network: timeout"	}	return t.Msg}// ReadMultiplexer 读取复用type ReadMultiplexer interface {	// ReadMux 将读取的数据存储至内部切片中, b 则是内部切片的指针引用. ReadMux 被调用时, 总是会清除上一次保存的数据. 即你需要将 b 使用完毕	// 以后再调用, 否则数据将会被覆盖.	ReadMux() (b []byte, err error)}// Config 连接配置// 当任意Timeout未设定时则表示无超时type Config struct {	ReadTimeout  time.Duration	WriteTimeout time.Duration	Timeout      time.Duration // Read and Write	DialTimeout  time.Duration	Reconnect   bool // Reconnect 自动重连. 仅用于客户端	IgnoreError bool // IgnoreError 忽略首次连接时失败的错误, 用于 Reconnect 启用时. 仅用于客户端	MuxBuff     int  // ReadMultiplexer.ReadMux Only}func (c *Config) Client() *Config {	c.ReadTimeout = ClientReadTimout	c.WriteTimeout = ClientWriteTimout	c.DialTimeout = DialTimout	return c}func (c *Config) Server() *Config {	c.ReadTimeout = ServerReadTimout	c.WriteTimeout = ServerWriteTimeout	return c}type Connection interface {	IsConnected() bool	IsClosed() bool	// Reconnecting	// Deprecated, 等待移除, 下个大版本再移除	Reconnecting() bool}type tcpAliveConn struct {	address string	net.Conn	Config *Config	buf    []byte	mu     sync.Mutex	handing bool	closed  bool}func (t *tcpAliveConn) IsConnected() bool {	if t.Conn == nil {		return false	}	if t.handing || t.closed {		return false	}	return true}func (t *tcpAliveConn) IsClosed() bool {	return t.closed}func (t *tcpAliveConn) Reconnecting() bool {	if t.Conn == nil {		return false	}	return t.handing && !t.closed}// hasAvailableNetFace// 检查当前操作系统中是否存在可用的网卡, 无可用的网卡时挂起重连操作// 修复部分操作系统(Windows)休眠后网卡状态异常导致 net.DialTimeout 锥栈溢出(然后panic)的问题func (t *tcpAliveConn) hasAvailableNetFace() bool {	ift, err := net.Interfaces()	if err != nil {		return false	}	i := 0	for _, ifi := range ift {		// FlagUp 网线插入, FlagLoopback 本机循环网卡 FlagRunning 活动的网卡		if ifi.Flags&net.FlagUp != 0 && ifi.Flags&net.FlagLoopback == 0 && ifi.Flags&net.FlagRunning != 0 {			i++		}	}	return i > 0}func (t *tcpAliveConn) Dial(address string, timeout time.Duration) (net.Conn, error) {	tcpConn, err := net.DialTimeout("tcp", address, timeout)	if err != nil {		return nil, err	}	if tcp, ok := tcpConn.(*net.TCPConn); ok {		_ = tcp.SetNoDelay(true)		_ = tcp.SetKeepAlive(true)		_ = tcp.SetKeepAlivePeriod(5 * time.Second)	}	return tcpConn, nil}func (t *tcpAliveConn) handleAlive() {	if t.closed || t.handing {		return	}	if !t.Config.Reconnect {		_ = t.Close() // 如果未开启重连, 出现任何错误时都会主动关闭连接		return	}	t.handing = true	if t.Conn != nil {		_ = t.Conn.Close() // 关掉旧的连接	}	for !t.closed {		if !t.hasAvailableNetFace() {			time.Sleep(3 * time.Second)			continue		}		conn, err := t.Dial(t.address, t.Config.DialTimeout)		if err != nil {			continue		}		t.mu.Lock()		t.Conn = conn		t.mu.Unlock()		break	}	if t.closed { // 当连接被主动关闭时		if t.Conn != nil {			_ = t.Conn.Close() // 即使重连上也关闭		}	}	t.handing = false}func (t *tcpAliveConn) handleErr(err error) error {	if err == nil {		return nil	}	if !t.Config.Reconnect || t.closed {		return err	}	// 延迟后返回. 通常上层代码在 for 循环中调用 Read/Write. 如果重连期间的调用响应过快, 则会导致上层日志写入频繁	// 如果已主动调用 Close 则保持不变	t.randSleep()	return &Timeout{Msg: err.Error()}}func (t *tcpAliveConn) randSleep() {	minSleep := 900	maxSleep := 3100	randSleep := rand.IntN(maxSleep-minSleep) + minSleep	time.Sleep(time.Duration(randSleep) * time.Millisecond)}func (t *tcpAliveConn) setReadTimeout() (err error) {	if t.Config == nil {		return	}	if t.Config.ReadTimeout > 0 {		return t.Conn.SetReadDeadline(time.Now().Add(t.Config.ReadTimeout))	}	if t.Config.Timeout > 0 {		return t.Conn.SetReadDeadline(time.Now().Add(t.Config.Timeout))	}	return}func (t *tcpAliveConn) setWriteTimout() (err error) {	if t.Config == nil {		return	}	if t.Config.WriteTimeout > 0 {		return t.Conn.SetWriteDeadline(time.Now().Add(t.Config.WriteTimeout))	}	if t.Config.Timeout > 0 {		return t.Conn.SetWriteDeadline(time.Now().Add(t.Config.Timeout))	}	return}func (t *tcpAliveConn) Read(b []byte) (n int, err error) {	t.mu.Lock()	defer t.mu.Unlock()	if err = t.setReadTimeout(); err != nil {		return	}	if t.Conn == nil {		return 0, t.handleErr(ErrWaitingResponse)	}	n, err = t.Conn.Read(b)	if err != nil {		go t.handleAlive()	}	return n, t.handleErr(err)}func (t *tcpAliveConn) Write(b []byte) (n int, err error) {	t.mu.Lock()	defer t.mu.Unlock()	if err = t.setWriteTimout(); err != nil {		return	}	if t.Conn == nil {		return 0, t.handleErr(ErrWaitingResponse)	}	n, err = t.Conn.Write(b)	if err != nil {		go t.handleAlive()	}	return n, t.handleErr(err)}func (t *tcpAliveConn) Close() error {	if t.closed {		return nil	}	t.closed = true	var err error	if t.Conn != nil {		err = t.Conn.Close()	}	t.buf = nil	return err}func (t *tcpAliveConn) ReadMux() (b []byte, err error) {	if len(t.buf) == 0 {		bufSize := t.Config.MuxBuff		if bufSize <= 0 {			bufSize = MaxBuffSize		}		t.buf = make([]byte, bufSize)	}	n, err := t.Read(t.buf)	if err != nil {		return nil, err	}	return t.buf[:n], nil}func DialTCP(address string) (net.Conn, error) {	return DialTCPConfig(address, nil)}func DialTCPConfig(address string, config *Config) (net.Conn, error) {	if _, err := net.ResolveTCPAddr("tcp", address); err != nil {		return nil, err	}	if config == nil {		config = (&Config{}).Client()	}	if config.DialTimeout <= 0 {		config.DialTimeout = DialTimout	}	tcpConn, err := net.DialTimeout("tcp", address, config.DialTimeout)	if err != nil {		if config.Reconnect && config.IgnoreError {			conn := &tcpAliveConn{				address: address,				Conn:    nil,				Config:  config,			}			go conn.handleAlive()			return conn, nil		}		return nil, err	}	if tcp, ok := tcpConn.(*net.TCPConn); ok {		_ = tcp.SetNoDelay(true)		_ = tcp.SetKeepAlive(true)		_ = tcp.SetKeepAlivePeriod(5 * time.Second)	}	conn := &tcpAliveConn{		address: address,		Conn:    tcpConn,		Config:  config,	}	return conn, nil}
 |