Go 中的文件复制:超越基础知识
Go 中文件复制的简单性可能会产生误导。虽然 os.Link() 函数提供了一种据称有效的方法,但其局限性需要更全面的方法。
Link() 怪癖
Os.Link() 创建两个文件之间的硬链接,避免了字节传输的开销。然而,这种方法有其固有的局限性。不同的操作系统对硬链接施加不同的限制。在某些情况下,Link() 调用可能会失败。
强大的文件复制
为了实现稳健且高效的复制,建议执行以下步骤:
在某些情况下,您可能更喜欢使用单独的函数进行同步(阻塞)和异步(非阻塞)复制。
优化示例
下面的代码片段实现了一个全面的文件复制函数 CopyFile(),包含建议的步骤:
package main import ( "fmt" "io" "os" ) // CopyFile implements a robust and efficient file copy. func CopyFile(src, dst string) (err error) { sfi, err := os.Stat(src) if err != nil { return err } if !sfi.Mode().IsRegular() { return fmt.Errorf("CopyFile: Non-regular source file %s (%q)", sfi.Name(), sfi.Mode()) } dfi, err := os.Stat(dst) if err != nil { if os.IsNotExist(err) { return nil // Destination file doesn't exist, so no copying required. } return err } if !(dfi.Mode().IsRegular()) { return fmt.Errorf("CopyFile: Non-regular destination file %s (%q)", dfi.Name(), dfi.Mode()) } if os.SameFile(sfi, dfi) { return nil // Files are identical, so no copying required. } if err = os.Link(src, dst); err == nil { return nil // Hard link succeeded. } err = copyFileContents(src, dst) return err } // copyFileContents performs a byte-wise copy of the source file to the destination file. func copyFileContents(src, dst string) error { in, err := os.Open(src) if err != nil { return err } defer in.Close() out, err := os.Create(dst) if err != nil { return err } defer func() { if err == nil { err = out.Close() } }() if _, err = io.Copy(out, in); err != nil { return err } return out.Sync() }
该函数结合了效率、鲁棒性和对各种边缘情况的处理。
以上是如何超越 os.Link() 实现稳健高效的文件复制?的详细内容。更多信息请关注PHP中文网其他相关文章!