go http学习笔记

go http学习笔记

@[goweb, go, http]

1.go http基础

  • go http服务器简例
package main
import (
    "net/http"
    "io"
)
func helloHandler(w http.ResponseWriter,req *http.Request)  {
    io.WriteString(w,"hello,world!\n")
}
func main()  {
    http.HandleFunc("/",helloHandler)
    http.ListenAndServe(":12345",nil)
}
  • handler接口,go http中最基础的东西,我们常常需要写的就是实现handler接口的类型
type Handler interface{
    ServeHTTP(ResponseWriter,*Request)
}

只要实现了ServeHTTP方法的类型都可以作为handler

  • 写一个handler,传给http.HandlerFunc作为第二个参数就可以了
func helloHandler(w ResponseWriter,res *Request){
    io.WriteString(w,"hello,world!\n")
}
func main(){
    http.HandleFunc("/",helloHandler)
    http.ListenAndServe(":12345",nil)
}

main函数中的部分也可以写成:

hh:=http.HandlerFunc(helloHandler)
http.Handle("/",hh)
http.ListenAndServe(":12345",nil)
  • net/http提供了一些handler的实现,比如负责文件hosting的FileServer、负责404的NotFoundHandler和负责重定向的RedirectHandler

2.路由

net/http有一个很重要的概念ServeMuxMuxMultiplexor的缩写,意思就是多路传输(请求传过来,根据某种判断,分流到后端多个不同的地方。ServeMux可以注册多个URL和Handler的对应关系,并自动把请求转发到对应的handler进行处理。比如用户请求的URL是/hello就返回hello,world,否则就返回用户的路径,路径是从请求对象http.Requests中提取的。实现如下:

package main
import(
    "io"
    "net/http"
)
func helloHandler(w http.ResponseWriter,res *http.Request){
    io.WriteString(w,"Hello,World!\n")
}
func echoHandler(w http.ResponseWriter,res *http.Request){
    io.WriteString(w,res.URL.Path)
}
func main(){
    mux:=http.NewServeMux()//通过NewServeMux生成了SerMux结构,URL和handler是通过它注册的
    mux.HandleFunc("/hello",helloHandler)
    mux.HandleFunc("/",echoHandler)
    http.ListenAndServe(":12345",mux)//ServeMux也是handler接口的实现,这里的mux也是Handler类
}

关于ServerMux,有几点要说明:

  • URL分为两种,末尾是/表示一个子树,后面可以跟其他路径,末尾不是/表示一个叶子,固定的路径
  • /结尾的URL可以匹配它的任何子路径,比如/images会匹配/images/cute-cat.jpg
  • 采用最长匹配原则,如果有多个匹配,一定匹配路径最长的那个进行处理。
  • 若无匹配,返回404
  • 可以识别...正确转换成对于的URL地址。

以上基本涵盖了构建HTTP服务端的所有内容,基本不超出这个范围,其他的就是和语言无关的网络基础了。

你可能感兴趣的:(go http学习笔记)