在 Go 中从内存提供静态文件
Web 应用程序通常需要提供静态文件,例如 JavaScript、CSS 和图像。通常,Go 中使用 FileServer 处理程序来实现此目的。但是,在某些情况下,在二进制文件中嵌入一些静态文件并从内存中提供它们会更有效。
一种方法是利用自定义 FileSystem 接口实现。 FileServer 的构造函数需要一个 FileSystem。虽然 http.Dir 通常用于创建文件系统,但也可以实现我们自己的。
InMemoryFS 实现
以下 InMemoryFS 实现模拟内存中的文件系统:
type InMemoryFS map[string]http.File func (fs InMemoryFS) Open(name string) (http.File, error) { if f, ok := fs[name]; ok { return f, nil } panic("No file") }
内存文件实现
InMemoryFile 结构体充当 InMemoryFS 中的文件:
type InMemoryFile struct { at int64 Name string data []byte fs InMemoryFS } func LoadFile(name string, val string, fs InMemoryFS) *InMemoryFile { return &InMemoryFile{at: 0, Name: name, data: []byte(val), fs: fs} }
请注意,此实现有一定的限制,主要用于演示目的。
从内存中提供静态文件
一次InMemoryFS 实现后,我们可以从内存中提供静态文件:
FS := make(InMemoryFS) FS["foo.html"] = LoadFile("foo.html", HTML, FS) FS["bar.css"] = LoadFile("bar.css", CSS, FS) http.Handle("/", http.FileServer(FS)) http.ListenAndServe(":8080", nil)
替代方法
或者,可以修改 FileSystem 接口,而不是重新实现 FileSystem 接口用于从内存中提供文件的文件服务器处理程序。这对于更简单的用例来说可能更方便。
结论
通过使用自定义 FileServer 实现或重新实现 FileSystem 接口,可以嵌入和提供静态文件Go 应用程序中的内存。当部署少量不需要复杂文件服务逻辑的静态文件时,这种方法非常有用。
以上是如何在 Go 中从内存提供静态文件?的详细内容。更多信息请关注PHP中文网其他相关文章!