在Golang中,我们经常需要使用HTTP协议进行数据交互。在HTTP请求中,请求参数是非常常见的,因此正确的请求参数格式对于后端开发人员来说是非常重要的。

那么,Golang中的请求参数格式有哪些呢?下面将通过代码示例来详细介绍。

表单形式请求参数

表单形式请求参数是最常见的请求参数形式之一。通常场景下,我们会使用POST请求来发送表单数据,请求参数会被封装在请求体中。

net/http
package main

import (
    "log"
    "net/http"
)

func main() {
    http.HandleFunc("/login", func(w http.ResponseWriter, r *http.Request) {
        username := r.PostFormValue("username")
        password := r.PostFormValue("password")
        log.Printf("username: %s, password: %s", username, password)
    })

    log.Fatal(http.ListenAndServe(":8080", nil))
}
r.PostFormValue()

JSON形式请求参数

除了表单形式请求参数之外,还有一种常见的请求参数形式是JSON。在RESTful API中,JSON格式的请求参数已经成为了行业标准。

encoding/json
package main

import (
    "encoding/json"
    "log"
    "net/http"
)

type User struct {
    Username string `json:"username"`
    Password string `json:"password"`
}

func main() {
    http.HandleFunc("/login", func(w http.ResponseWriter, r *http.Request) {
        var user User
        err := json.NewDecoder(r.Body).Decode(&user)
        if err != nil {
            http.Error(w, err.Error(), http.StatusBadRequest)
            return
        }
        log.Printf("username: %s, password: %s", user.Username, user.Password)
    })

    log.Fatal(http.ListenAndServe(":8080", nil))
}
Userjson.NewDecoder()

Query参数

http://example.com/path?name=valuenet/url
package main

import (
    "log"
    "net/http"
    "net/url"
)

func main() {
    http.HandleFunc("/search", func(w http.ResponseWriter, r *http.Request) {
        query := r.URL.Query()
        name := query.Get("name")
        minPrice := query.Get("minPrice")
        maxPrice := query.Get("maxPrice")

        log.Printf("name: %s, minPrice: %s, maxPrice: %s", name, minPrice, maxPrice)
    })

    log.Fatal(http.ListenAndServe(":8080", nil))
}
r.URL.Query()Get()

Path参数

http://example.com/path/{name}net/http
package main

import (
    "log"
    "net/http"
    "regexp"
)

func main() {
    http.HandleFunc("/users/", func(w http.ResponseWriter, r *http.Request) {
        re := regexp.MustCompile(`/users/(d+)`)
        match := re.FindStringSubmatch(r.URL.Path)
        if match == nil {
            http.NotFound(w, r)
            return
        }

        id := match[1]
        log.Printf("user id: %s", id)
    })

    log.Fatal(http.ListenAndServe(":8080", nil))
}
/users/(d+)FindStringSubmatch()

总结

以上就是Golang中请求参数的常见格式及其例子。根据自己的实际需要,选择合适的请求参数格式来进行数据传递,可以使我们的应用更加高效和稳定。