103 lines
2.0 KiB
Go
103 lines
2.0 KiB
Go
// Package service provides the broker service client
|
|
package service
|
|
|
|
import (
|
|
"context"
|
|
|
|
"github.com/micro/go-micro/broker"
|
|
pb "github.com/micro/go-micro/broker/service/proto"
|
|
"github.com/micro/go-micro/client"
|
|
)
|
|
|
|
type serviceBroker struct {
|
|
Addrs []string
|
|
Client pb.BrokerService
|
|
options broker.Options
|
|
}
|
|
|
|
var (
|
|
DefaultName = "go.micro.broker"
|
|
)
|
|
|
|
func (b *serviceBroker) Address() string {
|
|
return b.Addrs[0]
|
|
}
|
|
|
|
func (b *serviceBroker) Connect() error {
|
|
return nil
|
|
}
|
|
|
|
func (b *serviceBroker) Disconnect() error {
|
|
return nil
|
|
}
|
|
|
|
func (b *serviceBroker) Init(opts ...broker.Option) error {
|
|
for _, o := range opts {
|
|
o(&b.options)
|
|
}
|
|
return nil
|
|
}
|
|
|
|
func (b *serviceBroker) Options() broker.Options {
|
|
return b.options
|
|
}
|
|
|
|
func (b *serviceBroker) Publish(topic string, msg *broker.Message, opts ...broker.PublishOption) error {
|
|
_, err := b.Client.Publish(context.TODO(), &pb.PublishRequest{
|
|
Topic: topic,
|
|
Message: &pb.Message{
|
|
Header: msg.Header,
|
|
Body: msg.Body,
|
|
},
|
|
}, client.WithAddress(b.Addrs...))
|
|
return err
|
|
}
|
|
|
|
func (b *serviceBroker) Subscribe(topic string, handler broker.Handler, opts ...broker.SubscribeOption) (broker.Subscriber, error) {
|
|
var options broker.SubscribeOptions
|
|
for _, o := range opts {
|
|
o(&options)
|
|
}
|
|
stream, err := b.Client.Subscribe(context.TODO(), &pb.SubscribeRequest{
|
|
Topic: topic,
|
|
Queue: options.Queue,
|
|
}, client.WithAddress(b.Addrs...))
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
sub := &serviceSub{
|
|
topic: topic,
|
|
queue: options.Queue,
|
|
handler: handler,
|
|
stream: stream,
|
|
closed: make(chan bool),
|
|
options: options,
|
|
}
|
|
go sub.run()
|
|
|
|
return sub, nil
|
|
}
|
|
|
|
func (b *serviceBroker) String() string {
|
|
return "service"
|
|
}
|
|
|
|
func NewBroker(opts ...broker.Option) broker.Broker {
|
|
var options broker.Options
|
|
for _, o := range opts {
|
|
o(&options)
|
|
}
|
|
|
|
addrs := options.Addrs
|
|
if len(addrs) == 0 {
|
|
addrs = []string{"127.0.0.1:8001"}
|
|
}
|
|
|
|
return &serviceBroker{
|
|
Addrs: addrs,
|
|
Client: pb.NewBrokerService(DefaultName, client.DefaultClient),
|
|
options: options,
|
|
}
|
|
}
|