我可以像这样在Golang文件末尾添加新内容
f, err := os.OpenFile(filename, os.O_APPEND|os.O_WRONLY, 0600)
if err != nil {
panic(err)
}
defer f.Close()
if _, err = f.WriteString(text); err != nil {
panic(err)
}
但是如何在文件中间或某些特定行或文本之后附加内容?
答案 0 :(得分:1)
在磁盘上,文件(字节序列)的存储方式类似于数组。
因此,附加到文件的中间位置需要将字节移动到写入点之后。
然后,假设您有一个要附加索引的索引idx
,还有一些要写入的字节b
。在文件中间附加最简单(但不一定最有效)的方法包括读取f[idx:]
处的文件,将b
写入f[idx:idx+len(b)]
,然后写入您要第一步请阅读:
// idx is the index you want to write to, b is the bytes you want to write
// warning from https://godoc.org/os#File.Seek:
// "The behavior of Seek on a file opened with O_APPEND is not specified."
// so you should not pass O_APPEND when you are using the file this way
if _, err := f.Seek(idx, 0); err != nil {
panic(err)
}
remainder, err := ioutil.ReadAll(f)
if err != nil {
panic(err)
}
f.Seek(idx, 0)
f.Write(b)
f.Write(remainder)
根据您的操作,逐行读取文件并将调整后的行写入新文件,然后将新文件重命名为旧文件名可能更有意义。