Don’t get me wrong I have been forced to use waterfall because I need to execute one function after another. There is no problem related to the schema or return type just stuck with asynchronous waterfall. All I need is to return from the final function not before.
JavaScript
x
23
23
1
const async = require('async')
2
module.exports = {
3
logout : ()=>{
4
return async.waterfall([
5
callback => {
6
setTimeout(() => {
7
let data = 1;
8
return callback(null, data)
9
}, 2000);
10
},
11
(data, callback) => {
12
setTimeout(() => {
13
return callback(null, data+1)
14
}, 2000);
15
}
16
17
], (err, res)=>{
18
console.log(res)
19
return res
20
})
21
}
22
}
23
response from graphiql because It returns early. And console.log is working
JavaScript
1
18
18
1
{
2
"errors": [
3
{
4
"message": "Cannot return null for non-nullable field RootMutation.logout.",
5
"locations": [
6
{
7
"line": 4,
8
"column": 3
9
}
10
],
11
"path": [
12
"logout"
13
]
14
}
15
],
16
"data": null
17
}
18
Advertisement
Answer
Could you use async/await here? Along the lines of the below
JavaScript
1
13
13
1
async function logout(){
2
let data = await new Promise((resolve,reject) => {setTimeout(() => { resolve(1)},2000)});
3
4
data = await new Promise((resolve,reject) => {setTimeout(() => { resolve(data + 1)},2000)});
5
return data;
6
}
7
8
async function foo() {
9
let res = await logout();
10
alert(res)
11
}
12
13
foo()
Also I’m not familiar with the async library, but should you actually be returning the async.waterfall()
call in your example as that returns undefined
according to the docs.
Perhaps just
JavaScript
1
23
23
1
const async = require('async')
2
module.exports = {
3
logout : ()=>{
4
async.waterfall([
5
callback => {
6
setTimeout(() => {
7
let data = 1;
8
return callback(null, data)
9
}, 2000);
10
},
11
(data, callback) => {
12
setTimeout(() => {
13
return callback(null, data+1)
14
}, 2000);
15
}
16
17
], (err, res)=>{
18
console.log(res)
19
return res
20
})
21
}
22
}
23
If not perhaps share what GraphQL library you are using as well