In this exercise, you are working on a Golang service that interacts with unreliable external APIs. Often, network issues or temporary failures cause operations to fail. Your task is to implement a retry mechanism that attempts the operation multiple times with an exponential backoff strategy. The system should log each attempt, including the error and the delay before the next retry, until the operation succeeds or the maximum number of retries is reached. This realistic scenario will help you master error handling and improve the robustness of your applications.
unreliableOperation
that simulates an operation which fails most of the time, but can succeed occasionally.retryOperation
that calls unreliableOperation
and retries on failure using an exponential backoff strategy.When running the program, the output should log each attempt as follows:
[ATTEMPT 1] Operation failed: simulated error. Retrying in 1s... [ATTEMPT 2] Operation failed: simulated error. Retrying in 2s... [ATTEMPT 3] Operation succeeded on attempt 3. [INFO] Operation completed successfully.
If the operation fails after all retries:
[ATTEMPT 1] Operation failed: simulated error. Retrying in 1s... [ATTEMPT 2] Operation failed: simulated error. Retrying in 2s... [ATTEMPT 3] Operation failed: simulated error. Retrying in 4s... [ATTEMPT 4] Operation failed: simulated error. Retrying in 8s... [ATTEMPT 5] Operation failed: simulated error. No more retries left. [ERROR] Operation failed after maximum retries.
Project structure should look like this:
. ├── go.mod └── main.go
Your program should have the following structure and implement these functions:
main.go
package main import ( "errors" "fmt" "math/rand" "time" ) // unreliableOperation simulates an operation that may fail. // It randomly succeeds or fails. func unreliableOperation() error { // Simulate operation failure. Replace this with actual logic. // For example, succeed 30% of the time. } // retryOperation implements a retry mechanism with exponential backoff. // It retries the unreliableOperation until success or maximum retries are reached. func retryOperation(maxRetries int, initialDelay time.Duration) { } func main() { maxRetries := 5 initialDelay := 1 * time.Second retryOperation(maxRetries, initialDelay) }
unreliableOperation
and retry on failure.time.Sleep
to introduce delays between retries.