当然,这会起作用,但请记住,您只会在您拥有特定服务的 pod 的节点上接收流量(在您的情况下Service NodePort
)。
如果你使用 Golang
现在,这应该适用于 L4 或 L7 流量。如果您使用 Golang,如何获取它的示例是查看 X-Forwarded-For HTTP 标头:
package main
import (
"encoding/json"
"net/http"
)
func main() {
http.HandleFunc("/", ExampleHandler)
if err := http.ListenAndServe(":8080", nil); err != nil {
panic(err)
}
}
func ExampleHandler(w http.ResponseWriter, r *http.Request) {
w.Header().Add("Content-Type", "application/json")
resp, _ := json.Marshal(map[string]string{
"ip": GetIP(r),
})
w.Write(resp)
}
// GetIP gets a requests IP address by reading off the forwarded-for
// header (for proxies) and falls back to use the remote address.
func GetIP(r *http.Request) string {
forwarded := r.Header.Get("X-FORWARDED-FOR")
if forwarded != "" {
return forwarded
}
return r.RemoteAddr
}
此外,这里还有一个如何获取 L4 服务 (TCP) 的示例。
✌️