我需要获取从前端接收后端的某些文件的文件名。后端(在Go中实现(将以io.ReadCloser
的形式接收该文件。有没有办法从io.ReadCloser
中提取它?
Backend(在Go中实现(将以io.ReadCloser的形式接收文件。有没有办法从io.ReadCloser中提取它?
否。
看看io.ReadCloser通过运行go doc io.ReadCloser
提供了哪些方法,并注意到没有一个方法可以提供名称。所以,除非你只知道这是一个io。走近一点,你根本做不到。
package main
import (
"errors"
"fmt"
"io"
"os"
)
func fatalln(err error) {
fmt.Fprintln(os.Stderr, err)
os.Exit(1)
}
// hasName interface is an interface that expects types
// that implements it to have "Name() string" method.
type hasName interface {
Name() string
}
func open(name string) (io.ReadCloser, error) {
f, err := os.Open(name)
if err != nil {
return nil, err
}
// f implements io.ReadCloser interface as *os.File
// has Read and Close methods.
return f, nil
}
func main() {
// rc is of the type io.ReadCloser
rc, err := open("example.txt")
if err != nil {
fatalln(err)
}
defer rc.Close()
// Type assetion to check rc's underlying type has
// a method "Name() string".
f, ok := rc.(hasName)
if !ok {
fatalln(errors.New("type assertion failed"))
}
// Yay, type assertion succeeded. Print the name!
fmt.Println("Name:", f.Name())
}
这里的io.ReadCloser
是一个用于运行时读取器的读取器,它在前端将文件发送到后端时从网络中读取文件。您必须处理请求本身才能获得该文件名。这是一种假设,但在大多数文件上传的情况下,请求是一个多部分请求。如果您有同样的情况,您可以读取标头,通常是Content-Disposition
,以识别文件类型。Go原生http.Request
具有解析详细信息的能力。你可以试试这个:
formFile, handler, err := r.FormFile("file") // read file from network with key "file"
defer formFile.Close()
fileName := handler.Filename // Get file name
通过定义嵌入io.Reader
的接口,您可以预先要求Name()
方法:
package main
import (
"fmt"
"io"
"log"
"os"
)
type NamedReadCloser interface {
io.ReadCloser
Name() string
}
func doThings(f NamedReadCloser) error {
defer f.Close()
b, err := io.ReadAll(f)
if err != nil {
return err
}
fmt.Printf("Name: %s, Content: %sn", f.Name(), b)
return nil
}
func main() {
f, err := os.Open("/etc/hosts")
if err != nil {
log.Fatal("Cannot open file: ", err)
}
err = doThings(f)
if err != nil {
log.Fatal("Error doing things: ", err)
}
}
只有当传入的具有名称方法(如*os.File
(时,这才会起作用。如果没有,那么你想做的就是不可能的。
您必须使用Name
方法将其强制转换为类型:
package main
import (
"io"
"os"
)
func open(name string) (io.ReadCloser, error) {
return os.Open(name)
}
func main() {
c, e := open("file.txt")
if e != nil {
panic(e)
}
defer c.Close()
f := c.(*os.File)
println(f.Name())
}