我有一个收到post请求的gin应用程序,其中包含我想要读取而不保存它的csv文件。我被困在这里,试图从post请求中读取以下错误信息:cannot use file (variable of type *multipart.FileHeader) as io.Reader value in argument to csv.NewReader: missing method Read
file, err := c.FormFile("file")
if err != nil {
errList["Invalid_body"] = "Unable to get request"
c.JSON(http.StatusUnprocessableEntity, gin.H{
"status": http.StatusUnprocessableEntity,
"error": errList,
})
}
r := csv.NewReader(file) // <= Error message
records, err := r.ReadAll()
for _, record := range records {
fmt.Println(record)
}
有没有我可以用的好例子?
首先读取文件和头
csvPartFile, csvHeader, openErr := r.FormFile("file")
if openErr != nil {
// handle error
}
然后从文件
中读取行csvLines, readErr := csv.NewReader(csvPartFile).ReadAll()
if readErr != nil {
//handle error
}
可以遍历记录
的行for _, line := range csvLines {
fmt.Println(line)
}
正如其他答案所提到的,您应该先进行Open()
。
最新版本的gin.Context.FromFile(string)
似乎只返回两个值。
这对我很有用:
func (c *gin.Context) {
file_ptr, err := c.FormFile("file")
if err != nil {
log.Println(err.Error())
c.Status(http.StatusUnprocessableEntity)
return
}
log.Println(file_ptr.Filename)
file, err := file_ptr.Open()
if err != nil {
log.Println(err.Error())
c.Status(http.StatusUnprocessableEntity)
return
}
defer file.Close()
records, err := csv.NewReader(file).ReadAll()
if err != nil {
log.Println(err.Error())
c.Status(http.StatusUnprocessableEntity)
return
}
for _, line := range records {
fmt.Println(line)
}
}