Javascript异步函数控制台记录返回的数据
Posted
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了Javascript异步函数控制台记录返回的数据相关的知识,希望对你有一定的参考价值。
如何控制日志 - 或者使用异步函数内部返回的数据做任何事情?
示例:JS FILE:
async function getData(){
try {
$.getJSON('./data.json', (data) => {
return data;
});
} catch(error) {
console.log("error" + error);
} finally {
console.log('done');
}
}
console.log(getData());
JSON文件:
{
"stuff": {
"First": {
"FirstA": {
"year": [2007, 2008, 2009, 2010, 2011, 2012, 2013, 2014, 2015, 2016, 2017],
"Categories": ["Suspension", "Electrical", "Performance", "Motor"]
},
"FirstB": {
"year": [2007, 2008, 2009, 2010, 2011, 2012],
"Categories": ["Suspension", "Electrical", "Performance", "Motor"]
}
},
"Second": {
"SecondA": {
"year": [2002, 2003, 2004, 2005, 2006],
"Categories": ["Suspension", "Electrical", "Performance", "Motor"]
},
"SecondB": {
"year": [2007, 2008, 2009, 2010, 2011, 2012],
"Categories": ["Suspension", "Electrical", "Performance", "Motor"]
}
}
}
}
如何返回/访问JSON文件中的所有信息并使用它。例如,我想把“First”和“Second”添加到div中。与“FirstA”和“FirstB”以及“SecondA”和“SecondB”相同......等等。
现在,我得到了Promise {:undefined}
任何帮助将不胜感激。
--------- --------- UPDATE
如果我在函数中运行控制台日志,那么我可以看到json数据,但我需要访问函数外部的数据。
哔叽
答案
两个问题:
- 要设置
async
函数创建的promise的分辨率值,必须使用return
函数本身的async
语句。你的代码在return
回调中有一个getJSON
(被忽略),而不是async
函数本身。 - 要获得
async
函数的分辨率值,您必须await
它(或以旧方式,通过then
等消耗其承诺)。
对于#1,您可以返回await
ing getJSON
的结果:
async function getData() {
try {
return await $.getJSON('./data.json').promise();
}
catch (error) {
console.log("error" + error);
}
finally {
console.log('done');
}
}
对于#2,你需要await
你的函数(反过来,这需要在async
function内):
console.log(await getData());
...或通过then
消费其承诺:
getData().then(data => {
console.log(data);
});
旁注:你的getData
隐藏了错误,将它们变成了值为undefined
的分辨率,这通常不是一个好主意。相反,请确保它传播错误:
catch (error) {
console.log("error" + error);
throw error;
}
然后,自然地,确保使用getData
处理或传播错误的任何事情,确保某处某处处理它(否则,您会得到“未处理的拒绝”错误)。
你的评论
如何从函数外部的日志中访问json文件中的“stuff”?
getData
的异步结果/分辨率值是JSON定义的对象(它不再是JSON,它已被解析)。所以你在它上面使用.stuff
,例如:
// In an `async` function
console.log((await getData()).stuff);
// Or using `then`:
getData().then(data => {
console.log(data.stuff);
});
以上是关于Javascript异步函数控制台记录返回的数据的主要内容,如果未能解决你的问题,请参考以下文章