go语言将txt文件指定两行数据替换为已定义好的两个长字符串,并且保存为新文件
时间: 2024-02-24 08:53:07 浏览: 60
替换一个文本文件中的字符串
可以通过以下代码实现:
```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()
// 定义要替换的两行数据
line1 := "This is the first line of replacement."
line2 := "This is the second line of replacement."
// 逐行读取原始文本文件并替换指定两行数据
scanner := bufio.NewScanner(file)
for scanner.Scan() {
line := scanner.Text()
if line == "line to be replaced 1" {
fmt.Fprintln(newFile, line1)
} else if line == "line to be replaced 2" {
fmt.Fprintln(newFile, line2)
} else {
fmt.Fprintln(newFile, line)
}
}
if err := scanner.Err(); err != nil {
panic(err)
}
}
```
上述代码将原始文本文件中的两行数据分别替换为 `line1` 和 `line2`,并将修改后的文本写入到新文件中。注意,这里没有删除原始文件,而是创建了一个新文件来保存修改后的内容。
阅读全文