登录
首页 >  Golang >  Go问答

并发写入文件

来源:Golang技术栈

时间:2023-03-22 19:58:46 276浏览 收藏

今天golang学习网给大家带来了《并发写入文件》,其中涉及到的知识点包括golang等等,无论你是小白还是老手,都适合看一看哦~有好的建议也欢迎大家在评论留言,若是看完有所收获,也希望大家能多多点赞支持呀!一起加油学习~

问题内容

在 go 中,如何控制对文本文件的并发写入?

我问这个是因为我将有多个 goroutine 使用同一个文件处理程序写入一个文本文件。

我写了这段代码来尝试看看会发生什么,但我不确定我是否“正确”地做到了:

package main

import (
    "os"
    "sync"
    "fmt"
    "time"
    "math/rand"
    "math"
)


func WriteToFile( i int, f *os.File, w *sync.WaitGroup ){
    //sleep for either 200 or 201 milliseconds
    randSleep := int( math.Floor( 200 + ( 2 * rand.Float64() ) ) )
    fmt.Printf( "Thread %d waiting %d\n", i, randSleep )
    time.Sleep( time.Duration(randSleep) * time.Millisecond )

    //write to the file
    fmt.Fprintf( f, "Printing out: %d\n", i )
    //write to stdout
    fmt.Printf( "Printing out: %d\n", i )
    w.Done()
}

func main() {
    rand.Seed( time.Now().UnixNano() )

    d, err := os.Getwd()
    if err != nil {
        fmt.Println( err )
    }
    filename := d + "/log.txt"

    f, err := os.OpenFile( filename, os.O_CREATE | os.O_WRONLY | os.O_TRUNC, 0666 )

    if err != nil {
        fmt.Println( err )
    }
    var w *sync.WaitGroup = new(sync.WaitGroup)
    w.Add( 10 )

    //start 10 writers to the file
    for i:=1; i 

我有一半期望输出会在文件中显示类似这样的内容,而不是我得到的连贯输出:

Printing Printing out: 2
out: 5
Poriuntitng: 6

本质上,我预计角色会因为缺乏同步而语无伦次地交织在一起。我没有编写可以诱使这种行为的代码吗?或者是在调用fmt.Fprintf同步写作期间的某种机制?

正确答案

有很多方法可以控制并发访问。最简单的是使用Mutex

var mu sync.Mutex

func WriteToFile( i int, f *os.File, w *sync.WaitGroup ){
    mu.Lock()
    defer mu.Unlock()
    // etc...
}

至于为什么您没有看到问题,Go 使用操作系统调用来实现文件访问,并且这些系统调用是[线程安全](http://man7.org/linux/man- pages/man2/write.2.html)的(强调添加):

根据 POSIX.1-2008/SUSv4 Section XSI 2.9.7(“线程与常规文件操作的交互”):

以下所有函数在对常规文件或符号链接进行操作时,在 POSIX.1-2008 中指定的效果中相互之间应是原子的: ...

随后列出的 API 包括 write() 和 writev(2)。跨线程(和进程)应该是原子的影响之一是文件偏移量的更新。但是,在 3.14 之前的 Linux 上,情况并非如此:如果共享打开文件描述(参见 open(2))的两个进程同时执行 write()(或 writev(2)),则 I /O 操作在更新文件偏移方面不是原子的,因此两个进程输出的数据块可能(不正确地)重叠。 此问题已在 Linux 3.14 中修复。

不过我还是会使用锁,因为 Go 代码不是自动线程安全的。(两个 goroutine 修改同一个变量会导致奇怪的行为)

理论要掌握,实操不能落!以上关于《并发写入文件》的详细介绍,大家都掌握了吧!如果想要继续提升自己的能力,那么就来关注golang学习网公众号吧!

声明:本文转载于:Golang技术栈 如有侵犯,请联系study_golang@163.com删除
相关阅读
更多>
最新阅读
更多>
课程推荐
更多>
评论列表