यद्यपि sync.waitGroup
(wg) कैनोनिकल तरीका आगे है, लेकिन 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
}
}
}
}
समाधान के लिए पूर्ण स्रोत कोड