当前位置: 首页>>编程语言>>正文


Go语言教程:写文件

返回Go语言教程首页

概念简介

Go语言写文件和我们前面看过的读操作有着相似的方式。

例程代码


package main

import (
    "bufio"
    "fmt"
    "io/ioutil"
    "os"
)

func check(e error) {
    if e != nil {
        panic(e)
    }
}

func main() {

    // 开始,这里是展示如何写入一个字符串(或者只是一些
    // 字节)到一个文件。
    d1 := []byte("hello\ngo\n")
    err := ioutil.WriteFile("/tmp/dat1", d1, 0644)
    check(err)

    // 对于更细粒度的写入,先打开一个文件。
    f, err := os.Create("/tmp/dat2")
    check(err)

    // 打开文件后,习惯立即使用 defer 调用文件的 `Close`
    // 操作。
    defer f.Close()

    // 你可以写入你想写入的字节切片
    d2 := []byte{115, 111, 109, 101, 10}
    n2, err := f.Write(d2)
    check(err)
    fmt.Printf("wrote %d bytes\n", n2)

    // `WriteString` 也是可用的。
    n3, err := f.WriteString("writes\n")
    fmt.Printf("wrote %d bytes\n", n3)

    // 调用 `Sync` 来将缓冲区的信息写入磁盘。
    f.Sync()

    // `bufio` 提供了和我们前面看到的带缓冲的读取器一
    // 样的带缓冲的写入器。
    w := bufio.NewWriter(f)
    n4, err := w.WriteString("buffered\n")
    fmt.Printf("wrote %d bytes\n", n4)

    // 使用 `Flush` 来确保所有缓存的操作已写入底层写入器。
    w.Flush()

}

执行&输出


# 运行这段文件写入代码。
$ go run writing-files.go 
wrote 5 bytes
wrote 7 bytes
wrote 9 bytes

# 然后检查写入文件的内容。
$ cat /tmp/dat1
hello
go
$ cat /tmp/dat2
some
writes
buffered

# 下面我们将看一些文件 I/O 的想法,就像我们已经看过的 
# `stdin` 和 `stdout` 流。

课程导航

学习上一篇:Go语言教程:读文件    学习下一篇:Go语言教程:行过滤器

相关资料

本例程github源代码:https://github.com/xg-wang/gobyexample/tree/master/examples/writing-files

Go语言写文件

本文由《纯净天空》出品。文章地址: https://vimsky.com/article/4111.html,未经允许,请勿转载。