যদিও sync.waitGroup
(ডাব্লুজি) হ'ল অগ্রিম উপায়, এটির জন্য আপনার সমস্ত wg.Add
কলটি সম্পন্ন করার আগে আপনাকে কমপক্ষে কিছু কল করতে wg.Wait
হবে। এটি ওয়েব ক্রলারের মতো সাধারণ জিনিসগুলির পক্ষে সম্ভব হয় না, যেখানে আপনি পূর্বে পুনরাবৃত্ত কলগুলির সংখ্যা জানেন না এবং wg.Add
কলগুলি চালিত ডেটা পুনরুদ্ধার করতে এটি কিছুটা সময় নেয় । সর্বোপরি, শিশু পৃষ্ঠাগুলির প্রথম ব্যাচের আকার জানার আগে আপনাকে প্রথম পৃষ্ঠাটি লোড এবং পার্স করতে হবে।
আমি চ্যানেলগুলি ব্যবহার করে একটি সমাধান লিখেছিলাম, waitGroup
আমার সমাধানটি এড়িয়ে চলুন - ট্যুর অফ গো - ওয়েব ক্রলারের অনুশীলন এড়িয়ে । প্রতিবার এক বা একাধিক গো রুটিনগুলি শুরু হওয়ার পরে, আপনি children
চ্যানেলে নম্বরটি প্রেরণ করেন । প্রতিবার একটি যান রুটিন সম্পূর্ণ সম্পর্কে, আপনি একটি পাঠাতে 1
করতে done
চ্যানেল। যখন শিশুদের যোগফল সমানের সমান হয়, তখন আমরা সম্পন্ন হয়ে যাই।
আমার কেবলমাত্র উদ্বেগটি results
চ্যানেলের হার্ড-কোডড আকার , তবে এটি (বর্তমান) গো সীমাবদ্ধতা।
// recursionController is a data structure with three channels to control our Crawl recursion.
// Tried to use sync.waitGroup in a previous version, but I was unhappy with the mandatory sleep.
// The idea is to have three channels, counting the outstanding calls (children), completed calls
// (done) and results (results). Once outstanding calls == completed calls we are done (if you are
// sufficiently careful to signal any new children before closing your current one, as you may be the last one).
//
type recursionController struct {
results chan string
children chan int
done chan int
}
// instead of instantiating one instance, as we did above, use a more idiomatic Go solution
func NewRecursionController() recursionController {
// we buffer results to 1000, so we cannot crawl more pages than that.
return recursionController{make(chan string, 1000), make(chan int), make(chan int)}
}
// recursionController.Add: convenience function to add children to controller (similar to waitGroup)
func (rc recursionController) Add(children int) {
rc.children <- children
}
// recursionController.Done: convenience function to remove a child from controller (similar to waitGroup)
func (rc recursionController) Done() {
rc.done <- 1
}
// recursionController.Wait will wait until all children are done
func (rc recursionController) Wait() {
fmt.Println("Controller waiting...")
var children, done int
for {
select {
case childrenDelta := <-rc.children:
children += childrenDelta
// fmt.Printf("children found %v total %v\n", childrenDelta, children)
case <-rc.done:
done += 1
// fmt.Println("done found", done)
default:
if done > 0 && children == done {
fmt.Printf("Controller exiting, done = %v, children = %v\n", done, children)
close(rc.results)
return
}
}
}
}
সমাধানের জন্য সম্পূর্ণ উত্স কোড