簡介
Goroutines 是Go 中強大的並發原語,它允許我們同時執行多個任務,提高應用程式效能和資源利用率。本文示範如何利用 goroutine 的功能從遠端伺服器並行下載多個檔案。
問題陳述
我們有一個從 Dropbox 下載檔案的程式使用 HTTP GET 請求。然而,我們觀察到下載不是並行發生的,導致效能不佳。我們的目標是修改程式碼以利用 goroutine 並同時執行下載。
程式碼說明
提供的程式碼包括幾個負責從Dropbox 授權和下載檔案的函數:
:主函式函數授權使用者並擷取要下載的檔案清單。然後它啟動每個文件的下載過程。
Goroutine 實作
為了啟用並行下載,我們透過在 download_file 前面加入 go 關鍵字來利用 goroutine( ) 功能。然而,這種方法失敗了,因為我們的主 Goroutine 在下載完成之前就退出了,導致程式提前終止。為了解決這個問題,我們合併了一個sync.WaitGroup來同步 Goroutines 並確保主 Goroutine 等待直到所有下載完成。 WaitGroup 為每個下載任務新增一個計數器,每個 goroutine 在下載完成時會遞減計數器。主協程阻塞在 WaitGroup 上,等待計數器歸零,讓程式在退出前完成所有下載。
修改後的程式碼
<code class="go">package main import ( "encoding/json" "fmt" "io" "io/ioutil" "net/http" "net/url" "os" "path/filepath" "sync" ) const app_key string = "<app_key>" const app_secret string = "<app_secret>" var code string type TokenResponse struct { AccessToken string `json:"access_token"` } type File struct { Path string } type FileListResponse struct { FileList []File `json:"contents"` } func download_file(file File, token TokenResponse, wg *sync.WaitGroup) { // Download the file and save it locally. ... wg.Done() // Decrement the WaitGroup counter. } func main() { ... // Get file list. ... // Use a WaitGroup to synchronize the goroutines. var wg sync.WaitGroup for i, file := range flr.FileList { wg.Add(1) // Increment the WaitGroup counter. go download_file(file, tr, &wg) // Note the addition of the WaitGroup pointer. if i >= 2 { break } } wg.Wait() // Block the main goroutine until all downloads are complete. }</code>
這裡是修改過的程式碼帶有goroutine 實作和WaitGroup 同步的程式碼:
結論透過合併goroutine 和WaitGroup,我們的程式現在可以並行下載多個文件,顯著提高了效能和利用Go的並發能力。這種方法可以應用於其他需要並發執行多個任務的各種場景。以上是在Go中如何使用Goroutines和WaitGroup同時下載多個檔案?的詳細內容。更多資訊請關注PHP中文網其他相關文章!