目录

实现一个可以设置超时时间的 promise

目录

有些需求中,不能无限的等待 Promise,需要设置一个超时时间,但是原生函数又没有超时设置,于是手动实现一个 PromiseWithTimeout

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
/**
 * 模拟 回调 方式的异步
 */
const sleep = (timer, cb) => {
  if (isNaN(Number(timer))) {
    cb(new Error("illegal"));
  }
  setTimeout(() => {
    cb(null, "ok");
  }, timer);
};

/**
 * 将 callback 写法 promise 化
 */
const promisify = (fn) => {
  return (param) => {
    return new Promise((res, rej) => {
      const cb = (err, data) => {
        if (err) {
          rej(err);
        } else {
          res(data);
        }
      };
      fn(param, cb);
    });
  };
};

/**
 * 包装函数,剥离超时的逻辑
 */
const PromiseWithTimeout = (promiseFn, timeout, timeoutMessage) => {
  let timer = null;

  const timeoutPromise = new Promise((rej) => {
    timer = setTimeout(() => {
      rej(timeoutMessage);
    }, timeout);
  });

  const targetPromise = new Promise((res, rej) => {
    promiseFn(res, rej);
  });

  return Promise.race([targetPromise, timeoutPromise]).finally(() => {
    clearTimeout(timer);
  });
};

// ==== 以下是业务逻辑 ====

const app = () => {
  return PromiseWithTimeout(
    (res) => {
      const _sleep = promisify(sleep);
      _sleep(2000).then((data) => {
        console.log("callback");
        res(data);
      });
    },
    1000,
    "超时"
  );
};

app()
  .then((res) => {
    console.log(res);
  })
  .catch((rej) => {
    console.log(rej);
  });