查阅了r *http.Request对象中的所有属性,没有发现可以直接获取完整的url的方法。于是尝试根据host和请求地址进行拼接。在golang中可以通过r.Host获取hostname,r.RequestURI获取相应的请求地址。
但是还少一个协议的判断,怎么区分是http和https呢?一开始尝试通过r.Proto属性判断,但是发现该属性不管是http,还是https都是返回HTTP/1.1,又寻找了下发现TLS属性,在https协议下有对应值,在http下为nil。
上完整代码:
package main import ( "fmt" "log" "net/http" "strings" ) func index(w http.ResponseWriter, r *http.Request) { fmt.Println(r.Proto) // output:HTTP/1.1 fmt.Println(r.TLS) // output: <nil> fmt.Println(r.Host) // output: localhost:9090 fmt.Println(r.RequestURI) // output: /index?id=1 scheme := "http://" if r.TLS != nil { scheme = "https://" } fmt.Println(strings.Join([]string{scheme, r.Host, r.RequestURI}, "")) // output: http://localhost:9090/index?id=1 } func main() { http.HandleFunc("/index", index) err := http.ListenAndServe(":9090", nil) if err != nil { log.Fatal("ListenAndServe: ", err) } }
有话要说