JavaScript는 단일 스레드 프로그래밍 언어입니다. 즉, 한 번에 하나의 작업만 실행할 수 있습니다. 데이터 가져오기 또는 타이머 설정과 같은 비동기 작업의 경우 이는 까다로워지며, 이로 인해 실행 흐름이 차단되고 앱 속도가 느려질 수 있습니다.
스레드를 정지하지 않고 이러한 비동기 작업을 처리하려면 비동기 프로그래밍을 단순화하는 강력한 도구인 Promise를 만나보세요. Promise를 사용하면 장기 실행 작업을 더 효과적으로 관리하고, 더 깔끔하고 읽기 쉬운 코드를 작성하고, 두려운 "콜백 지옥"
을 피할 수 있습니다.이 글에서는 프라미스가 무엇인지, 어떻게 작동하는지, 비동기 프로그래밍을 어떻게 단순화하는지 알아보고자 합니다.
식당에서 식사를 주문한다고 상상해 보세요. 주문을 하고 나면 음식이 준비될 때까지 주방에서 기다리지 않아도 됩니다. 대신 주방에서 식사를 준비하는 동안 대화를 나누거나 분위기를 즐기세요. 레스토랑은 음식이 준비되면 제공하겠다고 약속합니다. 결국에는 식사가 도착하거나(이행) 주방에서 주문을 완료할 수 없다고 알려(거부됨) 중 하나가 발생하기 때문에 이 약속을 신뢰할 수 있습니다. ).
JavaScript에서 Promise는 비슷한 방식으로 작동합니다. 서버에서 데이터를 가져오는 등 시간이 걸리는 작업을 JavaScript에 요청하면 Promise가 반환됩니다. 이 약속은 바로 결과를 주지는 않습니다. 대신 "작업이 완료되면 다시 연락드리겠습니다."라는 메시지가 표시됩니다. 그 동안 나머지 코드는 계속 실행됩니다. 작업이 완료되면 약속은 다음 중 하나입니다.
약속은 현재, 미래에 사용할 수 있거나 전혀 사용할 수 없는 값을 나타냅니다. 세 가지 상태가 있습니다:
Promise를 생성하려면 Promise 생성자를 사용합니다. 이 생성자는 두 가지 매개변수(Resolve 및 Reject)가 있는 함수(실행자로 알려짐)를 사용합니다. Promise가 이행되면 Resolve 함수가 호출되고, 거부되면 Reject 함수가 호출됩니다.
const myPromise = new Promise((resolve, reject) => { // Simulating an asynchronous task (e.g., fetching data) const success = true; // Simulate success or failure if (success) { resolve("Operation completed successfully!"); // Fulfill the promise } else { reject("Operation failed."); // Reject the promise } });
Promise가 생성되면 다음과 같이 해결 또는 거부를 호출하여 결과를 결정할 수 있습니다.
Promise를 생성한 후 다음 단계는 이를 사용하는 것입니다. JavaScript는 Promises의 결과를 처리하기 위한 여러 메서드(.then(), .catch() 및 .finally())를 제공합니다. 이러한 각 방법은 특정 목적을 수행하며 비동기 작업의 결과를 효과적으로 관리할 수 있게 해줍니다.
const fetchData = () => { return new Promise((resolve) => { setTimeout(() => { resolve("Data fetched successfully!"); }, 1000); }); }; fetchData() .then(result => { console.log(result); // Logs: Data fetched successfully! });
const fetchWithError = () => { return new Promise((resolve, reject) => { setTimeout(() => { reject("Error fetching data."); // Simulating an error }, 1000); }); }; fetchWithError() .then(result => { console.log(result); }) .catch(error => { console.error(error); // Logs: Error fetching data. });
fetchData() .then(result => { console.log(result); // Logs: Data fetched successfully! }) .catch(error => { console.error(error); // Handle error }) .finally(() => { console.log("Promise has settled."); // Logs after either success or failure });
간결하게 말하면:
One of the most powerful features of Promises is their ability to be chained together, allowing you to perform multiple asynchronous operations in sequence. This means each operation waits for the previous one to complete before executing, which is particularly useful when tasks depend on each other.
Let's take a look at the following example:
const fetchUserData = () => { return new Promise((resolve) => { setTimeout(() => { resolve({ userId: 1, username: "JohnDoe" }); }, 1000); }); }; const fetchPosts = (userId) => { return new Promise((resolve) => { setTimeout(() => { resolve(["Post 1", "Post 2", "Post 3"]); // Simulated posts }, 1000); }); }; // Chaining Promises fetchUserData() .then(user => { console.log("User fetched:", user); return fetchPosts(user.userId); // Pass userId to the next promise }) .then(posts => { console.log("Posts fetched:", posts); }) .catch(error => { console.error("Error:", error); });
In this example, the fetchUserData function returns a Promise that resolves with user information. The resolved value is then passed to the fetchPosts function, which returns another Promise. If any of these Promises are rejected, the error is caught in the final .catch() method, allowing for effective error handling throughout the chain.
In conclusion, Promises are a crucial part of modern JavaScript, enabling developers to handle asynchronous operations in a more structured and efficient way. By using Promises, you can:
As you implement Promises in your own projects, you'll find that they not only improve code readability but also enhance the overall user experience by keeping your applications responsive. I hope that this journey through JavaScript's foundational concepts has provided valuable insights for developers. Happy coding!
위 내용은 JavaScript Promise: 알아야 할 기본 사항의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!