我目前正在用 Go 编写一些与 REST API 交互的软件。我试图查询的 REST API 端点返回一个 HTTP 302重定向和一个 HTTP Location 头,指向一个资源 URI。
我正在尝试使用 Go 脚本获取 HTTP Location 标头,以便以后处理。
下面是我目前为实现这一功能所做的工作:
package main
import (
"errors"
"fmt"
"io/ioutil"
"net/http"
)
var BASE_URL = "https://api.example.com/v1"
var STORMPATH_API_KEY_ID = "xxx"
var STORMPATH_API_KEY_SECRET = "xxx"
func noRedirect(req *http.Request, via []*http.Request) error {
return errors.New("Don't redirect!")
}
func main() {
client := &http.Client{
CheckRedirect: noRedirect
}
req, err := http.NewRequest("GET", BASE_URL+"/tenants/current", nil)
req.SetBasicAuth(EXAMPLE_API_KEY_ID, EXAMPLE_API_KEY_SECRET)
resp, err := client.Do(req)
// If we get here, it means one of two things: either this http request
// actually failed, or we got an http redirect response, and should process it.
if err != nil {
if resp.StatusCode == 302 {
fmt.Println("got redirect")
} else {
panic("HTTP request failed.")
}
}
defer resp.Body.Close()
}
我觉得这有点像黑客。通过重写 http.Client
的 CheckRedirect
函数,我实际上被迫把 HTTP 重定向当作错误(它们不是错误)来对待。
我看到其他一些地方建议使用 HTTP 传输而不是 HTTP 客户机——但是我不确定如何使这个工作,因为我需要 HTTP 客户机,因为我需要使用 HTTP 基本认证来与这个 REST API 通信。
你们有谁能告诉我一种使用基本身份验证(Basic Authentication)发出 HTTP 请求的方法——同时不遵循重定向——这种方法不涉及抛出错误和错误处理?