forked from jpillora/go-tld
-
Notifications
You must be signed in to change notification settings - Fork 0
/
parse.go
68 lines (62 loc) · 1.48 KB
/
parse.go
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
//go:generate sh generate.sh
//Package tld has the same API as net/url except
//tld.URL contains extra fields: Subdomain, Domain, TLD and Port.
package tld
import (
"net/url"
"strings"
"golang.org/x/net/publicsuffix"
)
//URL embeds net/url and adds extra fields ontop
type URL struct {
Subdomain, Domain, TLD, Port string
ICANN bool
*url.URL
}
//Parse mirrors net/url.Parse except instead it returns
//a tld.URL, which contains extra fields.
func Parse(s string) (*URL, error) {
url, err := url.Parse(s)
if err != nil {
return nil, err
}
if url.Host == "" {
return &URL{URL: url}, nil
}
dom, port := domainPort(url.Host)
//etld+1
etld1, err := publicsuffix.EffectiveTLDPlusOne(dom)
_, icann := publicsuffix.PublicSuffix(strings.ToLower(dom))
if err != nil {
return nil, err
}
//convert to domain name, and tld
i := strings.Index(etld1, ".")
domName := etld1[0:i]
tld := etld1[i+1:]
//and subdomain
sub := ""
if rest := strings.TrimSuffix(dom, "."+etld1); rest != dom {
sub = rest
}
return &URL{
Subdomain: sub,
Domain: domName,
TLD: tld,
Port: port,
ICANN: icann,
URL: url,
}, nil
}
func domainPort(host string) (string, string) {
for i := len(host) - 1; i >= 0; i-- {
if host[i] == ':' {
return host[:i], host[i+1:]
} else if host[i] < '0' || host[i] > '9' {
return host, ""
}
}
//will only land here if the string is all digits,
//net/url should prevent that from happening
return host, ""
}