Отправка информации о датчике в ThingSpeak через Arduino Uno r3 и ESP8266-01 с использованием WifiManager

#upload #arduino-uno #esp8266 #wifimanager #software-serial

#загрузка #arduino-uno #esp8266 #wifimanager #программное обеспечение -последовательный

Вопрос:

У меня есть проект, в котором у меня есть датчик уровня воды, подключенный к моему Arduino Uno r3. У меня есть модуль ESP8266-01, подключенный к моему Arduino. Используя AT-команды, я смог загрузить результат датчика в ThinkSpeak. Однако я хотел иметь возможность входить в другие каналы Wi-Fi, поэтому я поставил WifiManager.h, ESP8266WiFi.h, DNSServer.h и ESP8266WebServer.подключился к моему ESP8266, и все работало нормально. Поскольку не удалось подключиться из-за отсутствия IP и пароля, он открылся в режиме AP, и я подключился к нему со своего компьютера и вошел в него. Я ввел свой IP-адрес и пароль и нажал СОХРАНИТЬ, после чего ESP восстановился и подключился. Сейчас я пытаюсь загрузить данные датчика в ThingSpeak, но я думаю, что команды AT больше не работают, поскольку я получаю сообщение об ошибке espData не была объявлена в этой области. Вот мой код.

// это новый код, который я ввел в ESP8266 и загружаю информацию с датчика в thinkSpeak с помощью GPIO 2 Как вы можете видеть, я использовал WifiManager для подключения к Wi-Fi, а затем считывал показания датчика, работающего от Arduino, через порт GPIO 2.

 #include <FS.h>

#include <ESP8266WiFi.h>          //https://github.com/esp8266/Arduino

//needed for library
#include <DNSServer.h>
#include <ESP8266WebServer.h>
#include <WiFiManager.h>         //https://github.com/tzapu/WiFiManager
#include <ArduinoJson.h>

//NEW STUFF START

char apiKey[20]="";
WiFiClient client;

char defaultHost[100] = "api.thingspeak.com";  //Thing Speak IP address (sometime the web address causes issues with ESP's :/
    long itt = 500;
    long itt2 = 500;

const byte wifiResetPin = 13;
int interruptPinDebounce = 0;
long debouncing_time = 1000;
volatile unsigned long wifiResetLastMillis = 0;


bool shouldSaveConfig = false;

void saveConfigCallback () {
  Serial.println("Should save config");
  shouldSaveConfig = true;}

  void handleWifiReset(){
    if(millis()<wifiResetLastMillis){
      wifiResetLastMillis = millis();
    }
    if((millis() - wifiResetLastMillis)>= debouncing_time){
      Serial.println("Clearing WiFi data resetting");
      WiFiManager wifiManager;
      wifiManager.resetSettings();
      SPIFFS.format();
      ESP.reset();
      delay(1000);
    }
    wifiResetLastMillis = millis();
  }

void setup() {
  WiFiManager wifiManager;
    // put your setup code here, to run once:
    Serial.begin(115200);
    pinMode(wifiResetPin, INPUT_PULLUP);
    attachInterrupt(digitalPinToInterrupt(wifiResetPin), handleWifiReset,FALLING);

    //NEW STUFF START
    //clean FS, for testing
  //SPIFFS.format();

  //read configuration from FS json
  Serial.println("mounting FS...");

  if (SPIFFS.begin()) {
    Serial.println("mounted file system");
    if (SPIFFS.exists("/config.json")) {
      //file exists, reading and loading
      Serial.println("reading config file");
      File configFile = SPIFFS.open("/config.json", "r");
      if (configFile) {
        Serial.println("opened config file");
        size_t size = configFile.size();
        // Allocate a buffer to store contents of the file.
        std::unique_ptr<char[]> buf(new char[size]);

        configFile.readBytes(buf.get(), size);
        DynamicJsonBuffer jsonBuffer;
        JsonObjectamp; json = jsonBuffer.parseObject(buf.get());
        json.printTo(Serial);
        if (json.success()) {
          Serial.println("nparsed json");
          strcpy(defaultHost, json["defaultHost"]);
          strcpy(apiKey, json["apiKey"]);
        } else {
          Serial.println("failed to load json config");
        }
      }
    }
  } else {
    Serial.println("failed to mount FS");
  }
  WiFiManagerParameter customHostServer("defaultHost", "Host Server", defaultHost, 100);
  WiFiManagerParameter customAPIKey("apiKey", "ThingSpeakWriteAPI", apiKey, 20);
//END NEW STUFF
    //WiFiManager
    //Local intialization. Once its business is done, there is no need to keep it around
   //WiFiManager wifiManager;

    //NEW STUFF START 
    wifiManager.setSaveConfigCallback(saveConfigCallback);
    wifiManager.addParameter(amp;customHostServer);
    wifiManager.addParameter(amp;customAPIKey);
     //END NEW STUFF
    //reset saved settings
   //wifiManager.resetSettings();

    //set custom ip for portal
    //wifiManager.setAPStaticIPConfig(IPAddress(10,0,1,1), IPAddress(10,0,1,1), IPAddress(255,255,255,0));

    //fetches ssid and pass from eeprom and tries to connect
    //if it does not connect it starts an access point with the specified name
    //here  "AutoConnectAP"
    //and goes into a blocking loop awaiting configuration
    wifiManager.autoConnect("AutoConnectAP");
    Serial.println("Connected");
  //NEW STUFF START
  strcpy(defaultHost, customHostServer.getValue());
  strcpy(apiKey, customAPIKey.getValue());
  if (shouldSaveConfig) {
    Serial.println("saving config");
    DynamicJsonBuffer jsonBuffer;
    JsonObjectamp; json = jsonBuffer.createObject();
    json["defaultHost"] = defaultHost;
    json["apiKey"] = apiKey;
    File configFile = SPIFFS.open("/config.json", "w");
    if (!configFile) {
      Serial.println("failed to open config file for writing");
    }

    json.printTo(Serial);
    json.printTo(configFile);
    configFile.close();
    //end save
  }
  Serial.println("local ip");
  Serial.println(WiFi.localIP());
  //END NEW STUFF
    //or use this for auto generated name ESP   ChipID
    //wifiManager.autoConnect();
pinMode(2,INPUT);
pinMode(1,INPUT);

    Serial.println("WriteApi");
    Serial.println(apiKey);


    //if you get here you have connected to the WiFi
    Serial.println("connected...yeey :)");
     //save the custom parameters to FS
     strcpy(defaultHost,customHostServer.getValue());
  strcpy(apiKey,customAPIKey.getValue());

}

//callback notifying us of the need to save config


void loop() {
  delay(5000);

String apiKey2 = apiKey;
char defaultHost[100] = "api.thingspeak.com";
  pinMode(2,INPUT);
  pinMode(1,INPUT);

  const int waterInPin = 2;  // Analog input pin that the potentiometer is attached to
    const int BatteryInPin = 1;  // Analog input pin that the potentiometer is attached to
    int waterSensorInValue;//reading our water lever sensor
int waterSensorOutValue;//conversion of water sensor value
int BatterySensorInValue;//reading our water lever sensor
int BatterySensorOutValue;//conversion of water sensor value
    // put your main code here, to run repeatedly:
    waterSensorInValue = analogRead(waterInPin);
   BatterySensorInValue = analogRead(BatteryInPin);
  waterSensorOutValue = map(waterSensorInValue,0,1024,0,225);
  BatterySensorOutValue = map(BatterySensorInValue,0,1024,0,225);
 Serial.println("WaterOutValue = ");
  Serial.println(waterSensorOutValue );
  Serial.println("WaterInValue = ");
  Serial.println(waterSensorInValue );
  Serial.println("BatteryOutValue = ");
  Serial.println(BatterySensorOutValue );
  Serial.println("BatteryInValue = ");
  Serial.println(BatterySensorInValue);
    delay(18000);
    itt = waterSensorInValue;
    itt2 = BatterySensorInValue;






    if (client.connect(defaultHost,80))
    { // "184.106.153.149" or api.thingspeak.com
        itt  ;  //Replace with a sensor reading or something useful

        String postStr = apiKey;
        postStr  ="amp;field1=";
        postStr  = String(itt);
        postStr  ="amp;field2=";
        postStr  = String(itt2);
        postStr  = "rnrnrn";

        client.print("POST /update HTTP/1.1n");
        client.print("Host: api.thingspeak.comn");
        client.print("Connection: closen");
        client.print("X-THINGSPEAKAPIKEY: " String (apiKey) "n");
        client.print("Content-Type: application/x-www-form-urlencodedn");
        client.print("Content-Length: ");
        client.print(postStr.length());
        client.print("nnn");
        client.print(postStr);

        Serial.println("% send to Thingspeak");
    }

    client.stop();

    Serial.println("Waiting…");

    delay(20000);
}
  

Я добавлю другой код на плату Arduino, не связанный с датчиком или Интернетом
Однако приведенный выше код отлично работает, пока он подключен к последовательному порту и запускается непосредственно после загрузки кода. Если я отключу Arduino от последовательного порта на компьютере, а затем снова подключу, ничего не произойдет. Я бы подумал, что он должен продолжать выполнять приведенный выше код, подключаясь к Интернету, считывая датчик и отправляя информацию в ThingSpeak, но это не так. Есть идеи, почему это происходит.

Я заменяю старый код на новый, который предположительно сохраняет мой ThingSpeak write api для SPIFFS. Если я удалю настройку, а затем загружу с размером флэш-памяти, установленным на 512 кб (128 кб SPIFFS), FS подключится, а хост по умолчанию и ключ записи Api сохранятся в SPIFF, а затем ESP8266 перезапустится, подключится к Интернету и перейдет в ThingSpeak и обновит показания датчика. Проблема остается в том, что я хочу отключить ESP8266 для экономии энергии, но когда я перезапускаю его, запускается только цикл (void), поэтому, даже если он подключается к Wi-Fi и, возможно, даже к ThingSpeak, он не обновляет входы датчиков. Как мне получить ключ записи информационного API из SPIFFS в часть цикла (void) моего sketch, чтобы он отправлял данные датчика в ThingSpeak после завершения работы. Или я не подключаюсь к ThingSpeak. В любом случае, это другой вопрос, поэтому я сделаю репост с более конкретным вопросом и отмечу этот ответ.

Ответ №1:

Это отвечает на многие вопросы, которые у меня были о процессе подключения к другому Wi-Fi и паролю с ESP8266 и Arduino uno и добавлении пользовательских параметров. У меня все еще есть несколько проблем, но я задам их в отдельном сообщении, с которым, надеюсь, кто-нибудь сможет мне помочь.