Nota: Saya telah menerangkan keseluruhan topik langkah demi langkah, tetapi jangan ragu untuk melangkau ke mana-mana bahagian yang anda mempunyai soalan atau memerlukan penjelasan.
Sebelum kita memasuki javascript tak segerak, penting untuk memahami apa itu javascript segerak dan sebab kita memerlukan cara tak segerak untuk menulis kod javascript, bukan?
Apakah JavaScript Segerak?
Dalam pengaturcaraan segerak, tugasan dilaksanakan satu demi satu, secara berurutan. Tugasan seterusnya hanya boleh dimulakan selepas tugasan semasa selesai. Jika satu tugasan mengambil masa yang lama, yang lain mesti menunggu.
Anggap seperti menunggu dalam barisan di kedai runcit: jika orang di hadapan anda mempunyai banyak barang dan mengambil masa yang lama untuk menyemak, anda mesti menunggu giliran sehingga ia selesai sebelum anda boleh meneruskan.
console.log("Start cooking"); for (let i = 0; i <p>Inilah yang berlaku:</p> <ol> <li><p>Ia mencetak "Mulakan memasak".</p></li> <li><p>Kemudian ia memasuki gelung dan mencetak setiap "Masak X" satu demi satu.</p></li> <li><p>Hanya selepas gelung selesai, ia mencetak "Selesai memasak".</p></li> </ol> <p>Dalam kes ini, kod berjalan dengan teratur, dan tiada perkara lain yang boleh berlaku sehingga tugas semasa (memasak setiap hidangan) selesai. Bayangkan jika satu hidangan mengambil masa 10 minit untuk dimasak—semua yang lain perlu menunggu sehingga hidangan itu habis.</p> <h2> Apakah JavaScript Asynchronous? </h2> <p>Dalam pengaturcaraan tak segerak, tugasan boleh dimulakan dan semasa tugasan itu masih berjalan (cth., menunggu data daripada pelayan), tugasan lain boleh terus dijalankan. Anda tidak perlu menunggu satu tugasan selesai sebelum memulakan tugasan yang lain.</p> <p><strong>Fikirkan ia seperti membuat pesanan di restoran</strong>: anda memesan makanan anda dan semasa ia sedang disediakan, anda boleh terus bercakap dengan rakan anda atau menyemak telefon anda. Setelah makanan siap, pelayan akan membawakannya kepada anda.</p> <h4> Contoh Kod Asynchronous: </h4> <pre class="brush:php;toolbar:false">console.log("Start cooking"); setTimeout(() => { console.log("Cooking is done!"); }, 3000); // Simulate a task that takes 3 seconds console.log("Prepare other things while waiting");
Inilah yang berlaku:
Ia mencetak "Mulakan memasak".
Fungsi setTimeout memulakan pemasa 3 saat. Tetapi daripada menunggu, JavaScript segera beralih ke baris seterusnya.
Ia mencetak "Sediakan perkara lain sementara menunggu".
Selepas 3 saat, pemasa selesai dan mencetak "Memasak sudah selesai!".
Terdapat tiga cara utama untuk menulis JavaScript tak segerak, dan ia adalah:
Panggil balik
Janji
Async/Tunggu
Ini ialah pendekatan utama untuk mengendalikan kod tak segerak dalam JavaScript.
Panggilan balik
Satu fungsi panggil balik dalam JavaScript ialah fungsi yang anda hantar sebagai hujah kepada fungsi lain. Idea asas ialah anda menghantar atau mentakrifkan fungsi sebagai hujah kepada fungsi lain, dan fungsi yang diluluskan itu dipanggil 'Fungsi Panggilan Balik'. Panggilan balik dipanggil (atau "dipanggil") selepas tugasan tertentu selesai, selalunya selepas tugas tak segerak, seperti mengambil data daripada pelayan.
Ini membolehkan fungsi utama anda terus melakukan perkara lain tanpa menunggu tugasan selesai. Apabila tugasan selesai, panggilan balik dicetuskan untuk mengendalikan keputusan.
function mainFunc(callback){ console.log("this is set before setTimeout") callback() console.log("this is set after setTimeout") } function cb(){ setTimeout(()=>{ console.log("This is supposed to be painted after 3 second") },3000) } mainFunc(cb)
Kod ini menunjukkan konsep panggil balik dalam JavaScript. Begini caranya:
mainFunc mengambil fungsi panggil balik sebagai hujah.
Di dalam mainFunc, panggilan balik dilaksanakan serta-merta, tetapi memandangkan panggilan balik itu sendiri (fungsi cb) mengandungi setTimeout, ia menjadualkan console.log untuk dijalankan selepas 3 saat.
Sementara itu, mainFunc terus melaksanakan, mencetak mesej sebelum dan selepas memanggil panggilan balik.
Selepas 3 saat, setTimeout dalam panggilan balik selesai dan mesej tertunda dicetak.
Ini menunjukkan cara fungsi utama meneruskan tugasnya tanpa menunggu operasi tak segerak (kelewatan 3 saat dalam panggilan balik) selesai.
Apakah neraka Panggilan Balik dan bilakah ia berlaku?
Neraka panggilan balik merujuk kepada situasi dalam JavaScript di mana berbilang panggilan balik bersarang antara satu sama lain dengan cara yang tidak terurus, menjadikan kod sukar dibaca, diselenggara dan nyahpepijat. Ia selalunya kelihatan seperti piramid fungsi bersarang, di mana setiap operasi tak segerak bergantung pada penyiapan operasi sebelumnya, yang membawa kepada panggilan balik bersarang dalam.
Neraka panggilan balik biasanya berlaku apabila anda mempunyai berbilang tugas tak segerak yang perlu dilakukan mengikut urutan, dan setiap tugasan bergantung pada hasil tugasan sebelumnya. Apabila lebih banyak tugasan ditambahkan, kod tersebut menjadi semakin inden dan sukar untuk diikuti, mengakibatkan struktur yang tidak kemas dan kompleks.
getData((data) => { processData(data, (processedData) => { saveData(processedData, (savedData) => { notifyUser(savedData, () => { console.log("All tasks complete!"); }); }); }); });
Here, each task is dependent on the previous one, leading to multiple levels of indentation and difficult-to-follow logic. If there’s an error at any point, handling it properly becomes even more complex.
To rescue you from callback hell, modern JavaScript provides solutions like:
Promises – which flatten the code and make it more readable.
Async/Await – which simplifies chaining asynchronous operations and makes the code look synchronous.
Promises
A Promise in JavaScript is an object that represents the eventual completion (or failure) of an asynchronous operation and its result. It’s like a promise you make in real life: something may not happen immediately, but you either fulfill it or fail to fulfill it.
In JavaScript, Promises allow you to write asynchronous code in a cleaner way, avoiding callback hell. A Promise is created using the new Promise syntax, and it takes a function (which is constructor function) with two parameters: resolve (if the task is successful) and reject (if it fails).
const myPromise = new Promise((resolve, reject) => { // Simulating an asynchronous task like fetching data const success = true; // Change to false to simulate failure setTimeout(() => { if (success) { resolve("Task completed successfully!"); // Success } else { reject("Task failed!"); // Failure } }, 2000); // 2-second delay });
Here:
The promise simulates a task that takes 2 seconds.
If the task is successful (success is true), it calls resolve with a message.
If it fails (success is false), it calls reject with an error message.
How to handle a Promise
To handle the result of a Promise, we use two methods:
.then() for a successful result (when the Promise is fulfilled).
.catch() for an error (when the Promise is rejected).
myPromise .then((message) => { console.log(message); // "Task completed successfully!" (if resolve was called) }) .catch((error) => { console.log(error); // "Task failed!" (if reject was called) });
Chaining in Promises
Promises allow you to chain asynchronous operations using the .then() method, which makes the code more linear and easier to follow. Each .then() represents a step in the asynchronous process. The .catch() method allows you to centralize error handling at the end of the promise chain, making it more organized.
fetchData() .then(data => processData1(data)) .then(result1 => processData2(result1)) .then(result2 => processData3(result2)) .catch(error => handleError(error));
Promises promote a more readable and maintainable code structure by avoiding deeply nested callbacks. The chaining and error-handling mechanisms contribute to a clearer and more organized codebase.
// Callback hell fetchData1(data1 => { processData1(data1, result1 => { fetchData2(result1, data2 => { processData2(data2, result2 => { fetchData3(result2, data3 => { processData3(data3, finalResult => { console.log("Final result:", finalResult); }); }); }); }); }); }); // Using Promises fetchData1() .then(result1 => processData1(result1)) .then(data2 => fetchData2(data2)) .then(result2 => processData2(result2)) .then(data3 => fetchData3(data3)) .then(finalResult => { console.log("Final result:", finalResult); }) .catch(error => handleError(error));
finally Method
The finally method is used to execute code, regardless of whether the Promise is resolved or rejected.
myPromise .then((data) => { console.log("Data:", data); }) .catch((error) => { console.error("Error:", error); }) .finally(() => { console.log("Finally block"); // This runs no matter what });
If the promise is fulfilled (i.e., it successfully gets data), the .then() method will be executed. On the other hand, if the promise encounters an error, the .catch() method will be called to handle the error. However, the .finally() method has no such condition—it will always be executed, regardless of whether the promise was resolved or rejected. Whether the .then() or .catch() is triggered, the .finally() block will definitely run at the end.
It's useful for cleaning up resources, stopping loading indicators, or doing something that must happen after the promise completes, regardless of its result.
JavaScript Promise Methods
JavaScript provides several Promise methods that make working with asynchronous tasks more flexible and powerful. These methods allow you to handle multiple promises, chain promises, or deal with various outcomes in different ways
Method | Description |
---|---|
all (iterable) | Waits for all promises to be resolved or any one to be rejected. |
allSettled (iterable) | Waits until all promises are either resolved or rejected. |
any (iterable) | Returns the promise value as soon as any one of the promises is fulfilled. |
race (iterable) | Waits until any of the promises is resolved or rejected. |
reject (reason) | Returns a new promise object that is rejected for the given reason. |
resolve (value) | Returns a new promise object that is resolved with the given value. |
Promise.all() - Parallel Execution
You can use Promise.all() to execute multiple asynchronous operations concurrently and handle their results collectively.
This method takes an array of promises and runs them in parallel which returns a new Promise. This new Promise fulfils with an array of resolved values when all the input Promises have fulfilled, or rejects with the reason of the first rejected Promise.
Copy code const promise1 = Promise.resolve(10); const promise2 = Promise.resolve(20); const promise3 = Promise.resolve(30); Promise.all([promise1, promise2, promise3]).then((values) => { console.log(values); // [10, 20, 30] });
If one of the promises rejects, the whole Promise.all() will reject:
const promise1 = Promise.resolve(10); const promise2 = Promise.reject("Error!"); Promise.all([promise1, promise2]) .then((values) => { console.log(values); }) .catch((error) => { console.log(error); // "Error!" });
Promise.allSettled()
This method takes an array of promises and returns a new promise after all of them finish their execution, whether they succeed or fail. Unlike Promise.all(), it doesn't fail if one promise fails. Instead, it waits for all the promises to complete and gives you an array of results that show if each one succeeded or failed.
It’s useful when you want to know the result of every promise, even if some fail.
const promise1 = Promise.resolve("Success!"); const promise2 = Promise.reject("Failure!"); Promise.allSettled([promise1, promise2]).then((results) => { console.log(results); // [{ status: 'fulfilled', value: 'Success!' }, { status: 'rejected', reason: 'Failure!' }] });
Promise.any()
Promise.any() takes an array of promises and returns a promise that resolves as soon as any one promise resolves. If all input Promises are rejected, then Promise.any() rejects with an AggregateError containing an array of rejection reasons.
It’s useful when you need just one successful result from multiple promises.
const promise1 = fetchData1(); const promise2 = fetchData2(); const promise3 = fetchData3(); Promise.any([promise1, promise2, promise3]) .then((firstFulfilledValue) => { console.log("First promise fulfilled with:", firstFulfilledValue); }) .catch((allRejectedReasons) => { console.error("All promises rejected with:", allRejectedReasons); });
Promise.race()
This method takes an array of promises and returns a new promise that resolves or rejects as soon as the first promise settles (either resolves or rejects).
It’s useful when you want the result of the fastest promise, ignoring the others.
const promise1 = new Promise((resolve) => setTimeout(resolve, 100, "First")); const promise2 = new Promise((resolve) => setTimeout(resolve, 200, "Second")); Promise.race([promise1, promise2]).then((value) => { console.log(value); // "First" (because promise1 resolves first) });
Promise.resolve()
This method immediately resolves a promise with a given value. It’s useful for creating a promise that you already know will be fulfilled.
const resolvedPromise = Promise.resolve("Resolved!"); resolvedPromise.then((value) => { console.log(value); // "Resolved!" });
Promise.reject()
This method immediately rejects a promise with a given error or reason. It’s useful for creating a promise that you know will fail.
const rejectedPromise = Promise.reject("Rejected!"); rejectedPromise.catch((error) => { console.log(error); // "Rejected!" });
I hope you have no confusion regarding promises after carefully reading this explanation of promises. Now, it’s time to move on Async/Await.
Async/Await
async / await is a modern way to handle asynchronous operations in JavaScript, introduced in ES2017 (ES8). It’s built on top of Promises but provides a cleaner and more readable syntax, making asynchronous code look and behave more like synchronous code. This makes it easier to understand and debug.
How async and await Work
When you declare a function with the async keyword, it always returns a Promise. Even if you don't explicitly return a promise, JavaScript wraps the return value inside a resolved promise.
The await keyword can only be used inside an async function. It makes JavaScript wait for the promise to resolve before moving on to the next line of code. It “pauses” the execution of the function, allowing you to handle asynchronous tasks more sequentially, just like synchronous code.
Let’s look at a simple example to see how this works:
async function fetchData() { try { const response = await fetch("https://api.example.com/data"); const data = await response.json(); console.log("Data:", data); } catch (error) { console.error("Error fetching data:", error); } finally { console.log("Fetch operation complete"); } } fetchData();
How it works:
async function: Since fetchData function is marked as async, that means it returns a promise.
await fetch(): The await pauses the execution of the function until the promise returned by fetch() resolves. It then continues with the next line after the promise is resolved.
try/catch: We use a try/catch block to handle any potential errors during the async operation.
finally: Regardless of success or failure, the finally block will execute.
Why Use async / await?
With async/await, your code becomes more readable and flows more naturally. This makes it easier to follow the logic, especially when dealing with multiple asynchronous operations.
Compare this to handling promises with .then():
fetch("https://api.example.com/data") .then(response => response.json()) .then(data => { console.log("Data:", data); }) .catch(error => { console.error("Error fetching data:", error); }) .finally(() => { console.log("Fetch operation complete"); });
The async/await version looks cleaner and easier to understand. async/await helps avoid the nesting of callbacks or .then() chains, making your code more linear and easier to follow.
Example with Multiple await
You can also handle multiple asynchronous tasks in a sequence without needing to chain promises.
async function processOrders() { const user = await getUserDetails(); // Waits for user details const orders = await getOrders(user.id); // Waits for orders console.log("Orders:", orders); } processOrders();
In this example, the function waits for each task to finish before moving on to the next, just like how synchronous code would behave.
Parallel Execution with Promise.all() and async/await
If you want to perform multiple asynchronous operations at the same time (in parallel), you can still use Promise.all() with async/await:
async function getAllData() { const [user, orders] = await Promise.all([getUserDetails(), getOrders()]); console.log("User:", user); console.log("Orders:", orders); }
Here, both getUserDetails() and getOrders() run simultaneously, and the function waits for both to finish before logging the results.
Conclusion
In JavaScript, handling asynchronous operations has evolved over time, offering different tools to make code more manageable and efficient. Callbacks were the first approach, but as the complexity of code grew, they often led to issues like "callback hell." Promises came next, providing a cleaner, more structured way to manage async tasks with .then() and .catch(), improving readability and reducing nesting.
Finally, async/await was introduced as a modern syntax built on promises, making asynchronous code look more like synchronous code. It simplifies the process even further, allowing for easier-to-read, more maintainable code. Each of these techniques plays an important role in JavaScript, and mastering them helps you write more efficient, clear, and robust code.
Understanding when to use each method—callbacks for simple tasks, promises for structured handling, and async/await for readable, scalable async code—will empower you to make the best choices for your projects.
My Last Words
I used to get confused by the concept of promises, especially the different methods of promises. Callbacks were a big challenge for me because the syntax always seemed very confusing. So, I read various sources online, including chatbots, to come up with this description. To be honest, chatbots don’t always provide a straight and understandable answer. So, I didn’t just copy and paste from different places—I simplified everything so that it can serve as a clear note for me and for anyone else who has difficulty grasping these concepts. I hope this note leaves you with zero confusion.
Atas ialah kandungan terperinci JavaScript Asynchronous - Bersihkan Kekeliruan. Untuk maklumat lanjut, sila ikut artikel berkaitan lain di laman web China PHP!

Penjelasan terperinci mengenai kaedah penggantian rentetan javascript dan Soalan Lazim Artikel ini akan meneroka dua cara untuk menggantikan watak rentetan dalam JavaScript: Kod JavaScript dalaman dan HTML dalaman untuk laman web. Ganti rentetan di dalam kod JavaScript Cara yang paling langsung ialah menggunakan kaedah pengganti (): str = str.replace ("cari", "ganti"); Kaedah ini hanya menggantikan perlawanan pertama. Untuk menggantikan semua perlawanan, gunakan ungkapan biasa dan tambahkan bendera global g: str = str.replace (/fi

Tutorial ini menunjukkan kepada anda bagaimana untuk mengintegrasikan API carian Google tersuai ke dalam blog atau laman web anda, menawarkan pengalaman carian yang lebih halus daripada fungsi carian tema WordPress standard. Ia menghairankan mudah! Anda akan dapat menyekat carian ke y

Jadi di sini anda, bersedia untuk mempelajari semua perkara ini yang dipanggil Ajax. Tetapi, apa sebenarnya? Istilah Ajax merujuk kepada kumpulan teknologi longgar yang digunakan untuk membuat kandungan web yang dinamik dan interaktif. Istilah Ajax, yang asalnya dicipta oleh Jesse J

Siri artikel ini ditulis semula pada pertengahan 2017 dengan maklumat terkini dan contoh segar. Dalam contoh JSON ini, kita akan melihat bagaimana kita dapat menyimpan nilai mudah dalam fail menggunakan format JSON. Menggunakan notasi pasangan nilai utama, kami boleh menyimpan apa-apa jenis

Leverage JQuery untuk Layouts Laman Web yang mudah: 8 Plugin Essential JQuery memudahkan susun atur laman web dengan ketara. Artikel ini menyoroti lapan plugin jQuery yang kuat yang menyelaraskan proses, terutamanya berguna untuk penciptaan laman web manual

Mata teras Ini dalam JavaScript biasanya merujuk kepada objek yang "memiliki" kaedah, tetapi ia bergantung kepada bagaimana fungsi dipanggil. Apabila tidak ada objek semasa, ini merujuk kepada objek global. Dalam penyemak imbas web, ia diwakili oleh tetingkap. Apabila memanggil fungsi, ini mengekalkan objek global; tetapi apabila memanggil pembina objek atau mana -mana kaedahnya, ini merujuk kepada contoh objek. Anda boleh mengubah konteks ini menggunakan kaedah seperti panggilan (), memohon (), dan mengikat (). Kaedah ini memanggil fungsi menggunakan nilai dan parameter yang diberikan. JavaScript adalah bahasa pengaturcaraan yang sangat baik. Beberapa tahun yang lalu, ayat ini

JQuery adalah rangka kerja JavaScript yang hebat. Walau bagaimanapun, seperti mana -mana perpustakaan, kadang -kadang perlu untuk mendapatkan di bawah tudung untuk mengetahui apa yang sedang berlaku. Mungkin kerana anda mengesan bug atau hanya ingin tahu tentang bagaimana jQuery mencapai UI tertentu

Siaran ini menyusun helaian cheat berguna, panduan rujukan, resipi cepat, dan coretan kod untuk perkembangan aplikasi Android, BlackBerry, dan iPhone. Tiada pemaju harus tanpa mereka! Panduan Rujukan Gesture Touch (PDF) Sumber yang berharga untuk desig


Alat AI Hot

Undresser.AI Undress
Apl berkuasa AI untuk mencipta foto bogel yang realistik

AI Clothes Remover
Alat AI dalam talian untuk mengeluarkan pakaian daripada foto.

Undress AI Tool
Gambar buka pakaian secara percuma

Clothoff.io
Penyingkiran pakaian AI

AI Hentai Generator
Menjana ai hentai secara percuma.

Artikel Panas

Alat panas

mPDF
mPDF ialah perpustakaan PHP yang boleh menjana fail PDF daripada HTML yang dikodkan UTF-8. Pengarang asal, Ian Back, menulis mPDF untuk mengeluarkan fail PDF "dengan cepat" dari tapak webnya dan mengendalikan bahasa yang berbeza. Ia lebih perlahan dan menghasilkan fail yang lebih besar apabila menggunakan fon Unicode daripada skrip asal seperti HTML2FPDF, tetapi menyokong gaya CSS dsb. dan mempunyai banyak peningkatan. Menyokong hampir semua bahasa, termasuk RTL (Arab dan Ibrani) dan CJK (Cina, Jepun dan Korea). Menyokong elemen peringkat blok bersarang (seperti P, DIV),

Pelayar Peperiksaan Selamat
Pelayar Peperiksaan Selamat ialah persekitaran pelayar selamat untuk mengambil peperiksaan dalam talian dengan selamat. Perisian ini menukar mana-mana komputer menjadi stesen kerja yang selamat. Ia mengawal akses kepada mana-mana utiliti dan menghalang pelajar daripada menggunakan sumber yang tidak dibenarkan.

MinGW - GNU Minimalis untuk Windows
Projek ini dalam proses untuk dipindahkan ke osdn.net/projects/mingw, anda boleh terus mengikuti kami di sana. MinGW: Port Windows asli bagi GNU Compiler Collection (GCC), perpustakaan import yang boleh diedarkan secara bebas dan fail pengepala untuk membina aplikasi Windows asli termasuk sambungan kepada masa jalan MSVC untuk menyokong fungsi C99. Semua perisian MinGW boleh dijalankan pada platform Windows 64-bit.

Notepad++7.3.1
Editor kod yang mudah digunakan dan percuma

SublimeText3 Linux versi baharu
SublimeText3 Linux versi terkini
