我正在尝试创建一个与Arduino一起使用的库来执行一些Web操作,无论Arduino是使用EthernetClient还是WiFiClient。自从我接触到C ++中的任何东西以来已经很多年了,而且我认为我搞乱了整个“指针”与“参考”与“价值”的东西。
我似乎无法正确使用&或者*,或其他任何使这项工作,以便我可以有一个通用的客户端数据类,它被设置为WiFiClient或EthernetClient值。
有人可以帮助解释我做错了什么,为什么它不起作用,以及可能的正确方法是什么,这样才能起作用?
以下是我在Header中的内容:
#ifndef web_h
#define web_h
#include "Arduino.h"
#include "Client.h"
#include "WiFiClient.h"
#include "EthernetClient.h"
class web {
public:
web(WiFiClient* client);
web(EthernetClient* client);
void makeCall();
private:
Client& _client;
String getRequest(String server, int port, String url);
};
#endif
这是我在我的图书馆cpp中的内容:
#include "Arduino.h"
#include "web.h"
#include "Client.h"
#include "WiFiClient.h"
#include "EthernetClient.h"
web::web(WiFiClient* client){
_client = client;
}
web::web(EthernetClient* client){
_client = client;
}
void web::makeCall(){
String response = getRequest("www.google.com", 80, "/");
Serial.println(response);
}
String web::getRequest(String server, int port, String url){
String response = "";
char cServer[server.length() + 1];
server.toCharArray(cServer, server.length() + 1);
if(_client.connect(cServer, port)){
_client.println("GET " + url + " HTTP/1.1");
_client.println("Host: " + server);
_client.println();
while (_client.available()) {
char c = _client.read();
response = response + c;
}
}
Serial.println("inside");
Serial.println(response);
return response;
}
这就是我正在尝试使用该库的地方:
#include <SPI.h>
#include "ESP8266WiFi.h"
#include <web.h>
char ssid[] = "MYSID"; // your network SSID (name)
char pass[] = "WIRELESSPWD";
int status = WL_IDLE_STATUS;
WiFiClient* client;
web webClient(*client);
void setup() {
Serial.begin(9600);
while (!Serial) {
; // wait for serial port to connect. Needed for native USB port only
}
while (status != WL_CONNECTED) {
Serial.print("Attempting to connect to SSID: ");
Serial.println(ssid);
status = WiFi.begin(ssid, pass);
delay(10000);
}
Serial.print("SSID: ");
Serial.println(WiFi.SSID());
webClient.makeCall();
}
void loop() {
}
我得到的错误包括以下内容,具体取决于我随机放置&amp;,*等的位置,因为我真的不明白我在做什么。它永远不会编译:
wifi_test:10: error: no matching function for call to 'web::web(WiFiClient&)'
error: uninitialized reference member 'web::_client' [-fpermissive]
web::web(WiFiClient& client){
答案 0 :(得分:1)
class web {
private:
Client& _client;
};
_client
是对Client
对象的引用。与指针不同,您无法更改引用&#34;指向&#34;的位置。所以你必须用一个值初始化它。
web::web(WiFiClient* client){
_client = client;
}
在构造函数中,您没有初始化_client
变量,但是您尝试为其赋值。这就是你得到错误的原因
错误:未初始化的参考成员&#39; web :: _ client&#39;
要初始化引用,您必须在构造函数中使用初始化列表。这是一个简化版本,它也只使用一个构造函数,因为你不必同时拥有两个重载。
class web {
public:
web(Client& client);
void makeCall();
private:
Client& _client;
String getRequest(String server, int port, String url);
};
web::web(Client& client)
: _client(client)
{
}
然后你可以创建一个web
对象:
WiFiClient client;
web webClient(client);
如果您想有效地使用它们,我建议您阅读有关引用和指针的内容。否则你会不断遇到问题。
答案 1 :(得分:0)
您的编译错误是在表达式
中滥用'*'运算符web webClient(*client);
您所写的内容是指:向构造函数发送地址为“client”的对象的引用。如果删除'*'字符,则此特定错误应该消失。