summary refs log tree commit diff
path: root/path.go
blob: 82a8353b514eacd2f67061c18b95a6514bd5b7dc (plain)
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
package portgate

import (
	"net/url"
	"path"
	"strconv"
	"strings"
)

// Path represents a routing destination the user gave.
type Path struct {
	// Identifier to which port of the destination host the path points to and to which the
	// user's request will be proxied to.
	// If there was no identifier given it's -1.
	DestinationIdentifier int
	// The path without the port identifier.
	// This is the path which will be requested from the destination.
	ResourcePath string
}

// ParsePath creates a Path from the requested URL.
func ParsePath(p string) Path {
	p = path.Clean("/" + p)

	// Get first path part, which is the destinationIdentifier

	destinationIdentifierEnd := strings.Index(p[1:], "/") + 1

	// If there is no '/' at in the path, apart from the root, the first part is the entire path
	if destinationIdentifierEnd == 0 {
		destinationIdentifierEnd = len(p)
	}

	destinationIdentifier := p[1:destinationIdentifierEnd]

	// We have to to check that destinationIdentifier is a port
	port, err := strconv.Atoi(destinationIdentifier)
	if err == nil {
		// We got an identifier and can split the path

		resourcePath := path.Clean("/" + p[destinationIdentifierEnd:])
		return Path{
			DestinationIdentifier: port,
			ResourcePath:          resourcePath,
		}
	} else {
		// We got some other path without an identifier

		return Path{
			DestinationIdentifier: -1,
			ResourcePath:          p,
		}
	}
}

// ParsePathFromReferer tries to create a Path from the Referer header of the request.
func ParsePathFromReferer(p Path, r string) (Path, error) {
	u, err := url.Parse(r)
	if err != nil {
		return Path{}, err
	}

	// p has the correct resource path but the wrong port, so we create a new path
	// with the correct data from both.
	rp := ParsePath(u.Path)
	return Path{
		DestinationIdentifier: rp.DestinationIdentifier,
		ResourcePath:          p.ResourcePath,
	}, nil
}

// IsPortgatePath returns whether the Path goes to Portgate.
func (p *Path) IsPortgatePath() bool {
	return p.DestinationIdentifier == -1 && strings.HasPrefix(p.ResourcePath, "/_portgate")
}

// IsPortgateStaticPath returns whether the Path goes to the Portgate static files.
func (p *Path) IsPortgateStaticPath() bool {
	return p.DestinationIdentifier == -1 && strings.HasPrefix(p.ResourcePath, "/_portgate/static")
}