libgo: update to Go 1.11
[official-gcc.git] / libgo / go / net / url / url.go
blob80eb7a86c8de26f3e3110c1f0da58a4281d8b2ef
1 // Copyright 2009 The Go Authors. All rights reserved.
2 // Use of this source code is governed by a BSD-style
3 // license that can be found in the LICENSE file.
5 // Package url parses URLs and implements query escaping.
6 package url
8 // See RFC 3986. This package generally follows RFC 3986, except where
9 // it deviates for compatibility reasons. When sending changes, first
10 // search old issues for history on decisions. Unit tests should also
11 // contain references to issue numbers with details.
13 import (
14 "errors"
15 "fmt"
16 "sort"
17 "strconv"
18 "strings"
21 // Error reports an error and the operation and URL that caused it.
22 type Error struct {
23 Op string
24 URL string
25 Err error
28 func (e *Error) Error() string { return e.Op + " " + e.URL + ": " + e.Err.Error() }
30 type timeout interface {
31 Timeout() bool
34 func (e *Error) Timeout() bool {
35 t, ok := e.Err.(timeout)
36 return ok && t.Timeout()
39 type temporary interface {
40 Temporary() bool
43 func (e *Error) Temporary() bool {
44 t, ok := e.Err.(temporary)
45 return ok && t.Temporary()
48 func ishex(c byte) bool {
49 switch {
50 case '0' <= c && c <= '9':
51 return true
52 case 'a' <= c && c <= 'f':
53 return true
54 case 'A' <= c && c <= 'F':
55 return true
57 return false
60 func unhex(c byte) byte {
61 switch {
62 case '0' <= c && c <= '9':
63 return c - '0'
64 case 'a' <= c && c <= 'f':
65 return c - 'a' + 10
66 case 'A' <= c && c <= 'F':
67 return c - 'A' + 10
69 return 0
72 type encoding int
74 const (
75 encodePath encoding = 1 + iota
76 encodePathSegment
77 encodeHost
78 encodeZone
79 encodeUserPassword
80 encodeQueryComponent
81 encodeFragment
84 type EscapeError string
86 func (e EscapeError) Error() string {
87 return "invalid URL escape " + strconv.Quote(string(e))
90 type InvalidHostError string
92 func (e InvalidHostError) Error() string {
93 return "invalid character " + strconv.Quote(string(e)) + " in host name"
96 // Return true if the specified character should be escaped when
97 // appearing in a URL string, according to RFC 3986.
99 // Please be informed that for now shouldEscape does not check all
100 // reserved characters correctly. See golang.org/issue/5684.
101 func shouldEscape(c byte, mode encoding) bool {
102 // §2.3 Unreserved characters (alphanum)
103 if 'A' <= c && c <= 'Z' || 'a' <= c && c <= 'z' || '0' <= c && c <= '9' {
104 return false
107 if mode == encodeHost || mode == encodeZone {
108 // §3.2.2 Host allows
109 // sub-delims = "!" / "$" / "&" / "'" / "(" / ")" / "*" / "+" / "," / ";" / "="
110 // as part of reg-name.
111 // We add : because we include :port as part of host.
112 // We add [ ] because we include [ipv6]:port as part of host.
113 // We add < > because they're the only characters left that
114 // we could possibly allow, and Parse will reject them if we
115 // escape them (because hosts can't use %-encoding for
116 // ASCII bytes).
117 switch c {
118 case '!', '$', '&', '\'', '(', ')', '*', '+', ',', ';', '=', ':', '[', ']', '<', '>', '"':
119 return false
123 switch c {
124 case '-', '_', '.', '~': // §2.3 Unreserved characters (mark)
125 return false
127 case '$', '&', '+', ',', '/', ':', ';', '=', '?', '@': // §2.2 Reserved characters (reserved)
128 // Different sections of the URL allow a few of
129 // the reserved characters to appear unescaped.
130 switch mode {
131 case encodePath: // §3.3
132 // The RFC allows : @ & = + $ but saves / ; , for assigning
133 // meaning to individual path segments. This package
134 // only manipulates the path as a whole, so we allow those
135 // last three as well. That leaves only ? to escape.
136 return c == '?'
138 case encodePathSegment: // §3.3
139 // The RFC allows : @ & = + $ but saves / ; , for assigning
140 // meaning to individual path segments.
141 return c == '/' || c == ';' || c == ',' || c == '?'
143 case encodeUserPassword: // §3.2.1
144 // The RFC allows ';', ':', '&', '=', '+', '$', and ',' in
145 // userinfo, so we must escape only '@', '/', and '?'.
146 // The parsing of userinfo treats ':' as special so we must escape
147 // that too.
148 return c == '@' || c == '/' || c == '?' || c == ':'
150 case encodeQueryComponent: // §3.4
151 // The RFC reserves (so we must escape) everything.
152 return true
154 case encodeFragment: // §4.1
155 // The RFC text is silent but the grammar allows
156 // everything, so escape nothing.
157 return false
161 if mode == encodeFragment {
162 // RFC 3986 §2.2 allows not escaping sub-delims. A subset of sub-delims are
163 // included in reserved from RFC 2396 §2.2. The remaining sub-delims do not
164 // need to be escaped. To minimize potential breakage, we apply two restrictions:
165 // (1) we always escape sub-delims outside of the fragment, and (2) we always
166 // escape single quote to avoid breaking callers that had previously assumed that
167 // single quotes would be escaped. See issue #19917.
168 switch c {
169 case '!', '(', ')', '*':
170 return false
174 // Everything else must be escaped.
175 return true
178 // QueryUnescape does the inverse transformation of QueryEscape,
179 // converting each 3-byte encoded substring of the form "%AB" into the
180 // hex-decoded byte 0xAB.
181 // It returns an error if any % is not followed by two hexadecimal
182 // digits.
183 func QueryUnescape(s string) (string, error) {
184 return unescape(s, encodeQueryComponent)
187 // PathUnescape does the inverse transformation of PathEscape,
188 // converting each 3-byte encoded substring of the form "%AB" into the
189 // hex-decoded byte 0xAB. It returns an error if any % is not followed
190 // by two hexadecimal digits.
192 // PathUnescape is identical to QueryUnescape except that it does not
193 // unescape '+' to ' ' (space).
194 func PathUnescape(s string) (string, error) {
195 return unescape(s, encodePathSegment)
198 // unescape unescapes a string; the mode specifies
199 // which section of the URL string is being unescaped.
200 func unescape(s string, mode encoding) (string, error) {
201 // Count %, check that they're well-formed.
202 n := 0
203 hasPlus := false
204 for i := 0; i < len(s); {
205 switch s[i] {
206 case '%':
208 if i+2 >= len(s) || !ishex(s[i+1]) || !ishex(s[i+2]) {
209 s = s[i:]
210 if len(s) > 3 {
211 s = s[:3]
213 return "", EscapeError(s)
215 // Per https://tools.ietf.org/html/rfc3986#page-21
216 // in the host component %-encoding can only be used
217 // for non-ASCII bytes.
218 // But https://tools.ietf.org/html/rfc6874#section-2
219 // introduces %25 being allowed to escape a percent sign
220 // in IPv6 scoped-address literals. Yay.
221 if mode == encodeHost && unhex(s[i+1]) < 8 && s[i:i+3] != "%25" {
222 return "", EscapeError(s[i : i+3])
224 if mode == encodeZone {
225 // RFC 6874 says basically "anything goes" for zone identifiers
226 // and that even non-ASCII can be redundantly escaped,
227 // but it seems prudent to restrict %-escaped bytes here to those
228 // that are valid host name bytes in their unescaped form.
229 // That is, you can use escaping in the zone identifier but not
230 // to introduce bytes you couldn't just write directly.
231 // But Windows puts spaces here! Yay.
232 v := unhex(s[i+1])<<4 | unhex(s[i+2])
233 if s[i:i+3] != "%25" && v != ' ' && shouldEscape(v, encodeHost) {
234 return "", EscapeError(s[i : i+3])
237 i += 3
238 case '+':
239 hasPlus = mode == encodeQueryComponent
241 default:
242 if (mode == encodeHost || mode == encodeZone) && s[i] < 0x80 && shouldEscape(s[i], mode) {
243 return "", InvalidHostError(s[i : i+1])
249 if n == 0 && !hasPlus {
250 return s, nil
253 t := make([]byte, len(s)-2*n)
254 j := 0
255 for i := 0; i < len(s); {
256 switch s[i] {
257 case '%':
258 t[j] = unhex(s[i+1])<<4 | unhex(s[i+2])
260 i += 3
261 case '+':
262 if mode == encodeQueryComponent {
263 t[j] = ' '
264 } else {
265 t[j] = '+'
269 default:
270 t[j] = s[i]
275 return string(t), nil
278 // QueryEscape escapes the string so it can be safely placed
279 // inside a URL query.
280 func QueryEscape(s string) string {
281 return escape(s, encodeQueryComponent)
284 // PathEscape escapes the string so it can be safely placed
285 // inside a URL path segment.
286 func PathEscape(s string) string {
287 return escape(s, encodePathSegment)
290 func escape(s string, mode encoding) string {
291 spaceCount, hexCount := 0, 0
292 for i := 0; i < len(s); i++ {
293 c := s[i]
294 if shouldEscape(c, mode) {
295 if c == ' ' && mode == encodeQueryComponent {
296 spaceCount++
297 } else {
298 hexCount++
303 if spaceCount == 0 && hexCount == 0 {
304 return s
307 t := make([]byte, len(s)+2*hexCount)
308 j := 0
309 for i := 0; i < len(s); i++ {
310 switch c := s[i]; {
311 case c == ' ' && mode == encodeQueryComponent:
312 t[j] = '+'
314 case shouldEscape(c, mode):
315 t[j] = '%'
316 t[j+1] = "0123456789ABCDEF"[c>>4]
317 t[j+2] = "0123456789ABCDEF"[c&15]
318 j += 3
319 default:
320 t[j] = s[i]
324 return string(t)
327 // A URL represents a parsed URL (technically, a URI reference).
329 // The general form represented is:
331 // [scheme:][//[userinfo@]host][/]path[?query][#fragment]
333 // URLs that do not start with a slash after the scheme are interpreted as:
335 // scheme:opaque[?query][#fragment]
337 // Note that the Path field is stored in decoded form: /%47%6f%2f becomes /Go/.
338 // A consequence is that it is impossible to tell which slashes in the Path were
339 // slashes in the raw URL and which were %2f. This distinction is rarely important,
340 // but when it is, code must not use Path directly.
341 // The Parse function sets both Path and RawPath in the URL it returns,
342 // and URL's String method uses RawPath if it is a valid encoding of Path,
343 // by calling the EscapedPath method.
344 type URL struct {
345 Scheme string
346 Opaque string // encoded opaque data
347 User *Userinfo // username and password information
348 Host string // host or host:port
349 Path string // path (relative paths may omit leading slash)
350 RawPath string // encoded path hint (see EscapedPath method)
351 ForceQuery bool // append a query ('?') even if RawQuery is empty
352 RawQuery string // encoded query values, without '?'
353 Fragment string // fragment for references, without '#'
356 // User returns a Userinfo containing the provided username
357 // and no password set.
358 func User(username string) *Userinfo {
359 return &Userinfo{username, "", false}
362 // UserPassword returns a Userinfo containing the provided username
363 // and password.
365 // This functionality should only be used with legacy web sites.
366 // RFC 2396 warns that interpreting Userinfo this way
367 // ``is NOT RECOMMENDED, because the passing of authentication
368 // information in clear text (such as URI) has proven to be a
369 // security risk in almost every case where it has been used.''
370 func UserPassword(username, password string) *Userinfo {
371 return &Userinfo{username, password, true}
374 // The Userinfo type is an immutable encapsulation of username and
375 // password details for a URL. An existing Userinfo value is guaranteed
376 // to have a username set (potentially empty, as allowed by RFC 2396),
377 // and optionally a password.
378 type Userinfo struct {
379 username string
380 password string
381 passwordSet bool
384 // Username returns the username.
385 func (u *Userinfo) Username() string {
386 if u == nil {
387 return ""
389 return u.username
392 // Password returns the password in case it is set, and whether it is set.
393 func (u *Userinfo) Password() (string, bool) {
394 if u == nil {
395 return "", false
397 return u.password, u.passwordSet
400 // String returns the encoded userinfo information in the standard form
401 // of "username[:password]".
402 func (u *Userinfo) String() string {
403 if u == nil {
404 return ""
406 s := escape(u.username, encodeUserPassword)
407 if u.passwordSet {
408 s += ":" + escape(u.password, encodeUserPassword)
410 return s
413 // Maybe rawurl is of the form scheme:path.
414 // (Scheme must be [a-zA-Z][a-zA-Z0-9+-.]*)
415 // If so, return scheme, path; else return "", rawurl.
416 func getscheme(rawurl string) (scheme, path string, err error) {
417 for i := 0; i < len(rawurl); i++ {
418 c := rawurl[i]
419 switch {
420 case 'a' <= c && c <= 'z' || 'A' <= c && c <= 'Z':
421 // do nothing
422 case '0' <= c && c <= '9' || c == '+' || c == '-' || c == '.':
423 if i == 0 {
424 return "", rawurl, nil
426 case c == ':':
427 if i == 0 {
428 return "", "", errors.New("missing protocol scheme")
430 return rawurl[:i], rawurl[i+1:], nil
431 default:
432 // we have encountered an invalid character,
433 // so there is no valid scheme
434 return "", rawurl, nil
437 return "", rawurl, nil
440 // Maybe s is of the form t c u.
441 // If so, return t, c u (or t, u if cutc == true).
442 // If not, return s, "".
443 func split(s string, c string, cutc bool) (string, string) {
444 i := strings.Index(s, c)
445 if i < 0 {
446 return s, ""
448 if cutc {
449 return s[:i], s[i+len(c):]
451 return s[:i], s[i:]
454 // Parse parses rawurl into a URL structure.
456 // The rawurl may be relative (a path, without a host) or absolute
457 // (starting with a scheme). Trying to parse a hostname and path
458 // without a scheme is invalid but may not necessarily return an
459 // error, due to parsing ambiguities.
460 func Parse(rawurl string) (*URL, error) {
461 // Cut off #frag
462 u, frag := split(rawurl, "#", true)
463 url, err := parse(u, false)
464 if err != nil {
465 return nil, &Error{"parse", u, err}
467 if frag == "" {
468 return url, nil
470 if url.Fragment, err = unescape(frag, encodeFragment); err != nil {
471 return nil, &Error{"parse", rawurl, err}
473 return url, nil
476 // ParseRequestURI parses rawurl into a URL structure. It assumes that
477 // rawurl was received in an HTTP request, so the rawurl is interpreted
478 // only as an absolute URI or an absolute path.
479 // The string rawurl is assumed not to have a #fragment suffix.
480 // (Web browsers strip #fragment before sending the URL to a web server.)
481 func ParseRequestURI(rawurl string) (*URL, error) {
482 url, err := parse(rawurl, true)
483 if err != nil {
484 return nil, &Error{"parse", rawurl, err}
486 return url, nil
489 // parse parses a URL from a string in one of two contexts. If
490 // viaRequest is true, the URL is assumed to have arrived via an HTTP request,
491 // in which case only absolute URLs or path-absolute relative URLs are allowed.
492 // If viaRequest is false, all forms of relative URLs are allowed.
493 func parse(rawurl string, viaRequest bool) (*URL, error) {
494 var rest string
495 var err error
497 if rawurl == "" && viaRequest {
498 return nil, errors.New("empty url")
500 url := new(URL)
502 if rawurl == "*" {
503 url.Path = "*"
504 return url, nil
507 // Split off possible leading "http:", "mailto:", etc.
508 // Cannot contain escaped characters.
509 if url.Scheme, rest, err = getscheme(rawurl); err != nil {
510 return nil, err
512 url.Scheme = strings.ToLower(url.Scheme)
514 if strings.HasSuffix(rest, "?") && strings.Count(rest, "?") == 1 {
515 url.ForceQuery = true
516 rest = rest[:len(rest)-1]
517 } else {
518 rest, url.RawQuery = split(rest, "?", true)
521 if !strings.HasPrefix(rest, "/") {
522 if url.Scheme != "" {
523 // We consider rootless paths per RFC 3986 as opaque.
524 url.Opaque = rest
525 return url, nil
527 if viaRequest {
528 return nil, errors.New("invalid URI for request")
531 // Avoid confusion with malformed schemes, like cache_object:foo/bar.
532 // See golang.org/issue/16822.
534 // RFC 3986, §3.3:
535 // In addition, a URI reference (Section 4.1) may be a relative-path reference,
536 // in which case the first path segment cannot contain a colon (":") character.
537 colon := strings.Index(rest, ":")
538 slash := strings.Index(rest, "/")
539 if colon >= 0 && (slash < 0 || colon < slash) {
540 // First path segment has colon. Not allowed in relative URL.
541 return nil, errors.New("first path segment in URL cannot contain colon")
545 if (url.Scheme != "" || !viaRequest && !strings.HasPrefix(rest, "///")) && strings.HasPrefix(rest, "//") {
546 var authority string
547 authority, rest = split(rest[2:], "/", false)
548 url.User, url.Host, err = parseAuthority(authority)
549 if err != nil {
550 return nil, err
553 // Set Path and, optionally, RawPath.
554 // RawPath is a hint of the encoding of Path. We don't want to set it if
555 // the default escaping of Path is equivalent, to help make sure that people
556 // don't rely on it in general.
557 if err := url.setPath(rest); err != nil {
558 return nil, err
560 return url, nil
563 func parseAuthority(authority string) (user *Userinfo, host string, err error) {
564 i := strings.LastIndex(authority, "@")
565 if i < 0 {
566 host, err = parseHost(authority)
567 } else {
568 host, err = parseHost(authority[i+1:])
570 if err != nil {
571 return nil, "", err
573 if i < 0 {
574 return nil, host, nil
576 userinfo := authority[:i]
577 if !validUserinfo(userinfo) {
578 return nil, "", errors.New("net/url: invalid userinfo")
580 if !strings.Contains(userinfo, ":") {
581 if userinfo, err = unescape(userinfo, encodeUserPassword); err != nil {
582 return nil, "", err
584 user = User(userinfo)
585 } else {
586 username, password := split(userinfo, ":", true)
587 if username, err = unescape(username, encodeUserPassword); err != nil {
588 return nil, "", err
590 if password, err = unescape(password, encodeUserPassword); err != nil {
591 return nil, "", err
593 user = UserPassword(username, password)
595 return user, host, nil
598 // parseHost parses host as an authority without user
599 // information. That is, as host[:port].
600 func parseHost(host string) (string, error) {
601 if strings.HasPrefix(host, "[") {
602 // Parse an IP-Literal in RFC 3986 and RFC 6874.
603 // E.g., "[fe80::1]", "[fe80::1%25en0]", "[fe80::1]:80".
604 i := strings.LastIndex(host, "]")
605 if i < 0 {
606 return "", errors.New("missing ']' in host")
608 colonPort := host[i+1:]
609 if !validOptionalPort(colonPort) {
610 return "", fmt.Errorf("invalid port %q after host", colonPort)
613 // RFC 6874 defines that %25 (%-encoded percent) introduces
614 // the zone identifier, and the zone identifier can use basically
615 // any %-encoding it likes. That's different from the host, which
616 // can only %-encode non-ASCII bytes.
617 // We do impose some restrictions on the zone, to avoid stupidity
618 // like newlines.
619 zone := strings.Index(host[:i], "%25")
620 if zone >= 0 {
621 host1, err := unescape(host[:zone], encodeHost)
622 if err != nil {
623 return "", err
625 host2, err := unescape(host[zone:i], encodeZone)
626 if err != nil {
627 return "", err
629 host3, err := unescape(host[i:], encodeHost)
630 if err != nil {
631 return "", err
633 return host1 + host2 + host3, nil
637 var err error
638 if host, err = unescape(host, encodeHost); err != nil {
639 return "", err
641 return host, nil
644 // setPath sets the Path and RawPath fields of the URL based on the provided
645 // escaped path p. It maintains the invariant that RawPath is only specified
646 // when it differs from the default encoding of the path.
647 // For example:
648 // - setPath("/foo/bar") will set Path="/foo/bar" and RawPath=""
649 // - setPath("/foo%2fbar") will set Path="/foo/bar" and RawPath="/foo%2fbar"
650 // setPath will return an error only if the provided path contains an invalid
651 // escaping.
652 func (u *URL) setPath(p string) error {
653 path, err := unescape(p, encodePath)
654 if err != nil {
655 return err
657 u.Path = path
658 if escp := escape(path, encodePath); p == escp {
659 // Default encoding is fine.
660 u.RawPath = ""
661 } else {
662 u.RawPath = p
664 return nil
667 // EscapedPath returns the escaped form of u.Path.
668 // In general there are multiple possible escaped forms of any path.
669 // EscapedPath returns u.RawPath when it is a valid escaping of u.Path.
670 // Otherwise EscapedPath ignores u.RawPath and computes an escaped
671 // form on its own.
672 // The String and RequestURI methods use EscapedPath to construct
673 // their results.
674 // In general, code should call EscapedPath instead of
675 // reading u.RawPath directly.
676 func (u *URL) EscapedPath() string {
677 if u.RawPath != "" && validEncodedPath(u.RawPath) {
678 p, err := unescape(u.RawPath, encodePath)
679 if err == nil && p == u.Path {
680 return u.RawPath
683 if u.Path == "*" {
684 return "*" // don't escape (Issue 11202)
686 return escape(u.Path, encodePath)
689 // validEncodedPath reports whether s is a valid encoded path.
690 // It must not contain any bytes that require escaping during path encoding.
691 func validEncodedPath(s string) bool {
692 for i := 0; i < len(s); i++ {
693 // RFC 3986, Appendix A.
694 // pchar = unreserved / pct-encoded / sub-delims / ":" / "@".
695 // shouldEscape is not quite compliant with the RFC,
696 // so we check the sub-delims ourselves and let
697 // shouldEscape handle the others.
698 switch s[i] {
699 case '!', '$', '&', '\'', '(', ')', '*', '+', ',', ';', '=', ':', '@':
700 // ok
701 case '[', ']':
702 // ok - not specified in RFC 3986 but left alone by modern browsers
703 case '%':
704 // ok - percent encoded, will decode
705 default:
706 if shouldEscape(s[i], encodePath) {
707 return false
711 return true
714 // validOptionalPort reports whether port is either an empty string
715 // or matches /^:\d*$/
716 func validOptionalPort(port string) bool {
717 if port == "" {
718 return true
720 if port[0] != ':' {
721 return false
723 for _, b := range port[1:] {
724 if b < '0' || b > '9' {
725 return false
728 return true
731 // String reassembles the URL into a valid URL string.
732 // The general form of the result is one of:
734 // scheme:opaque?query#fragment
735 // scheme://userinfo@host/path?query#fragment
737 // If u.Opaque is non-empty, String uses the first form;
738 // otherwise it uses the second form.
739 // To obtain the path, String uses u.EscapedPath().
741 // In the second form, the following rules apply:
742 // - if u.Scheme is empty, scheme: is omitted.
743 // - if u.User is nil, userinfo@ is omitted.
744 // - if u.Host is empty, host/ is omitted.
745 // - if u.Scheme and u.Host are empty and u.User is nil,
746 // the entire scheme://userinfo@host/ is omitted.
747 // - if u.Host is non-empty and u.Path begins with a /,
748 // the form host/path does not add its own /.
749 // - if u.RawQuery is empty, ?query is omitted.
750 // - if u.Fragment is empty, #fragment is omitted.
751 func (u *URL) String() string {
752 var buf strings.Builder
753 if u.Scheme != "" {
754 buf.WriteString(u.Scheme)
755 buf.WriteByte(':')
757 if u.Opaque != "" {
758 buf.WriteString(u.Opaque)
759 } else {
760 if u.Scheme != "" || u.Host != "" || u.User != nil {
761 if u.Host != "" || u.Path != "" || u.User != nil {
762 buf.WriteString("//")
764 if ui := u.User; ui != nil {
765 buf.WriteString(ui.String())
766 buf.WriteByte('@')
768 if h := u.Host; h != "" {
769 buf.WriteString(escape(h, encodeHost))
772 path := u.EscapedPath()
773 if path != "" && path[0] != '/' && u.Host != "" {
774 buf.WriteByte('/')
776 if buf.Len() == 0 {
777 // RFC 3986 §4.2
778 // A path segment that contains a colon character (e.g., "this:that")
779 // cannot be used as the first segment of a relative-path reference, as
780 // it would be mistaken for a scheme name. Such a segment must be
781 // preceded by a dot-segment (e.g., "./this:that") to make a relative-
782 // path reference.
783 if i := strings.IndexByte(path, ':'); i > -1 && strings.IndexByte(path[:i], '/') == -1 {
784 buf.WriteString("./")
787 buf.WriteString(path)
789 if u.ForceQuery || u.RawQuery != "" {
790 buf.WriteByte('?')
791 buf.WriteString(u.RawQuery)
793 if u.Fragment != "" {
794 buf.WriteByte('#')
795 buf.WriteString(escape(u.Fragment, encodeFragment))
797 return buf.String()
800 // Values maps a string key to a list of values.
801 // It is typically used for query parameters and form values.
802 // Unlike in the http.Header map, the keys in a Values map
803 // are case-sensitive.
804 type Values map[string][]string
806 // Get gets the first value associated with the given key.
807 // If there are no values associated with the key, Get returns
808 // the empty string. To access multiple values, use the map
809 // directly.
810 func (v Values) Get(key string) string {
811 if v == nil {
812 return ""
814 vs := v[key]
815 if len(vs) == 0 {
816 return ""
818 return vs[0]
821 // Set sets the key to value. It replaces any existing
822 // values.
823 func (v Values) Set(key, value string) {
824 v[key] = []string{value}
827 // Add adds the value to key. It appends to any existing
828 // values associated with key.
829 func (v Values) Add(key, value string) {
830 v[key] = append(v[key], value)
833 // Del deletes the values associated with key.
834 func (v Values) Del(key string) {
835 delete(v, key)
838 // ParseQuery parses the URL-encoded query string and returns
839 // a map listing the values specified for each key.
840 // ParseQuery always returns a non-nil map containing all the
841 // valid query parameters found; err describes the first decoding error
842 // encountered, if any.
844 // Query is expected to be a list of key=value settings separated by
845 // ampersands or semicolons. A setting without an equals sign is
846 // interpreted as a key set to an empty value.
847 func ParseQuery(query string) (Values, error) {
848 m := make(Values)
849 err := parseQuery(m, query)
850 return m, err
853 func parseQuery(m Values, query string) (err error) {
854 for query != "" {
855 key := query
856 if i := strings.IndexAny(key, "&;"); i >= 0 {
857 key, query = key[:i], key[i+1:]
858 } else {
859 query = ""
861 if key == "" {
862 continue
864 value := ""
865 if i := strings.Index(key, "="); i >= 0 {
866 key, value = key[:i], key[i+1:]
868 key, err1 := QueryUnescape(key)
869 if err1 != nil {
870 if err == nil {
871 err = err1
873 continue
875 value, err1 = QueryUnescape(value)
876 if err1 != nil {
877 if err == nil {
878 err = err1
880 continue
882 m[key] = append(m[key], value)
884 return err
887 // Encode encodes the values into ``URL encoded'' form
888 // ("bar=baz&foo=quux") sorted by key.
889 func (v Values) Encode() string {
890 if v == nil {
891 return ""
893 var buf strings.Builder
894 keys := make([]string, 0, len(v))
895 for k := range v {
896 keys = append(keys, k)
898 sort.Strings(keys)
899 for _, k := range keys {
900 vs := v[k]
901 keyEscaped := QueryEscape(k)
902 for _, v := range vs {
903 if buf.Len() > 0 {
904 buf.WriteByte('&')
906 buf.WriteString(keyEscaped)
907 buf.WriteByte('=')
908 buf.WriteString(QueryEscape(v))
911 return buf.String()
914 // resolvePath applies special path segments from refs and applies
915 // them to base, per RFC 3986.
916 func resolvePath(base, ref string) string {
917 var full string
918 if ref == "" {
919 full = base
920 } else if ref[0] != '/' {
921 i := strings.LastIndex(base, "/")
922 full = base[:i+1] + ref
923 } else {
924 full = ref
926 if full == "" {
927 return ""
929 var dst []string
930 src := strings.Split(full, "/")
931 for _, elem := range src {
932 switch elem {
933 case ".":
934 // drop
935 case "..":
936 if len(dst) > 0 {
937 dst = dst[:len(dst)-1]
939 default:
940 dst = append(dst, elem)
943 if last := src[len(src)-1]; last == "." || last == ".." {
944 // Add final slash to the joined path.
945 dst = append(dst, "")
947 return "/" + strings.TrimPrefix(strings.Join(dst, "/"), "/")
950 // IsAbs reports whether the URL is absolute.
951 // Absolute means that it has a non-empty scheme.
952 func (u *URL) IsAbs() bool {
953 return u.Scheme != ""
956 // Parse parses a URL in the context of the receiver. The provided URL
957 // may be relative or absolute. Parse returns nil, err on parse
958 // failure, otherwise its return value is the same as ResolveReference.
959 func (u *URL) Parse(ref string) (*URL, error) {
960 refurl, err := Parse(ref)
961 if err != nil {
962 return nil, err
964 return u.ResolveReference(refurl), nil
967 // ResolveReference resolves a URI reference to an absolute URI from
968 // an absolute base URI u, per RFC 3986 Section 5.2. The URI reference
969 // may be relative or absolute. ResolveReference always returns a new
970 // URL instance, even if the returned URL is identical to either the
971 // base or reference. If ref is an absolute URL, then ResolveReference
972 // ignores base and returns a copy of ref.
973 func (u *URL) ResolveReference(ref *URL) *URL {
974 url := *ref
975 if ref.Scheme == "" {
976 url.Scheme = u.Scheme
978 if ref.Scheme != "" || ref.Host != "" || ref.User != nil {
979 // The "absoluteURI" or "net_path" cases.
980 // We can ignore the error from setPath since we know we provided a
981 // validly-escaped path.
982 url.setPath(resolvePath(ref.EscapedPath(), ""))
983 return &url
985 if ref.Opaque != "" {
986 url.User = nil
987 url.Host = ""
988 url.Path = ""
989 return &url
991 if ref.Path == "" && ref.RawQuery == "" {
992 url.RawQuery = u.RawQuery
993 if ref.Fragment == "" {
994 url.Fragment = u.Fragment
997 // The "abs_path" or "rel_path" cases.
998 url.Host = u.Host
999 url.User = u.User
1000 url.setPath(resolvePath(u.EscapedPath(), ref.EscapedPath()))
1001 return &url
1004 // Query parses RawQuery and returns the corresponding values.
1005 // It silently discards malformed value pairs.
1006 // To check errors use ParseQuery.
1007 func (u *URL) Query() Values {
1008 v, _ := ParseQuery(u.RawQuery)
1009 return v
1012 // RequestURI returns the encoded path?query or opaque?query
1013 // string that would be used in an HTTP request for u.
1014 func (u *URL) RequestURI() string {
1015 result := u.Opaque
1016 if result == "" {
1017 result = u.EscapedPath()
1018 if result == "" {
1019 result = "/"
1021 } else {
1022 if strings.HasPrefix(result, "//") {
1023 result = u.Scheme + ":" + result
1026 if u.ForceQuery || u.RawQuery != "" {
1027 result += "?" + u.RawQuery
1029 return result
1032 // Hostname returns u.Host, without any port number.
1034 // If Host is an IPv6 literal with a port number, Hostname returns the
1035 // IPv6 literal without the square brackets. IPv6 literals may include
1036 // a zone identifier.
1037 func (u *URL) Hostname() string {
1038 return stripPort(u.Host)
1041 // Port returns the port part of u.Host, without the leading colon.
1042 // If u.Host doesn't contain a port, Port returns an empty string.
1043 func (u *URL) Port() string {
1044 return portOnly(u.Host)
1047 func stripPort(hostport string) string {
1048 colon := strings.IndexByte(hostport, ':')
1049 if colon == -1 {
1050 return hostport
1052 if i := strings.IndexByte(hostport, ']'); i != -1 {
1053 return strings.TrimPrefix(hostport[:i], "[")
1055 return hostport[:colon]
1058 func portOnly(hostport string) string {
1059 colon := strings.IndexByte(hostport, ':')
1060 if colon == -1 {
1061 return ""
1063 if i := strings.Index(hostport, "]:"); i != -1 {
1064 return hostport[i+len("]:"):]
1066 if strings.Contains(hostport, "]") {
1067 return ""
1069 return hostport[colon+len(":"):]
1072 // Marshaling interface implementations.
1073 // Would like to implement MarshalText/UnmarshalText but that will change the JSON representation of URLs.
1075 func (u *URL) MarshalBinary() (text []byte, err error) {
1076 return []byte(u.String()), nil
1079 func (u *URL) UnmarshalBinary(text []byte) error {
1080 u1, err := Parse(string(text))
1081 if err != nil {
1082 return err
1084 *u = *u1
1085 return nil
1088 // validUserinfo reports whether s is a valid userinfo string per RFC 3986
1089 // Section 3.2.1:
1090 // userinfo = *( unreserved / pct-encoded / sub-delims / ":" )
1091 // unreserved = ALPHA / DIGIT / "-" / "." / "_" / "~"
1092 // sub-delims = "!" / "$" / "&" / "'" / "(" / ")"
1093 // / "*" / "+" / "," / ";" / "="
1095 // It doesn't validate pct-encoded. The caller does that via func unescape.
1096 func validUserinfo(s string) bool {
1097 for _, r := range s {
1098 if 'A' <= r && r <= 'Z' {
1099 continue
1101 if 'a' <= r && r <= 'z' {
1102 continue
1104 if '0' <= r && r <= '9' {
1105 continue
1107 switch r {
1108 case '-', '.', '_', ':', '~', '!', '$', '&', '\'',
1109 '(', ')', '*', '+', ',', ';', '=', '%', '@':
1110 continue
1111 default:
1112 return false
1115 return true