我有这些函数用于通过api调用检索令牌。如果用户输入了错误的密码,则承诺将拒绝并在拒绝时再次调用该函数以再次尝试用户。
如果用户第一次输入正确的密码,则没有问题。
但是如果用户输入了错误的密码并再次尝试...但是再次尝试成功,我就会遇到内存问题。由于在第二次尝试时递归调用callApiToken()
,因此承诺已满,并且callApiToken().then(function() { refreshToken(); })
被调用。 file.token = JSON.parse(tokenString);
已完成,但内存范围不同。不知道该怎么做。我说这是因为例程运行成功。但是全局var file
并没有应该填充。
createTokenFile()
。
var file = {};
function createTokenFile() {
block = true;
callApiToken()
.then(function() { refreshToken(); }) // ON THE SECOND RECURSIVE
.catch(function() { // RUN refreshToken() IS CALLED
callApiToken();
}).finally(function() {
block = false;
});
}
function refreshToken() {
var tokenFileAbsolute = path.join(__dirname, 'token-file.json');
return fs.readFileAsync(tokenFileAbsolute, {encoding: 'utf-8'})
.then(function(tokenString) {
file.token = JSON.parse(tokenString);
}).catch(function(err) {
console.log("No token-file.json file found. " .red +
"Please complete for a new one." .red);
createTokenFile();
});
}
更新与其他承诺代码一起解析callApiToken()
实际为getCredentials
:
注意:fs.writeFileAsync(tokenFile, token)
在第二次递归调用时成功完成。
function getPassword(user) {
return readAsync({prompt: "Password: ", silent: true, replace: "*" })
.then(function(pass) {
return postAsync(URL, payload(user[0], pass[0]));
});
}
function getCredentials() {
return readAsync({prompt: "Username: "}).then(getPassword);
}
function writeToFile(data, response) {
tokenFile = path.join(__dirname, 'token-file.json');
token = JSON.stringify({
id: data.access.token.id,
expires: data.access.token.expires
});
return fs.writeFileAsync(tokenFile, token).then(function(err) {
if (err) throw err;
console.log("Token was successfully retrieved and written to " .cyan +
tokenFile .cyan + "." .cyan);
});
}
答案 0 :(得分:2)
没有"内存范围"。你只是有一个时间问题!
如果某个动作是异步的,那么当您想要等待结果时,总是必须return
来自该函数的承诺 - 而您似乎也是如此。
var file = {};
function createTokenFile() {
block = true;
callApiToken()
.then(function() {
return refreshToken();
// ^^^^^^ here
})
.catch(function() {
return callApiToken();
// ^^^^^^ and here
}).finally(function() {
block = false;
});
}
function refreshToken() {
var tokenFileAbsolute = path.join(__dirname, 'token-file.json');
return fs.readFileAsync(tokenFileAbsolute, {encoding: 'utf-8'})
.then(function(tokenString) {
file.token = JSON.parse(tokenString);
}).catch(function(err) {
console.log("No token-file.json file found. " .red +
"Please complete for a new one." .red);
return createTokenFile();
// ^^^^^^ and here!!!
});
}
不过,我的猜测是你的递归存在缺陷。不希望refreshToken
拒绝,createTokenFile
从内部调用自己(而不是第二个callApiToken()
)?