Introduction to Error Handling in API Requests

Welcome to the first lesson of Efficient API Interactions with Swift. In this course, you will learn how to handle common scenarios when working with APIs more effectively. One of the key aspects of working with APIs is error handling. Handling errors gracefully not only helps in building robust applications but also enhances the user experience by providing meaningful feedback when things go wrong. Our goal in this lesson is to help you manage these outcomes effectively.

Understanding HTTP Status Codes

When you send a request to an API, the server responds with an HTTP status code. These codes indicate the result of your request. Understanding them is essential for effective error handling. Here's a brief overview:

  • 2xx (Success): Indicates that the request was successfully received, understood, and accepted. For example, a 200 status code means OK.
  • 4xx (Client Errors): Suggests that there was an error in the request made by your client. For example, 404 means the requested resource was not found.
  • 5xx (Server Errors): Indicates that the server failed to fulfill a valid request. A common code here is 500, which means an internal server error.

By paying attention to these codes, you can determine whether your request succeeded or if there was a problem that needs addressing.

Handling HTTP Errors in Swift

Swift provides robust error-handling capabilities using do-catch blocks and the Error protocol. When working with network requests, you can use these constructs to manage errors effectively.

Consider the following example, which fetches todo items from an API using URLSession:

Swift
1import Foundation 2import FoundationNetworking 3 4// Base URL for the API 5let baseURL = URL(string: "http://localhost:8000")! 6 7// Function to fetch todos with error handling 8func fetchTodos() { 9 let todosURL = baseURL.appendingPathComponent("todos") 10 let dispatchGroup = DispatchGroup() 11 12 dispatchGroup.enter() 13 14 let task = URLSession.shared.dataTask(with: todosURL) { data, response, error in 15 defer { dispatchGroup.leave() } 16 17 do { 18 if let error = error { 19 throw error 20 } 21 22 guard let httpResponse = response as? HTTPURLResponse else { 23 throw URLError(.badServerResponse) 24 } 25 26 switch httpResponse.statusCode { 27 case 200...299: 28 print("Todos fetched successfully!") 29 case 400...499: 30 throw URLError(.badRequest) 31 case 500...599: 32 throw URLError(.badServerResponse) 33 default: 34 throw URLError(.unknown) 35 } 36 } catch { 37 print("Error occurred: \(error.localizedDescription)") 38 } 39 } 40 41 task.resume() 42 43 dispatchGroup.wait() 44} 45 46fetchTodos()

In this example, we use a do-catch block to handle potential errors. The URLSession task checks for errors and HTTP status codes, throwing appropriate errors when necessary. This approach allows for precise and effective error handling in your application.

Examples: Non-existent Route

Following our discussion on handling HTTP errors, let's delve into specific scenarios where errors might occur. In this first example, a GET request is sent to a non-existent route, leading to an HTTP error because a 404 Not Found status code is returned.

Swift
1func fetchInvalidRoute() { 2 let invalidURL = baseURL.appendingPathComponent("invalid-route") 3 4 let task = URLSession.shared.dataTask(with: invalidURL) { data, response, error in 5 do { 6 if let error = error { 7 throw error 8 } 9 10 guard let httpResponse = response as? HTTPURLResponse else { 11 throw URLError(.badServerResponse) 12 } 13 14 if httpResponse.statusCode == 404 { 15 throw URLError(.fileDoesNotExist) 16 } 17 } catch { 18 print("HTTP error occurred: \(error.localizedDescription)") 19 } 20 } 21 22 task.resume() 23} 24 25fetchInvalidRoute()

This will produce output indicating that the requested resource was not found.

Examples: POST Request Without Required Title

Continuing with error handling, the next scenario involves sending a POST request without a required field, the title, resulting in an HTTP error due to a 400 Bad Request.

Swift
1func postWithoutTitle() { 2 var request = URLRequest(url: baseURL.appendingPathComponent("todos")) 3 request.httpMethod = "POST" 4 request.setValue("application/json", forHTTPHeaderField: "Content-Type") 5 request.httpBody = try? JSONSerialization.data(withJSONObject: [:], options: []) 6 7 let task = URLSession.shared.dataTask(with: request) { data, response, error in 8 do { 9 if let error = error { 10 throw error 11 } 12 13 guard let httpResponse = response as? HTTPURLResponse else { 14 throw URLError(.badServerResponse) 15 } 16 17 if httpResponse.statusCode == 400 { 18 throw URLError(.badRequest) 19 } 20 } catch { 21 print("HTTP error occurred: \(error.localizedDescription)") 22 } 23 } 24 25 task.resume() 26} 27 28postWithoutTitle()

The output will show a 400 Bad Request error, indicating missing required fields.

Examples: Handling Broader Request-Related Issues

Finally, let's examine how to handle broader request-related issues. This example demonstrates a scenario where a connectivity issue or other problems external to the HTTP response itself occur.

Swift
1func fetchWithConnectivityIssue() { 2 let invalidURL = URL(string: "http://invalid-url")! 3 4 let task = URLSession.shared.dataTask(with: invalidURL) { data, response, error in 5 if let error = error { 6 print("Other error occurred: \(error.localizedDescription)") 7 } 8 } 9 10 task.resume() 11} 12 13fetchWithConnectivityIssue()

When a connection cannot be established, the output will provide details about the connectivity issue.

Summary and What's Next

In this lesson, you learned about the importance of error handling in API requests and were introduced to effective techniques using HTTP status codes, do-catch blocks, and Swift's error-handling constructs. These practices are crucial for creating robust applications that deal with errors gracefully and provide clear feedback to users.

You are now equipped to practice these skills through hands-on exercises that will reinforce the concepts you've learned. As you move forward, you'll continue to build on these techniques to engage with more advanced API features. Remember, practicing error handling is key — experiment with different scenarios to see how errors are managed and how they affect your applications.

Sign up
Join the 1M+ learners on CodeSignal
Be a part of our community of 1M+ users who develop and demonstrate their skills on CodeSignal