我有这个图片网址:
/book/cover/Computer_Science.png
但图像的位置实际上存在于
/uploads/img/Computer_Science.png
我正在使用Gin 框架。send_from_directory()
在 Gin 或内置 Golang 函数中是否有类似 Flask 的命令?
如果没有,你能分享一个如何做的片段吗?
谢谢!
使用杜松子酒Context.File
来提供文件内容。此方法在内部调用http.ServeFile内置函数。代码片段将是:
import "path/filepath"
// ...
router := gin.Default()
// ...
router.GET("/book/cover/:filename", func(c *gin.Context) {
rootDir := "/uploads/img/"
name := c.Param("filename")
filePath, err := filepath.Abs(rootDir + name)
if err != nil {
c.AbortWithStatus(404)
}
//Only allow access to file/directory under rootDir
//The following code is for ilustration since HasPrefix is deprecated.
//Replace with correct one when https://github.com/golang/dep/issues/296 fixed
if !filepath.HasPrefix(filePath, rootDir) {
c.AbortWithStatus(404)
}
c.File(filePath)
})
更新
正如 zerkms 所指出的,路径名必须在传递之前进行清理Context.File
。片段中添加了简单的消毒剂。请适应您的需求。