| 1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980 |
- package json
- import (
- "encoding/json"
- "errors"
- "strconv"
- "strings"
- "github.com/v2ray/v2ray-core/common/log"
- v2net "github.com/v2ray/v2ray-core/common/net"
- )
- var (
- InvalidPortRange = errors.New("Invalid port range.")
- )
- type PortRange struct {
- from v2net.Port
- to v2net.Port
- }
- func (this *PortRange) From() v2net.Port {
- return this.from
- }
- func (this *PortRange) To() v2net.Port {
- return this.to
- }
- func (this *PortRange) UnmarshalJSON(data []byte) error {
- var maybeint int
- err := json.Unmarshal(data, &maybeint)
- if err == nil {
- if maybeint <= 0 || maybeint >= 65535 {
- log.Error("Invalid port [%s]", string(data))
- return InvalidPortRange
- }
- this.from = v2net.Port(uint16(maybeint))
- this.to = v2net.Port(uint16(maybeint))
- return nil
- }
- var maybestring string
- err = json.Unmarshal(data, &maybestring)
- if err == nil {
- pair := strings.SplitN(maybestring, "-", 2)
- if len(pair) == 1 {
- value, err := strconv.Atoi(pair[0])
- if err != nil || value <= 0 || value >= 65535 {
- log.Error("Invalid from port %s", pair[0])
- return InvalidPortRange
- }
- this.from = v2net.Port(uint16(value))
- this.to = v2net.Port(uint16(value))
- return nil
- } else if len(pair) == 2 {
- from, err := strconv.Atoi(pair[0])
- if err != nil || from <= 0 || from >= 65535 {
- log.Error("Invalid from port %s", pair[0])
- return InvalidPortRange
- }
- this.from = v2net.Port(uint16(from))
- to, err := strconv.Atoi(pair[1])
- if err != nil || to <= 0 || to >= 65535 {
- log.Error("Invalid to port %s", pair[1])
- return InvalidPortRange
- }
- this.to = v2net.Port(uint16(to))
- if this.from > this.to {
- log.Error("Invalid port range %d -> %d", this.from, this.to)
- return InvalidPortRange
- }
- return nil
- }
- }
- return InvalidPortRange
- }
|