Go_18: Golang 中三種讀取文件發放性能對比


  Golang 中讀取文件大概有三種方法,分別為:

    1. 通過原生態 io 包中的 read 方法進行讀取

    2. 通過 io/ioutil 包提供的 read 方法進行讀取

    3. 通過 bufio 包提供的 read 方法進行讀取

  下面通過代碼來驗證這三種方式的讀取性能,並總結出我們平時應該使用的方案,以便我們可以寫出最優代碼:

package main

import (
    "os"
    "io"
    "bufio"
    "io/ioutil"
    "time"
    "log"
)

func readCommon(path string) {
    file, err := os.Open(path)
    if err != nil {
        panic(err)
    }
    defer file.Close()

    buf := make([]byte, 1024)
    for {
        readNum, err := file.Read(buf)
        if err != nil && err != io.EOF {
            panic(err)
        }
        if 0 == readNum {
            break
        }
    }
}

func readBufio(path string) {
    file, err := os.Open(path)
    if err != nil {
        panic(err)
    }
    defer file.Close()

    bufReader := bufio.NewReader(file)
    buf := make([]byte, 1024)

    for {
        readNum, err := bufReader.Read(buf)
        if err != nil && err != io.EOF {
            panic(err)
        }
        if 0 == readNum {
            break
        }
    }
}

func readIOUtil(path string) {
    file, err := os.Open(path)
    if err != nil {
        panic(err)
    }
    defer file.Close()
    _, err = ioutil.ReadAll(file)
}

func main() {
    //size is 26MB
    pathName := "/Users/mfw/Desktop/shakespeare.json"
    start := time.Now()
    readCommon(pathName)
    timeCommon := time.Now()
    log.Printf("read common cost time %v\n", timeCommon.Sub(start))

    readBufio(pathName)
    timeBufio := time.Now()
    log.Printf("read bufio cost time %v\n", timeBufio.Sub(timeCommon))

    readIOUtil(pathName)
    timeIOUtil := time.Now()
    log.Printf("read ioutil cost time %v\n", timeIOUtil.Sub(timeBufio))
}

  以上代碼運行結果打印如下:

2017/05/11 19:23:46 read common cost time 25.584882ms
2017/05/11 19:23:46 read bufio  cost time 11.857878ms
2017/05/11 19:23:46 read ioutil cost time 35.033003ms

  再運行一次打印的結果如下:

2017/05/11 21:59:11 read common cost time 32.374922ms
2017/05/11 21:59:11 read bufio  cost time 12.155643ms
2017/05/11 21:59:11 read ioutil cost time 27.193033ms

   再多運行幾次,發現 readCommon 和 readIOUtil 運行時間相差不大,通過查看源代碼發現 io/ioutil 包其實就是封裝了 io 包中的方法,故他們兩沒有性能優先之說;但是不管你運行多少次,readBufio 耗費時間是他們兩各自所耗費時間一半左右。

  由此可見性能最好的是通過帶有緩沖的 io 流來讀取文件性能最佳。

 


免責聲明!

本站轉載的文章為個人學習借鑒使用,本站對版權不負任何法律責任。如果侵犯了您的隱私權益,請聯系本站郵箱yoyou2525@163.com刪除。



 
粵ICP備18138465號   © 2018-2025 CODEPRJ.COM