2019-05-31 01:52:10 +03:00
|
|
|
package net
|
|
|
|
|
|
|
|
import (
|
|
|
|
"errors"
|
|
|
|
"fmt"
|
|
|
|
"net"
|
|
|
|
"strconv"
|
|
|
|
"strings"
|
|
|
|
)
|
|
|
|
|
2019-07-18 00:18:40 +03:00
|
|
|
// HostPort format addr and port suitable for dial
|
|
|
|
func HostPort(addr string, port interface{}) string {
|
|
|
|
host := addr
|
|
|
|
if strings.Count(addr, ":") > 0 {
|
|
|
|
host = fmt.Sprintf("[%s]", addr)
|
|
|
|
}
|
2019-08-06 11:15:54 +03:00
|
|
|
// TODO check for NATS case
|
|
|
|
if v, ok := port.(string); ok {
|
|
|
|
if v == "" {
|
|
|
|
return fmt.Sprintf("%s", host)
|
|
|
|
}
|
|
|
|
}
|
2019-07-18 00:18:40 +03:00
|
|
|
return fmt.Sprintf("%s:%v", host, port)
|
|
|
|
}
|
|
|
|
|
2019-05-31 01:52:10 +03:00
|
|
|
// Listen takes addr:portmin-portmax and binds to the first available port
|
|
|
|
// Example: Listen("localhost:5000-6000", fn)
|
|
|
|
func Listen(addr string, fn func(string) (net.Listener, error)) (net.Listener, error) {
|
|
|
|
|
2019-07-17 10:38:50 +03:00
|
|
|
if strings.Count(addr, ":") == 1 && strings.Count(addr, "-") == 0 {
|
2019-05-31 01:52:10 +03:00
|
|
|
return fn(addr)
|
|
|
|
}
|
|
|
|
|
2019-07-17 10:38:50 +03:00
|
|
|
// host:port || host:min-max
|
|
|
|
host, ports, err := net.SplitHostPort(addr)
|
|
|
|
if err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
|
2019-05-31 01:52:10 +03:00
|
|
|
// try to extract port range
|
2019-07-17 10:38:50 +03:00
|
|
|
prange := strings.Split(ports, "-")
|
2019-05-31 01:52:10 +03:00
|
|
|
|
|
|
|
// single port
|
2019-07-17 10:38:50 +03:00
|
|
|
if len(prange) < 2 {
|
2019-05-31 01:52:10 +03:00
|
|
|
return fn(addr)
|
|
|
|
}
|
|
|
|
|
|
|
|
// we have a port range
|
|
|
|
|
|
|
|
// extract min port
|
2019-07-17 10:38:50 +03:00
|
|
|
min, err := strconv.Atoi(prange[0])
|
2019-05-31 01:52:10 +03:00
|
|
|
if err != nil {
|
|
|
|
return nil, errors.New("unable to extract port range")
|
|
|
|
}
|
|
|
|
|
|
|
|
// extract max port
|
2019-07-17 10:38:50 +03:00
|
|
|
max, err := strconv.Atoi(prange[1])
|
2019-05-31 01:52:10 +03:00
|
|
|
if err != nil {
|
|
|
|
return nil, errors.New("unable to extract port range")
|
|
|
|
}
|
|
|
|
|
|
|
|
// range the ports
|
|
|
|
for port := min; port <= max; port++ {
|
|
|
|
// try bind to host:port
|
2019-07-18 00:18:40 +03:00
|
|
|
ln, err := fn(HostPort(host, port))
|
2019-05-31 01:52:10 +03:00
|
|
|
if err == nil {
|
|
|
|
return ln, nil
|
|
|
|
}
|
|
|
|
|
|
|
|
// hit max port
|
|
|
|
if port == max {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// why are we here?
|
|
|
|
return nil, fmt.Errorf("unable to bind to %s", addr)
|
|
|
|
}
|