Reputation: 437
I currently have a Go code that can subscribe and print sensor data that is published to a certain topic. Here is my code:
package main
import (
"crypto/tls"
"flag"
"fmt"
//"log"
"os"
"os/signal"
"strconv"
"syscall"
"time"
MQTT "github.com/eclipse/paho.mqtt.golang"
)
func onMessageReceived(client MQTT.Client, message MQTT.Message) {
//fmt.Printf("Received message on topic: %s\nMessage: %s\n", message.Topic(), message.Payload())
fmt.Printf("%s\n", message.Payload())
}
func main() {
//MQTT.DEBUG = log.New(os.Stdout, "", 0)
//MQTT.ERROR = log.New(os.Stdout, "", 0)
c := make(chan os.Signal, 1)
signal.Notify(c, os.Interrupt, syscall.SIGTERM)
hostname, _ := os.Hostname()
server := flag.String("server", "tcp://test.mosquitto.org:1883", "The full url of the MQTT server to connect to ex: tcp://127.0.0.1:1883")
topic := flag.String("topic", "topic/sensorTemperature", "Topic to subscribe to")
qos := flag.Int("qos", 0, "The QoS to subscribe to messages at")
clientid := flag.String("clientid", hostname+strconv.Itoa(time.Now().Second()), "A clientid for the connection")
username := flag.String("username", "", "A username to authenticate to the MQTT server")
password := flag.String("password", "", "Password to match username")
flag.Parse()
connOpts := MQTT.NewClientOptions().AddBroker(*server).SetClientID(*clientid).SetCleanSession(true)
if *username != "" {
connOpts.SetUsername(*username)
if *password != "" {
connOpts.SetPassword(*password)
}
}
tlsConfig := &tls.Config{InsecureSkipVerify: true, ClientAuth: tls.NoClientCert}
connOpts.SetTLSConfig(tlsConfig)
connOpts.OnConnect = func(c MQTT.Client) {
if token := c.Subscribe(*topic, byte(*qos), onMessageReceived); token.Wait() && token.Error() != nil {
panic(token.Error())
}
}
client := MQTT.NewClient(connOpts)
if token := client.Connect(); token.Wait() && token.Error() != nil {
panic(token.Error())
} else {
fmt.Printf("Connected to %s\n", *server)
}
<-c
}
Instead of subscribing to messages like this, I want to put the part of the code that subscribes in a Goroutine. I want to be able to call go func onMessageReceived
. How can I do that if this function is called in c.Subscribe
? And how can I add a sync.WaitGroup
parameter in? Thank you.
Upvotes: 2
Views: 3313
Reputation: 46442
Since you're passing the function as a parameter to another function, you don't get to control the way in which it is called. However, you do have total control over what happens inside the function - which means you can start a goroutine there:
func onMessageReceived(client MQTT.Client, message MQTT.Message) {
go func() {
fmt.Printf("%s\n", message.Payload())
}()
}
So, onMessageReceived
itself will still be called synchronously by MQTT, but it will just start a goroutine and immediately return. You could also define a separate function and call that with go
instead of an anonymous function:
func onMessageReceived(client MQTT.Client, message MQTT.Message) {
go messageHandler(client, message)
}
func messageHandler(client MQTT.Client, message MQTT.Message) {
fmt.Printf("%s\n", message.Payload())
}
That's just a matter of how you want to organize your code. If it's a short handler I'd probably stick with the anonymous function (short enough that you can see the entire anonymous func on one screen); for a longer function I'd break it up or break it out into a named function.
Since you can't pass in any extra parameters, if you want to use a WaitGroup
, it will have to be global:
var wg = new(sync.WaitGroup)
func onMessageReceived(client MQTT.Client, message MQTT.Message) {
wg.Add(1)
go func() {
defer wg.Done()
fmt.Printf("%s\n", message.Payload())
}()
}
Upvotes: 5