1

I need to perform a number of HTTP calls to external API as part of the initialisation of my Node.js back-end (collect data from external API and initialize local data). Ideally something like this

function callOne() {...}
function callTwo(input) {...}
function callThree(input) {...}

result1 = callOne();
result2 = callTwo(result1);
result3 = callThree(result2);

with each step separated from the other.

The straightforward solution with nested .then() guarantees the pipeline sequence, but doesn't look very nice to me (poor readability, hard to debug, complicated management of errors with .catch() at each step...). I tried to follow the async/await pattern, something like this:

...
function async callOne() {
   const promise = await axios.get(url1);
   return promise.data;
}
function async callTwo(params) {
   const promise = await axios.get(url2,params);
   return promise.data;
}
function async callThree(data) {
   const promise = await axios.get(url3,params);
   return promise.data;
}
result1 = callOne();
result2 = callTwo(result1);
result3 = callThree(result2);
console.log(result3);
...

but somehow didn't work (.data is specified on a pending Promise, which leads to "property of undefined object"). What's wrong with the example above? What's the purpose of await if it still returns a pending Promise? How could I have the function actually returning the final value?

--Thomas

Tobias S.
  • 21,159
  • 4
  • 27
  • 45
zeroquaranta
  • 392
  • 4
  • 16
  • Perhaps you didn't realize that [All async functions return a promise](https://stackoverflow.com/questions/56895695/why-do-i-need-to-await-an-async-function-when-it-is-not-supposedly-returning-a-p/56895719#56895719) and a caller of any `async` function must use either `.then()` or `await` to get the resolved value from the `async` function or to know when it completes. Read that link for further explanation. – jfriend00 Apr 19 '22 at 01:56
  • yes, I know that, and as .then() is asynchronous I can't have mu function completed before proceed. calling all the functions with await and put them in an async function is an acceptable solution – zeroquaranta Apr 19 '22 at 06:58

1 Answers1

2

Every async function always returns a Promise. Since you don't use await or .then() when calling the three functions, they don't wait for each other. You should rather do it like this:

async function callApi(){
  const result1 = await axios.get(url1)
  const result2 = await axios.get(url2, result1.data)
  const result3 = await axios.get(url3, result2.data)
}

The same thing would also apply if you want to keep the functions.

result1 = await callOne();
result2 = await callTwo(result1);
result3 = await callThree(result2);

Just keep in mind: To use await keyword you need to be inside a function marked async.

Tobias S.
  • 21,159
  • 4
  • 27
  • 45