I have an Object where the key is a stringified object and the value is a Promise that eventually resolves to a font object.
I use Promise.all
to wait for them all to resolve.
After this, I log the object in console and it looks like:
JavaScript
x
17
17
1
{
2
'{"family":"Roboto","style":"Regular","postscriptName":"Roboto-Light"}': Promise {
3
{
4
family: 'Roboto',
5
style: 'Regular',
6
postscriptName: 'Roboto-Light'
7
}
8
},
9
'{"family":"Roboto","style":"Regular","postscriptName":"Roboto-Medium"}': Promise {
10
{
11
family: 'Roboto',
12
style: 'Bold',
13
postscriptName: 'Roboto-Bold'
14
}
15
}
16
}
17
I want to enumerate through the object to ensure each postscript name in they key matches the one in the value:
JavaScript
1
9
1
let allPostscriptNamesMatch = true;
2
3
for (const font in myObj) {
4
const parsedFont = JSON.parse(font);
5
if (parsedFont.postscriptName !==) myObj[font].postscriptName) {
6
allPostscriptNamesMatch = false;
7
}
8
}
9
my problem is: myObj[font].postscriptName
is empty because it’s wrapped in a Promise. How can I get access to that?
Advertisement
Answer
You would use .then
:
JavaScript
1
6
1
myObj[font].postscriptName.then(name => {
2
if (parsedFont.postscriptName != name) {
3
allPostscriptNamesMatch = false;
4
}
5
});
6