Limit execution time of await dns reverse function js

400 views Asked by At

I have a function A that performs a dns.reverse(ip) (using 'dns' js npm) to check if IP is used or not. If it throws an error its free. Most of IPs it works as expected as it throws error straight away, but problem is that some IPs do not, it waits for 1.2minutes to timeout.

var dns = require('dns')
async function A(ip){
try{
 var host = await dns.reverse(ip)
 if (host.length >1) //its used
}catch(e){
 // free ip if dns.reverse failed
}
}

Is there a way for me to limit execution time of the await dns.reverse(ip) to lets say 5seconds, so it doesnt wait the whole 1.20min and just throw an error if it takes longer than 5 seconds to lookup? Thanks!

2

There are 2 answers

3
Guerric P On BEST ANSWER

You can use Promise.race() like this:

const dns = require('dns');

const timeout = (delay, message) => new Promise((_, reject) => setTimeout(reject, delay, message));

const delay = 5000;

async function A(ip) {
    try {
        const host = await Promise.race([dns.reverse(ip), timeout(delay, `DNS resolution timed out after ${delay} ms`)]);
        console.log(host);
    } catch (e) {
        console.error(e);
    }
}
0
Dmitriy Mozgovoy On

Just for fun :) Cancellable version (aborts the related network request)

import CPromise from "c-promise2";
import dns from 'dns';

const reverseIP = (ip, ms) => new CPromise((resolve, reject, {onCancel}) => {
    const resolver = new dns.Resolver();
    resolver.reverse(ip, (err, hosts)=> err? reject(err) : resolve(hosts));
    onCancel(() => resolver.cancel())
}).timeout(ms);

reverseIP('216.58.214.206', 2000)
    .then(hosts=> console.log(`Host: ${hosts}`), err=> console.warn(`Fail: ${err}`));

const request= reverseIP('16.58.214.206', 2000)
    .then(hosts=> console.log(`Host: ${hosts}`), err=> console.warn(`Fail: ${err}`));

setTimeout(()=> request.cancel(), 100);

reverseIP('16.58.214.206', 2000)
    .then(hosts=> console.log(`Host: ${hosts}`), err=> console.warn(`Fail: ${err}`));

Output:

Host: bud02s23-in-f206.1e100.net,bud02s23-in-f14.1e100.net
Fail: CanceledError: canceled
Fail: CanceledError: timeout

Process finished with exit code 0