@TOC
Actor Model与CSP的区别
Actor Model,两个实体之间通过发送消息的机制来协调
CSP 通过通道完成两个通讯实体之间的协调
1.和Actor直接通讯不同,CSP则是通过Channel进行通讯的,更松耦合
2.Go中channel是有容量限制并且独立于处理Groutine,Actor模式中的mailbox容量是无限的,接收进程也总是被动地处理消息。比
3.Actor的messagebox进行消息存储,在Actor模式中,messagebox的容量是无限得,channel具有容量限制
4.golang得协程,会主动从channel中处理数据,channel传递过来的消息,Actor模式中,进程总是被动得处理消息。
Channel的机制
Golang中Channel的机制有两种,
第一种是左边传统的channel的机制, 两方都必须在channel上才能完成这一次交互。一方不在的情况下 ,另一方会被阻塞在哪里等候,直到,接收方未上线的情况下,接收方一直陷入等待状态,完成这个消息的交付,才能够继续向下执行。
第二种是右边的现代的Buffer channel的机制,发送者和接收者更深耦的关系,设定一个容量,容量没有满的时候,可以持续存储消息,容量满了,必须等待接受消息的人,拿走消息,将容量出现空余,直到有空间放入下面的消息,才可以将消息加入。接收者,有消息,就能拿到并且继续向下执行。
package csp_channel_test
import (
"fmt"
"testing"
"time"
)
func service() string {
time.Sleep(time.Millisecond*50)
return "Done"
}
func otherTask() {
fmt.Println("working on something else")
time.Sleep(time.Millisecond*100)
fmt.Println("Task is done")
}
func TestSevice(t *testing.T) {
fmt.Println(service())
otherTask()
//完全串行 使用时间0.16ms
}
//对上层service进行包装
func AsuncService() chan string{
//返回channel 可以在需要结果的时候等待
retCh := make(chan string)
//retCh := make(chan string, 1) buffer容量大小
//b版本问题?异步返回结果,在没有使用bufferchan的情况下依旧成立
go func() {
ret := service()
fmt.Println("return result")
retCh <- ret
fmt.Println("Service exited")
}()
return retCh
}
func TestAsyService(t *testing.T){
retCh := AsuncService()
otherTask()
fmt.Println(<-retCh)
}