1

我正在尝试使用 Arduino 以太网库构建一个小项目,但我遇到了一个奇怪的 DNS 问题:

它无法解析我的网络本地的任何域名,但解析公共域名没有问题

我的网络上没有其他系统对这些本地域名有问题。它似乎只是 Arduino。

这是我正在使用的:

这是我的测试草图:

#include <SPI.h>
#include <Ethernet.h>
#include <Dns.h>
#include <EthernetUdp.h>

byte mac[] = {  0x00, 0xAA, 0xBB, 0xCC, 0xDE, 0x02 };

EthernetClient client;

void setup() {
  Serial.begin(9600);

  if (Ethernet.begin(mac) == 0) {
    Serial.println("Failed to configure Ethernet using DHCP");
    while(true);
  }

  delay(1000);
  Serial.println("connecting...");
  DNSClient dnsClient;

  // Router IP address
  byte dnsIp[] = {192, 168, 11, 1};

  dnsClient.begin(dnsIp);

  // Regular DNS names work...
  IPAddress ip1;
  dnsClient.getHostByName("www.google.com", ip1);
  Serial.print("www.google.com: ");
  Serial.println(ip1);

  // However local ones defined by my router do not (but they work fine everywhere else)...
  IPAddress ip2;
  dnsClient.getHostByName("Tycho.localnet", ip2);
  Serial.print("Tycho.localnet: ");
  Serial.println(ip2);
}

void loop() {

}

这是它的输出(第二个 IP 地址不正确):

connecting...
www.google.com: 74.125.227.84
Tycho.localnet: 195.158.0.0

以下是连接到同一网络的 Linux 机器给出的正确信息:

$ nslookup www.google.com
Server:         192.168.11.1
Address:        192.168.11.1#53

Non-authoritative answer:
Name:   www.google.com
Address: 74.125.227.80
Name:   www.google.com
Address: 74.125.227.84
Name:   www.google.com
Address: 74.125.227.82
Name:   www.google.com
Address: 74.125.227.83
Name:   www.google.com
Address: 74.125.227.81

$ nslookup Tycho.localnet
Server:         192.168.11.1
Address:        192.168.11.1#53

Name:   Tycho.localnet
Address: 192.168.11.2

这是怎么回事?

4

2 回答 2

2

我不知道您是否已经找到解决方案,但以防万一:

inet_atonDNS库的一部分存在缺陷:

这应该将字符串 IP 地址转换为 IPAddress 类型。

要找出它测试字符串中的每个字符的数字:

while (*p &&
       ( (*p == '.') || (*p >= '0') || (*p <= '9') ))

但任何字母字符匹配*p >= '0'

它应该是:

while (*p &&
       ( (*p == '.') || ((*p >= '0') && (*p <= '9')) ))

您需要在Dns.cpp.

于 2014-08-22T08:00:18.800 回答
0

许多路由器将提供其 LAN 端 IP 地址作为 DNS 地址——这是 DHCP 设置的典型行为。这并不一定意味着它们实际上是服务器。有些只是将 DNS 请求转发到 WAN 端服务器并返回响应。路由器只是代理的这种类型的配置解释了您的症状。

当路由器是代理时,Arduino DNS 请求只是被转发到不知道您本地名称的外部 DNS 服务器。

Linux 机器正在使用其他网络协议来发现本地名称。本地计算机名称已知的 Windows 计算机也会发生同样的情况。如果您运行像 Wireshark 这样的网络监视器,您会看到计算机定期向其他计算机宣布它们的存在。Arduino 只有简单的 TCP/IP,不处理这些广播。

如果路由器真的是服务器,那么您必须配置一个包含名称到 IP 地址映射条目的表。要完成这项工作,您不能使用动态地址,因为您在表格中输入的内容有一天会变得无效。要使本地 DNS 服务器与 DHCP 一起工作,您需要在计算机端或通过将特定 MAC 地址链接到特定 IP 地址来锁定每台计算机的 IP 地址。

于 2013-08-05T03:09:36.517 回答