我正在尝试在arduino Galielo Gen 2和python客户端之间打开UDP套接字。我想将温度传感器捕获的值从 arduino 发送到客户端,并从客户端接收回响应。
Arduino 代码 :
#include <Ethernet.h> //Load Ethernet Library
#include <EthernetUdp.h> //Load UDP Library
#include <SPI.h> //Load the SPI Library
byte mac[] = { 0x98, 0x4F, 0xEE, 0x01, 0xF1, 0xBE }; //Assign a mac address
IPAddress ip( 192,168,1,207);
//IPAddress gateway(192,168,1, 1);
//IPAddress subnet(255, 255, 255, 0);
unsigned int localPort = 5454;
char packetBuffer[UDP_TX_PACKET_MAX_SIZE];
String datReq;
int packetSize;
EthernetUDP Udp;
void setup() {
Serial.begin(9600);
Ethernet.begin(mac, ip);
Udp.begin(localPort);
delay(2000);
}
void loop() {
int sensor = analogRead (A0);
float voltage = ((sensor*5.0)/1023.0);
float temp = voltage *100;
Serial.println(temp);
packetSize = Udp.parsePacket();
if(packetSize>0)
{
Serial.print("Received packet of size ");
Serial.println(packetSize);
Serial.print("From ");
IPAddress remote = Udp.remoteIP();
for (int i =0; i < 4; i++)
{
Serial.print(remote[i], DEC);
if (i < 3)
{
Serial.print(".");
}
}
Serial.print(", port ");
Serial.println(Udp.remotePort());
Udp.read(packetBuffer, UDP_TX_PACKET_MAX_SIZE);
Serial.println("Contents:");
Serial.println(packetBuffer);
String datReq(packetBuffer);
Udp.beginPacket(Udp.remoteIP(), 5454 );
Udp.print(temp);
Udp.endPacket();
}
delay(50);
}
蟒蛇代码:
from socket import *
import time
address = ( '192.168.1.207', 5454)
client_socket = socket(AF_INET, SOCK_DGRAM)
client_socket.settimeout(5)
while(1):
data = "Temperature"
client_socket.sendto(data, address)
rec_data, addr = client_socket.recvfrom(2048)
print rec_data
尝试代码后,这是arduino上的结果:
收到大小为 11 的数据包从 255.255.255.255,端口 0内容:温度
在python上,我收到以下消息:回溯(最近一次调用): 文件 "C:/Users/enwan/Desktop/te/temp.py",第 12 行,在 rec_data, addr = client_socket.recvfrom(2048)超时:超时
有什么帮助吗?
您尚未初始化运行 python 代码的计算机的地址。
IPAddress remote = Udp.remoteIP();
正在初始化地址 255.255.255.255,这不是有效的 IP 地址。它似乎没有获得远程IP。
此外,不会在以下行中检索远程端口,并且设置为默认值 0:
Udp.remotePort()
因此,arduino 正在尝试将数据发送到端口 0 的 IP 地址 255.255.255.255。结果,python代码超时,因为arduino没有正确寻址PC。
您将需要直接解决您的python PC,即。设置:
IPAddress remoteip(192,168,1,X); // whatever your PC ip address is
Udp.beginPacket(remoteip, 5454 );
Udp.print(temp);
Udp.endPacket();
UDP 库可能有一种方法可以根据您在 arduino 上收到的数据包设置 ip 和端口,但您必须了解如何获取该信息。
您从未在 Python 脚本中调用 bind() 将 UDP 套接字绑定到端口,因此操作系统不知道您希望 UDP 套接字接收任何数据包,因此从不向您传递任何数据包。
以下是您需要具备的内容:
client_socket = socket(AF_INET, SOCK_DGRAM)
client_socket.bind(("", portNum)) # where portNum is the port number your Arduino is sending to
[...]
rec_data, addr = client_socket.recvfrom(2048)