MQTT.js多次订阅

时间:2017-11-08 17:14:27

标签: javascript mqtt iot

我正在玩MQTT和MQTT.js.我已经运行了一个MQTT代理,现在我想订阅多个主题。一个主题没有问题,但是多个。

我有这两个主题:

'sensor/esp8266-1/humidity'
'sensor/esp8266-1/temperature'

我用这段代码订阅了这两个主题

var mqtt = require('mqtt');
var client  = mqtt.connect('mqtt://10.0.0.18');


client.subscribe('sensor/esp8266-1/humidity');
client.subscribe('sensor/esp8266-1/temperature');

client.on('message', function(topic, message, packet) {
    console.log(packet)
});

使用此代码console.log返回以下内容

Packet {
  cmd: 'publish',
  retain: false,
  qos: 0,
  dup: false,
  length: 35,
  topic: 'sensor/esp8266-1/temperature',
  payload: <Buffer 32 31 2e 32 30> }
Packet {
  cmd: 'publish',
  retain: false,
  qos: 0,
  dup: false,
  length: 32,
  topic: 'sensor/esp8266-1/humidity',
  payload: <Buffer 34 31 2e 30 30> }

这看起来非常好,但我如何从中得到温度/湿度数据?

我用这个

尝试了
console.log(packet.payload.toString())

但现在我每次都得到温度和湿度,没有它,我知道数字意味着什么。

在最后,我想得到两个变量(温度/湿度)填充正确的数据。后来我想连接两个变量并将它们存储到SQL数据库中。

1 个答案:

答案 0 :(得分:1)

您没有说过如何使用这两个值,但以下是最简单的启动方式。

var mqtt = require('mqtt');
var client  = mqtt.connect('mqtt://10.0.0.18');

var temperature;
var humidity;

client.subscribe('sensor/esp8266-1/humidity');
client.subscribe('sensor/esp8266-1/temperature');

client.on('message', function(topic, message, packet) {
  if (topic === 'sensor/esp8266-1/temperature') {
    temperature = message;
  }

  if (topic === 'sensor/esp8266-1/humidity') {
    humidity = message;
  }
});

使用单个通配符订阅可以使其更简单:

client.subscribe('sensor/esp8266-1/+');

将订阅以sensor/esp8266-1/

开头的所有主题

编辑: 现在我们终于打破了你想要问的问题(在问题中不清楚)

client.on('message', function(topic, message, packet) {
  if (topic === 'sensor/esp8266-1/temperature') {
    temperature = message;
  }

  if (topic === 'sensor/esp8266-1/humidity') {
    humidity = message;
  }

  if (temperature && humidity) {
     //do database update or print
     console.log("----");
     console.log("temp: %s", temperature);
     console.log("----");
     console.log("humidity: %s", humidity);
     //reset to undefined for next time
     temperature = undefined;
     humidity = undefined;
  }
});