1

Node.js中如何增加dns解析的超时时间?我正在尝试解析 url 以查看可用的内容,但是很多请求都超时并且可能是误报。

// checks a url string for availability and errors on 'err'
function checkAvailable( url ) {
  dns.resolve4( url, function (err, addresses) {
    if (err) console.log (url + " : " + err)
  })
}
4

1 回答 1

2

Node.js DNS 模块是围绕c-ares的包装器,并且选项非常少。如果您需要提供任何(例如超时),我建议您查看node-dns,它为 DNS 模块中的所有可用功能提供 1:1 映射,以及用于指定更高级选项(包括超时)的其他方法):

var dns = require('native-dns');

var question = dns.Question({
  name: 'www.google.com',
  type: 'A'
});

var req = dns.Request({
  question: question,
  server: { address: '8.8.8.8', port: 53, type: 'udp' },
  timeout: 1000
});

req.on('timeout', function () {
  console.log('Timeout in making request');
});

req.on('message', function (err, answer) {
  answer.answer.forEach(function (a) {
    console.log(a.promote().address);
  });
});

req.on('end', function () {
  console.log('Finished processing request');
});

req.send();
于 2012-07-09T03:25:46.863 回答