Node.js
Async / Warten
Suche…
Einführung
Async / await ist ein Satz von Schlüsselwörtern, mit dem asynchroner Code prozedural geschrieben werden kann, ohne sich auf Callbacks ( Callback Hell ) oder Promise-Chaining ( .then().then().then()
) zu verlassen.
Dies funktioniert, indem Sie das await
Schlüsselwort verwenden, um den Status einer asynchronen Funktion bis zur Auflösung eines Versprechens zu unterbrechen, und das async
Schlüsselwort verwenden, um solche async-Funktionen zu deklarieren, die ein Versprechen zurückgeben.
Async / await ist standardmäßig von node.js 8 oder mit dem Flag --harmony-async-await
verfügbar.
Async-Funktionen mit Try-Catch-Fehlerbehandlung
Eine der besten Funktionen der async / await-Syntax besteht darin, dass standardmäßige Try-Catch-Codierungsmethoden möglich sind, genau wie Sie synchronen Code schreiben.
const myFunc = async (req, res) => {
try {
const result = await somePromise();
} catch (err) {
// handle errors here
}
});
Hier ein Beispiel mit Express und Promise-mysql:
router.get('/flags/:id', async (req, res) => {
try {
const connection = await pool.createConnection();
try {
const sql = `SELECT f.id, f.width, f.height, f.code, f.filename
FROM flags f
WHERE f.id = ?
LIMIT 1`;
const flags = await connection.query(sql, req.params.id);
if (flags.length === 0)
return res.status(404).send({ message: 'flag not found' });
return res.send({ flags[0] });
} finally {
pool.releaseConnection(connection);
}
} catch (err) {
// handle errors here
}
});
Vergleich zwischen Versprechen und Async / Await
Funktion mit Versprechen:
function myAsyncFunction() {
return aFunctionThatReturnsAPromise()
// doSomething is a sync function
.then(result => doSomething(result))
.catch(handleError);
}
Hier also, wenn Async / Await in Aktion tritt, um unsere Funktion zu reinigen:
async function myAsyncFunction() {
let result;
try {
result = await aFunctionThatReturnsAPromise();
} catch (error) {
handleError(error);
}
// doSomething is a sync function
return doSomething(result);
}
Das Schlüsselwort async
wäre also ähnlich wie write return new Promise((resolve, reject) => {...}
.
Und await
ähnlich ab, um Ihr Ergebnis then
Rückruf zu bekommen.
Hier hinterlasse ich ein recht kurzes Gif, das keinen Zweifel hinterlassen wird, nachdem ich es gesehen habe:
Fortschritt aus Rückrufen
Am Anfang gab es Rückrufe und Rückrufe waren in Ordnung:
const getTemperature = (callback) => {
http.get('www.temperature.com/current', (res) => {
callback(res.data.temperature)
})
}
const getAirPollution = (callback) => {
http.get('www.pollution.com/current', (res) => {
callback(res.data.pollution)
});
}
getTemperature(function(temp) {
getAirPollution(function(pollution) {
console.log(`the temp is ${temp} and the pollution is ${pollution}.`)
// The temp is 27 and the pollution is 0.5.
})
})
Es gab jedoch ein paar wirklich frustrierende Probleme mit Rückrufen, sodass wir alle anfingen, Versprechen zu verwenden.
const getTemperature = () => {
return new Promise((resolve, reject) => {
http.get('www.temperature.com/current', (res) => {
resolve(res.data.temperature)
})
})
}
const getAirPollution = () => {
return new Promise((resolve, reject) => {
http.get('www.pollution.com/current', (res) => {
resolve(res.data.pollution)
})
})
}
getTemperature()
.then(temp => console.log(`the temp is ${temp}`))
.then(() => getAirPollution())
.then(pollution => console.log(`and the pollution is ${pollution}`))
// the temp is 32
// and the pollution is 0.5
Das war ein bisschen besser. Schließlich fanden wir async / await. Was noch Versprechen unter der Haube einsetzt.
const temp = await getTemperature()
const pollution = await getAirPollution()
Stoppt die Ausführung bei Erwarten
Wenn das Versprechen etwas nicht zurückkehrt, kann die Asynchron - Aufgabe mit abgeschlossen werden await
.
try{
await User.findByIdAndUpdate(user._id, {
$push: {
tokens: token
}
}).exec()
}catch(e){
handleError(e)
}