go语言将txt文件第四行第五行数据替换为已定义好的两个长字符串,并且保存为新文件
时间: 2024-02-24 10:53:07 浏览: 56
替换一个文本文件中的字符串
可以通过以下代码实现:
```go
package main
import (
"bufio"
"fmt"
"os"
)
func main() {
// 打开原始文本文件
file, err := os.Open("original.txt")
if err != nil {
panic(err)
}
defer file.Close()
// 创建新文件
newFile, err := os.Create("new.txt")
if err != nil {
panic(err)
}
defer newFile.Close()
// 定义要替换的两行数据
line4 := "This is the fourth line of replacement."
line5 := "This is the fifth line of replacement."
// 逐行读取原始文本文件并替换指定两行数据
scanner := bufio.NewScanner(file)
lineNum := 1
for scanner.Scan() {
line := scanner.Text()
if lineNum == 4 {
fmt.Fprintln(newFile, line4)
} else if lineNum == 5 {
fmt.Fprintln(newFile, line5)
} else {
fmt.Fprintln(newFile, line)
}
lineNum++
}
if err := scanner.Err(); err != nil {
panic(err)
}
}
```
上述代码将原始文本文件中的第四行和第五行数据分别替换为 `line4` 和 `line5`,并将修改后的文本写入到新文件中。注意,这里同样是创建了一个新文件来保存修改后的内容。
阅读全文