1
0
Fork 0
mirror of https://github.com/tmrts/go-patterns.git synced 2025-04-03 13:13:34 +03:00

fix typo and function comments

This commit is contained in:
legendtkl 2016-09-07 00:20:30 +08:00
parent 964661e335
commit 4ec77fe119
2 changed files with 14 additions and 15 deletions

View file

@ -1,6 +1,6 @@
# Generator Pattern
[Generator](https://en.wikipedia.org/wiki/Generator_(computer_programming)) is a special routine that can be used to control the iteratoin behavior of a loop.
[Generator](https://en.wikipedia.org/wiki/Generator_(computer_programming)) is a special routine that can be used to control the iteration behavior of a loop.
# Implementation and Example
With Go language, we can Implemente generator in two ways: channel and closure. Fibnacci example can be found in [generators.go](generators.go).
With Go language, we can implement generator in two ways: channel and closure. Fibnacci example can be found in [generators.go](generators.go).

View file

@ -4,41 +4,40 @@ import (
"fmt"
)
//implement generator by closure
func FibnacciClosure() func() (ret int) {
//FibonacciClosure implements fibonacci number generatoin using closure
func FibonacciClosure() func() int {
a, b := 0, 1
return func() (ret int) {
ret = b
return func() int {
a, b = b, a+b
return
return a
}
}
//implement generator by channel
func FibnacciChan(n int) chan int {
ret := make(chan int)
//FibonacciChan implements fibonacci number generatoin using channel
func FibonacciChan(n int) chan int {
c := make(chan int)
go func() {
a, b := 0, 1
for i := 0; i < n; i++ {
ret <- b
c <- b
a, b = b, a+b
}
close(ret)
close(c)
}()
return ret
return c
}
func main() {
//closure
nextFib := FibnacciClosure()
nextFib := FibonacciClosure()
for i := 0; i < 20; i++ {
fmt.Println(nextFib())
}
//channel
for i := range FibnacciChan(20) {
for i := range FibonacciChan(20) {
fmt.Println(i)
}
}