forked from homieiot/homie-esp8266
-
Notifications
You must be signed in to change notification settings - Fork 0
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
Add SimpleServer example to show how to GET and POST and use paramete…
…rs (homieiot#341)
- Loading branch information
Showing
1 changed file
with
72 additions
and
0 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,72 @@ | ||
// | ||
// A simple server implementation showing how to: | ||
// * serve static messages | ||
// * read GET and POST parameters | ||
// * handle missing pages / 404s | ||
// | ||
|
||
#include <Arduino.h> | ||
#include <ESP8266WiFi.h> | ||
#include <Hash.h> | ||
#include <ESPAsyncTCP.h> | ||
#include <ESPAsyncWebServer.h> | ||
|
||
AsyncWebServer server(80); | ||
|
||
const char* ssid = "YOUR_SSID"; | ||
const char* password = "YOUR_PASSWORD"; | ||
|
||
const char* PARAM_MESSAGE = "message"; | ||
|
||
void notFound(AsyncWebServerRequest *request) { | ||
request->send(404, "text/plain", "Not found"); | ||
} | ||
|
||
void setup() { | ||
|
||
Serial.begin(115200); | ||
WiFi.mode(WIFI_STA); | ||
WiFi.begin(ssid, password); | ||
if (WiFi.waitForConnectResult() != WL_CONNECTED) { | ||
Serial.printf("WiFi Failed!\n"); | ||
return; | ||
} | ||
|
||
Serial.print("IP Address: "); | ||
Serial.println(WiFi.localIP()); | ||
Serial.print("Hostname: "); | ||
Serial.println(WiFi.hostname()); | ||
|
||
server.on("/", HTTP_GET, [](AsyncWebServerRequest *request){ | ||
request->send(200, "text/plain", "Hello, world"); | ||
}); | ||
|
||
// Send a GET request to <IP>/get?message=<message> | ||
server.on("/get", HTTP_GET, [] (AsyncWebServerRequest *request) { | ||
String message; | ||
if (request->hasParam(PARAM_MESSAGE)) { | ||
message = request->getParam(PARAM_MESSAGE)->value(); | ||
} else { | ||
message = "No message sent"; | ||
} | ||
request->send(200, "text/plain", "Hello, GET: " + message); | ||
}); | ||
|
||
// Send a POST request to <IP>/post with a form field message set to <message> | ||
server.on("/post", HTTP_POST, [](AsyncWebServerRequest *request){ | ||
String message; | ||
if (request->hasParam(PARAM_MESSAGE, true)) { | ||
message = request->getParam(PARAM_MESSAGE, true)->value(); | ||
} else { | ||
message = "No message sent"; | ||
} | ||
request->send(200, "text/plain", "Hello, POST: " + message); | ||
}); | ||
|
||
server.onNotFound(notFound); | ||
|
||
server.begin(); | ||
} | ||
|
||
void loop() { | ||
} |