Fix persistent session in mqtt_consumer (#6236)

This commit is contained in:
Daniel Nelson 2019-08-14 17:05:34 -07:00 committed by GitHub
parent ffe135c7fe
commit 5e06e56785
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
3 changed files with 316 additions and 151 deletions

View File

@ -3,13 +3,20 @@
The [MQTT][mqtt] consumer plugin reads from the specified MQTT topics The [MQTT][mqtt] consumer plugin reads from the specified MQTT topics
and creates metrics using one of the supported [input data formats][]. and creates metrics using one of the supported [input data formats][].
### Configuration: ### Configuration
```toml ```toml
[[inputs.mqtt_consumer]] [[inputs.mqtt_consumer]]
## MQTT broker URLs to be used. The format should be scheme://host:port, ## MQTT broker URLs to be used. The format should be scheme://host:port,
## schema can be tcp, ssl, or ws. ## schema can be tcp, ssl, or ws.
servers = ["tcp://localhost:1883"] servers = ["tcp://127.0.0.1:1883"]
## Topics that will be subscribed to.
topics = [
"telegraf/host01/cpu",
"telegraf/+/mem",
"sensors/#",
]
## QoS policy for messages ## QoS policy for messages
## 0 = at most once ## 0 = at most once
@ -18,10 +25,10 @@ and creates metrics using one of the supported [input data formats][].
## ##
## When using a QoS of 1 or 2, you should enable persistent_session to allow ## When using a QoS of 1 or 2, you should enable persistent_session to allow
## resuming unacknowledged messages. ## resuming unacknowledged messages.
qos = 0 # qos = 0
## Connection timeout for initial connection in seconds ## Connection timeout for initial connection in seconds
connection_timeout = "30s" # connection_timeout = "30s"
## Maximum messages to read from the broker that have not been written by an ## Maximum messages to read from the broker that have not been written by an
## output. For best throughput set based on the number of metrics within ## output. For best throughput set based on the number of metrics within
@ -33,21 +40,17 @@ and creates metrics using one of the supported [input data formats][].
## waiting until the next flush_interval. ## waiting until the next flush_interval.
# max_undelivered_messages = 1000 # max_undelivered_messages = 1000
## Topics to subscribe to ## Persistent session disables clearing of the client session on connection.
topics = [ ## In order for this option to work you must also set client_id to identity
"telegraf/host01/cpu", ## the client. To receive messages that arrived while the client is offline,
"telegraf/+/mem", ## also set the qos option to 1 or 2 and don't forget to also set the QoS when
"sensors/#", ## publishing.
] # persistent_session = false
# if true, messages that can't be delivered while the subscriber is offline ## If unset, a random client ID will be generated.
# will be delivered when it comes back (such as on service restart). # client_id = ""
# NOTE: if true, client_id MUST be set
persistent_session = false
# If empty, a random client ID will be generated.
client_id = ""
## username and password to connect MQTT server. ## Username and password to connect MQTT server.
# username = "telegraf" # username = "telegraf"
# password = "metricsmetricsmetricsmetrics" # password = "metricsmetricsmetricsmetrics"
@ -65,7 +68,7 @@ and creates metrics using one of the supported [input data formats][].
data_format = "influx" data_format = "influx"
``` ```
### Tags: ### Metrics
- All measurements are tagged with the incoming topic, ie - All measurements are tagged with the incoming topic, ie
`topic=telegraf/host01/cpu` `topic=telegraf/host01/cpu`

View File

@ -33,6 +33,15 @@ const (
Connected Connected
) )
type Client interface {
Connect() mqtt.Token
SubscribeMultiple(filters map[string]byte, callback mqtt.MessageHandler) mqtt.Token
AddRoute(topic string, callback mqtt.MessageHandler)
Disconnect(quiesce uint)
}
type ClientFactory func(o *mqtt.ClientOptions) Client
type MQTTConsumer struct { type MQTTConsumer struct {
Servers []string Servers []string
Topics []string Topics []string
@ -51,10 +60,11 @@ type MQTTConsumer struct {
ClientID string `toml:"client_id"` ClientID string `toml:"client_id"`
tls.ClientConfig tls.ClientConfig
client mqtt.Client clientFactory ClientFactory
client Client
opts *mqtt.ClientOptions
acc telegraf.TrackingAccumulator acc telegraf.TrackingAccumulator
state ConnectionState state ConnectionState
subscribed bool
sem semaphore sem semaphore
messages map[telegraf.TrackingID]bool messages map[telegraf.TrackingID]bool
@ -65,7 +75,14 @@ type MQTTConsumer struct {
var sampleConfig = ` var sampleConfig = `
## MQTT broker URLs to be used. The format should be scheme://host:port, ## MQTT broker URLs to be used. The format should be scheme://host:port,
## schema can be tcp, ssl, or ws. ## schema can be tcp, ssl, or ws.
servers = ["tcp://localhost:1883"] servers = ["tcp://127.0.0.1:1883"]
## Topics that will be subscribed to.
topics = [
"telegraf/host01/cpu",
"telegraf/+/mem",
"sensors/#",
]
## QoS policy for messages ## QoS policy for messages
## 0 = at most once ## 0 = at most once
@ -74,10 +91,10 @@ var sampleConfig = `
## ##
## When using a QoS of 1 or 2, you should enable persistent_session to allow ## When using a QoS of 1 or 2, you should enable persistent_session to allow
## resuming unacknowledged messages. ## resuming unacknowledged messages.
qos = 0 # qos = 0
## Connection timeout for initial connection in seconds ## Connection timeout for initial connection in seconds
connection_timeout = "30s" # connection_timeout = "30s"
## Maximum messages to read from the broker that have not been written by an ## Maximum messages to read from the broker that have not been written by an
## output. For best throughput set based on the number of metrics within ## output. For best throughput set based on the number of metrics within
@ -89,21 +106,17 @@ var sampleConfig = `
## waiting until the next flush_interval. ## waiting until the next flush_interval.
# max_undelivered_messages = 1000 # max_undelivered_messages = 1000
## Topics to subscribe to ## Persistent session disables clearing of the client session on connection.
topics = [ ## In order for this option to work you must also set client_id to identity
"telegraf/host01/cpu", ## the client. To receive messages that arrived while the client is offline,
"telegraf/+/mem", ## also set the qos option to 1 or 2 and don't forget to also set the QoS when
"sensors/#", ## publishing.
] # persistent_session = false
# if true, messages that can't be delivered while the subscriber is offline ## If unset, a random client ID will be generated.
# will be delivered when it comes back (such as on service restart). # client_id = ""
# NOTE: if true, client_id MUST be set
persistent_session = false
# If empty, a random client ID will be generated.
client_id = ""
## username and password to connect MQTT server. ## Username and password to connect MQTT server.
# username = "telegraf" # username = "telegraf"
# password = "metricsmetricsmetricsmetrics" # password = "metricsmetricsmetricsmetrics"
@ -133,7 +146,7 @@ func (m *MQTTConsumer) SetParser(parser parsers.Parser) {
m.parser = parser m.parser = parser
} }
func (m *MQTTConsumer) Start(acc telegraf.Accumulator) error { func (m *MQTTConsumer) Init() error {
m.state = Disconnected m.state = Disconnected
if m.PersistentSession && m.ClientID == "" { if m.PersistentSession && m.ClientID == "" {
@ -148,15 +161,32 @@ func (m *MQTTConsumer) Start(acc telegraf.Accumulator) error {
return fmt.Errorf("connection_timeout must be greater than 1s: %s", m.ConnectionTimeout.Duration) return fmt.Errorf("connection_timeout must be greater than 1s: %s", m.ConnectionTimeout.Duration)
} }
m.acc = acc.WithTracking(m.MaxUndeliveredMessages)
m.ctx, m.cancel = context.WithCancel(context.Background())
opts, err := m.createOpts() opts, err := m.createOpts()
if err != nil { if err != nil {
return err return err
} }
m.client = mqtt.NewClient(opts) m.opts = opts
return nil
}
func (m *MQTTConsumer) Start(acc telegraf.Accumulator) error {
m.state = Disconnected
m.acc = acc.WithTracking(m.MaxUndeliveredMessages)
m.ctx, m.cancel = context.WithCancel(context.Background())
m.client = m.clientFactory(m.opts)
// AddRoute sets up the function for handling messages. These need to be
// added in case we find a persistent session containing subscriptions so we
// know where to dispatch presisted and new messages to. In the alternate
// case that we need to create the subscriptions these will be replaced.
for _, topic := range m.Topics {
m.client.AddRoute(topic, m.recvMessage)
}
m.state = Connecting m.state = Connecting
m.connect() m.connect()
@ -164,7 +194,8 @@ func (m *MQTTConsumer) Start(acc telegraf.Accumulator) error {
} }
func (m *MQTTConsumer) connect() error { func (m *MQTTConsumer) connect() error {
if token := m.client.Connect(); token.Wait() && token.Error() != nil { token := m.client.Connect()
if token.Wait() && token.Error() != nil {
err := token.Error() err := token.Error()
m.state = Disconnected m.state = Disconnected
return err return err
@ -175,23 +206,27 @@ func (m *MQTTConsumer) connect() error {
m.sem = make(semaphore, m.MaxUndeliveredMessages) m.sem = make(semaphore, m.MaxUndeliveredMessages)
m.messages = make(map[telegraf.TrackingID]bool) m.messages = make(map[telegraf.TrackingID]bool)
// Only subscribe on first connection when using persistent sessions. On // Presistent sessions should skip subscription if a session is present, as
// subsequent connections the subscriptions should be stored in the // the subscriptions are stored by the server.
// session, but the proper way to do this is to check the connection type sessionPresent interface {
// response to ensure a session was found. SessionPresent() bool
if !m.PersistentSession || !m.subscribed { }
if t, ok := token.(sessionPresent); ok && t.SessionPresent() {
log.Printf("D! [inputs.mqtt_consumer] Session found %v", m.Servers)
return nil
}
topics := make(map[string]byte) topics := make(map[string]byte)
for _, topic := range m.Topics { for _, topic := range m.Topics {
topics[topic] = byte(m.QoS) topics[topic] = byte(m.QoS)
} }
subscribeToken := m.client.SubscribeMultiple(topics, m.recvMessage) subscribeToken := m.client.SubscribeMultiple(topics, m.recvMessage)
subscribeToken.Wait() subscribeToken.Wait()
if subscribeToken.Error() != nil { if subscribeToken.Error() != nil {
m.acc.AddError(fmt.Errorf("subscription error: topics: %s: %v", m.acc.AddError(fmt.Errorf("subscription error: topics: %s: %v",
strings.Join(m.Topics[:], ","), subscribeToken.Error())) strings.Join(m.Topics[:], ","), subscribeToken.Error()))
} }
m.subscribed = true
}
return nil return nil
} }
@ -316,12 +351,20 @@ func (m *MQTTConsumer) createOpts() (*mqtt.ClientOptions, error) {
return opts, nil return opts, nil
} }
func init() { func New(factory ClientFactory) *MQTTConsumer {
inputs.Add("mqtt_consumer", func() telegraf.Input {
return &MQTTConsumer{ return &MQTTConsumer{
Servers: []string{"tcp://127.0.0.1:1883"},
ConnectionTimeout: defaultConnectionTimeout, ConnectionTimeout: defaultConnectionTimeout,
MaxUndeliveredMessages: defaultMaxUndeliveredMessages, MaxUndeliveredMessages: defaultMaxUndeliveredMessages,
clientFactory: factory,
state: Disconnected, state: Disconnected,
} }
}
func init() {
inputs.Add("mqtt_consumer", func() telegraf.Input {
return New(func(o *mqtt.ClientOptions) Client {
return mqtt.NewClient(o)
})
}) })
} }

View File

@ -2,114 +2,233 @@ package mqtt_consumer
import ( import (
"testing" "testing"
"time"
"github.com/eclipse/paho.mqtt.golang" "github.com/eclipse/paho.mqtt.golang"
"github.com/influxdata/telegraf"
"github.com/influxdata/telegraf/plugins/parsers"
"github.com/influxdata/telegraf/testutil" "github.com/influxdata/telegraf/testutil"
"github.com/stretchr/testify/assert" "github.com/stretchr/testify/require"
) )
const ( type FakeClient struct {
testMsg = "cpu_load_short,host=server01 value=23422.0 1422568543702900257\n" ConnectF func() mqtt.Token
invalidMsg = "cpu_load_short,host=server01 1422568543702900257\n" SubscribeMultipleF func(filters map[string]byte, callback mqtt.MessageHandler) mqtt.Token
) AddRouteF func(topic string, callback mqtt.MessageHandler)
DisconnectF func(quiesce uint)
func newTestMQTTConsumer() *MQTTConsumer { connectCallCount int
n := &MQTTConsumer{ subscribeCallCount int
Topics: []string{"telegraf"}, addRouteCallCount int
Servers: []string{"localhost:1883"}, disconnectCallCount int
}
func (c *FakeClient) Connect() mqtt.Token {
c.connectCallCount++
return c.ConnectF()
}
func (c *FakeClient) SubscribeMultiple(filters map[string]byte, callback mqtt.MessageHandler) mqtt.Token {
c.subscribeCallCount++
return c.SubscribeMultipleF(filters, callback)
}
func (c *FakeClient) AddRoute(topic string, callback mqtt.MessageHandler) {
c.addRouteCallCount++
c.AddRouteF(topic, callback)
}
func (c *FakeClient) Disconnect(quiesce uint) {
c.disconnectCallCount++
c.DisconnectF(quiesce)
}
type FakeParser struct {
}
// FakeParser satisfies parsers.Parser
var _ parsers.Parser = &FakeParser{}
func (p *FakeParser) Parse(buf []byte) ([]telegraf.Metric, error) {
panic("not implemented")
}
func (p *FakeParser) ParseLine(line string) (telegraf.Metric, error) {
panic("not implemented")
}
func (p *FakeParser) SetDefaultTags(tags map[string]string) {
panic("not implemented")
}
type FakeToken struct {
sessionPresent bool
}
// FakeToken satisfies mqtt.Token
var _ mqtt.Token = &FakeToken{}
func (t *FakeToken) Wait() bool {
return true
}
func (t *FakeToken) WaitTimeout(time.Duration) bool {
return true
}
func (t *FakeToken) Error() error {
return nil
}
func (t *FakeToken) SessionPresent() bool {
return t.sessionPresent
}
// Test the basic lifecycle transitions of the plugin.
func TestLifecycleSanity(t *testing.T) {
var acc testutil.Accumulator
plugin := New(func(o *mqtt.ClientOptions) Client {
return &FakeClient{
ConnectF: func() mqtt.Token {
return &FakeToken{}
},
AddRouteF: func(topic string, callback mqtt.MessageHandler) {
},
SubscribeMultipleF: func(filters map[string]byte, callback mqtt.MessageHandler) mqtt.Token {
return &FakeToken{}
},
DisconnectF: func(quiesce uint) {
},
} }
})
plugin.Servers = []string{"tcp://127.0.0.1"}
return n parser := &FakeParser{}
plugin.SetParser(parser)
err := plugin.Init()
require.NoError(t, err)
err = plugin.Start(&acc)
require.NoError(t, err)
err = plugin.Gather(&acc)
require.NoError(t, err)
plugin.Stop()
} }
// Test that default client has random ID // Test that default client has random ID
func TestRandomClientID(t *testing.T) { func TestRandomClientID(t *testing.T) {
m1 := &MQTTConsumer{ var err error
Servers: []string{"localhost:1883"}}
opts, err := m1.createOpts()
assert.NoError(t, err)
m2 := &MQTTConsumer{ m1 := New(nil)
Servers: []string{"localhost:1883"}} err = m1.Init()
opts2, err2 := m2.createOpts() require.NoError(t, err)
assert.NoError(t, err2)
assert.NotEqual(t, opts.ClientID, opts2.ClientID) m2 := New(nil)
err = m2.Init()
require.NoError(t, err)
require.NotEqual(t, m1.opts.ClientID, m2.opts.ClientID)
} }
// Test that default client has random ID // PersistentSession requires ClientID
func TestClientID(t *testing.T) {
m1 := &MQTTConsumer{
Servers: []string{"localhost:1883"},
ClientID: "telegraf-test",
}
opts, err := m1.createOpts()
assert.NoError(t, err)
m2 := &MQTTConsumer{
Servers: []string{"localhost:1883"},
ClientID: "telegraf-test",
}
opts2, err2 := m2.createOpts()
assert.NoError(t, err2)
assert.Equal(t, "telegraf-test", opts2.ClientID)
assert.Equal(t, "telegraf-test", opts.ClientID)
}
// Test that Start() fails if client ID is not set but persistent is
func TestPersistentClientIDFail(t *testing.T) { func TestPersistentClientIDFail(t *testing.T) {
m1 := &MQTTConsumer{ plugin := New(nil)
Servers: []string{"localhost:1883"}, plugin.PersistentSession = true
PersistentSession: true,
err := plugin.Init()
require.Error(t, err)
}
func TestAddRouteCalledForEachTopic(t *testing.T) {
client := &FakeClient{
ConnectF: func() mqtt.Token {
return &FakeToken{}
},
AddRouteF: func(topic string, callback mqtt.MessageHandler) {
},
SubscribeMultipleF: func(filters map[string]byte, callback mqtt.MessageHandler) mqtt.Token {
return &FakeToken{}
},
DisconnectF: func(quiesce uint) {
},
} }
acc := testutil.Accumulator{} plugin := New(func(o *mqtt.ClientOptions) Client {
err := m1.Start(&acc) return client
assert.Error(t, err) })
plugin.Topics = []string{"a", "b"}
err := plugin.Init()
require.NoError(t, err)
var acc testutil.Accumulator
err = plugin.Start(&acc)
require.NoError(t, err)
plugin.Stop()
require.Equal(t, client.addRouteCallCount, 2)
} }
func mqttMsg(val string) mqtt.Message { func TestSubscribeCalledIfNoSession(t *testing.T) {
return &message{ client := &FakeClient{
topic: "telegraf/unit_test", ConnectF: func() mqtt.Token {
payload: []byte(val), return &FakeToken{}
},
AddRouteF: func(topic string, callback mqtt.MessageHandler) {
},
SubscribeMultipleF: func(filters map[string]byte, callback mqtt.MessageHandler) mqtt.Token {
return &FakeToken{}
},
DisconnectF: func(quiesce uint) {
},
} }
plugin := New(func(o *mqtt.ClientOptions) Client {
return client
})
plugin.Topics = []string{"b"}
err := plugin.Init()
require.NoError(t, err)
var acc testutil.Accumulator
err = plugin.Start(&acc)
require.NoError(t, err)
plugin.Stop()
require.Equal(t, client.subscribeCallCount, 1)
} }
// Take the message struct from the paho mqtt client library for returning func TestSubscribeNotCalledIfSession(t *testing.T) {
// a test message interface. client := &FakeClient{
type message struct { ConnectF: func() mqtt.Token {
duplicate bool return &FakeToken{sessionPresent: true}
qos byte },
retained bool AddRouteF: func(topic string, callback mqtt.MessageHandler) {
topic string },
messageID uint16 SubscribeMultipleF: func(filters map[string]byte, callback mqtt.MessageHandler) mqtt.Token {
payload []byte return &FakeToken{}
} },
DisconnectF: func(quiesce uint) {
},
}
plugin := New(func(o *mqtt.ClientOptions) Client {
return client
})
plugin.Topics = []string{"b"}
func (m *message) Duplicate() bool { err := plugin.Init()
return m.duplicate require.NoError(t, err)
}
func (m *message) Ack() { var acc testutil.Accumulator
return err = plugin.Start(&acc)
} require.NoError(t, err)
func (m *message) Qos() byte { plugin.Stop()
return m.qos
}
func (m *message) Retained() bool { require.Equal(t, client.subscribeCallCount, 0)
return m.retained
}
func (m *message) Topic() string {
return m.topic
}
func (m *message) MessageID() uint16 {
return m.messageID
}
func (m *message) Payload() []byte {
return m.payload
} }