在Go語言中,可以通過goroutine和channel來解決并發文件下載問題。以下是一個簡單的實現步驟:
type File struct {
URL string
FileName string
}
func DownloadFile(file File) {
response, err := http.Get(file.URL)
if err != nil {
fmt.Println("下載文件失敗:", file.URL)
return
}
defer response.Body.Close()
out, err := os.Create(file.FileName)
if err != nil {
fmt.Println("創建文件失敗:", file.FileName)
return
}
defer out.Close()
_, err = io.Copy(out, response.Body)
if err != nil {
fmt.Println("保存文件失敗:", file.FileName)
return
}
fmt.Println("下載文件成功:", file.FileName)
}
func ConcurrentDownload(files []File) {
// 創建一個無緩沖的channel,用于控制并發數
semaphore := make(chan struct{}, 5)
defer close(semaphore)
// 創建一個等待組,用于等待所有文件下載完成
var wg sync.WaitGroup
for _, file := range files {
// 向等待組添加一個任務
wg.Add(1)
// 啟動一個goroutine來下載文件
go func(file File) {
// 從channel中獲取一個信號量
semaphore <- struct{}{}
// 執行下載文件操作
DownloadFile(file)
// 釋放一個信號量到channel
<-semaphore
// 任務完成,從等待組中刪除一個任務
wg.Done()
}(file)
}
// 等待所有任務完成
wg.Wait()
}
func main() {
files := []File{
{URL: "http://example.com/file1.txt", FileName: "file1.txt"},
{URL: "http://example.com/file2.txt", FileName: "file2.txt"},
{URL: "http://example.com/file3.txt", FileName: "file3.txt"},
}
ConcurrentDownload(files)
}
以上就是使用goroutine和channel解決Go語言中并發文件下載問題的基本步驟。通過控制goroutine的并發數,可以有效地控制并發下載的數量,避免對服務器造成過大的負載壓力。