如何从 Gin 中的任何端点处理程序获取完整服务器 URL
How to get full server URL from any endpoint handler in Gin
我正在使用 Go 的 Gin Web 框架创建端点。我的处理程序函数中需要完整的服务器 URL。例如,如果服务器是 http://localhost:8080
上的 运行,而我的端点是 /foo
,那么当我的处理程序被调用时我需要 http://localhost:8080/foo
。
如果有人熟悉 Python 的快速 API,Request
对象有一个方法 url_for(<endpoint_name>)
,它具有完全相同的功能:
在 Go 中,我尝试访问 context.FullPath()
,但那只是 returns 我的端点 /foo
而不是完整的 URL。除此之外,我在文档中找不到合适的方法:https://pkg.go.dev/github.com/gin-gonic/gin#Context
那么这可以通过 gin.Context
对象本身实现吗?还有其他方法吗?我是 Go 的新手。
c.Request.Host+c.Request.URL.Path
应该可行,但必须确定方案。
package main
import (
"fmt"
"github.com/gin-gonic/gin"
)
func main() {
r := gin.Default()
r.GET("/foo", func(c *gin.Context) {
fmt.Println("The URL: ", c.Request.Host+c.Request.URL.Path)
})
r.Run(":8080")
}
您可以确定您可能已经知道的方案。但您可以按如下方式检查:
scheme := "http"
if c.Request.TLS != nil {
scheme = "https"
}
如果你的服务器在代理后面,你可以通过c.Request.Header.Get("X-Forwarded-Proto")
获取方案
您可以从 context.Request.Host
获得 host
部分 localhost:8080
,从 context.Request.URL.String()
获得 path
部分 /foo
。
package main
import (
"fmt"
"net/http"
"github.com/gin-gonic/gin"
)
func main() {
r := gin.Default()
r.GET("/foo", func(c *gin.Context) {
c.String(http.StatusOK, "bar")
fmt.Println(c.Request.Host+c.Request.URL.String())
})
// Listen and Server in 0.0.0.0:8080
r.Run(":8080")
}
并且可以通过context.Request.Proto
获取http协议版本,但不会确定http or https
。您需要从您的服务规范中获取它。
我正在使用 Go 的 Gin Web 框架创建端点。我的处理程序函数中需要完整的服务器 URL。例如,如果服务器是 http://localhost:8080
上的 运行,而我的端点是 /foo
,那么当我的处理程序被调用时我需要 http://localhost:8080/foo
。
如果有人熟悉 Python 的快速 API,Request
对象有一个方法 url_for(<endpoint_name>)
,它具有完全相同的功能:
在 Go 中,我尝试访问 context.FullPath()
,但那只是 returns 我的端点 /foo
而不是完整的 URL。除此之外,我在文档中找不到合适的方法:https://pkg.go.dev/github.com/gin-gonic/gin#Context
那么这可以通过 gin.Context
对象本身实现吗?还有其他方法吗?我是 Go 的新手。
c.Request.Host+c.Request.URL.Path
应该可行,但必须确定方案。
package main
import (
"fmt"
"github.com/gin-gonic/gin"
)
func main() {
r := gin.Default()
r.GET("/foo", func(c *gin.Context) {
fmt.Println("The URL: ", c.Request.Host+c.Request.URL.Path)
})
r.Run(":8080")
}
您可以确定您可能已经知道的方案。但您可以按如下方式检查:
scheme := "http"
if c.Request.TLS != nil {
scheme = "https"
}
如果你的服务器在代理后面,你可以通过c.Request.Header.Get("X-Forwarded-Proto")
您可以从 context.Request.Host
获得 host
部分 localhost:8080
,从 context.Request.URL.String()
获得 path
部分 /foo
。
package main
import (
"fmt"
"net/http"
"github.com/gin-gonic/gin"
)
func main() {
r := gin.Default()
r.GET("/foo", func(c *gin.Context) {
c.String(http.StatusOK, "bar")
fmt.Println(c.Request.Host+c.Request.URL.String())
})
// Listen and Server in 0.0.0.0:8080
r.Run(":8080")
}
并且可以通过context.Request.Proto
获取http协议版本,但不会确定http or https
。您需要从您的服务规范中获取它。