Skip to content

Commit 2092c46

Browse files
pinkisemilsSteffenErn
authored andcommitted
Add retry strategy to mullvad api
1 parent f06f811 commit 2092c46

13 files changed

+179
-87
lines changed

Cargo.lock

+1
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

ios/MullvadREST/ApiHandlers/MullvadApiRequestFactory.swift

+7-3
Original file line numberDiff line numberDiff line change
@@ -10,7 +10,7 @@ import MullvadRustRuntime
1010
import MullvadTypes
1111

1212
enum MullvadApiRequest {
13-
case getAddressList
13+
case getAddressList(retryStrategy: REST.RetryStrategy)
1414
}
1515

1616
struct MullvadApiRequestFactory {
@@ -25,8 +25,12 @@ struct MullvadApiRequestFactory {
2525
let rawPointer = Unmanaged.passRetained(pointerClass).toOpaque()
2626

2727
return switch request {
28-
case .getAddressList:
29-
MullvadApiCancellable(handle: mullvad_api_get_addresses(apiContext.context, rawPointer))
28+
case let .getAddressList(retryStrategy):
29+
MullvadApiCancellable(handle: mullvad_api_get_addresses(
30+
apiContext.context,
31+
rawPointer,
32+
retryStrategy.toRustStrategy()
33+
))
3034
}
3135
}
3236
}

ios/MullvadREST/ApiHandlers/RESTAPIProxy.swift

+1-2
Original file line numberDiff line numberDiff line change
@@ -66,7 +66,7 @@ extension REST {
6666
retryStrategy: REST.RetryStrategy,
6767
completionHandler: @escaping @Sendable ProxyCompletionHandler<[AnyIPEndpoint]>
6868
) -> Cancellable {
69-
let requestHandler = mullvadApiRequestFactory.makeRequest(.getAddressList)
69+
let requestHandler = mullvadApiRequestFactory.makeRequest(.getAddressList(retryStrategy: retryStrategy))
7070

7171
let responseHandler = rustResponseHandler(
7272
decoding: [AnyIPEndpoint].self,
@@ -76,7 +76,6 @@ extension REST {
7676
let networkOperation = MullvadApiNetworkOperation(
7777
name: "get-api-addrs",
7878
dispatchQueue: dispatchQueue,
79-
retryStrategy: retryStrategy,
8079
requestHandler: requestHandler,
8180
responseDecoder: responseDecoder,
8281
responseHandler: responseHandler,

ios/MullvadREST/ApiHandlers/RESTRustNetworkOperation.swift

+1-62
Original file line numberDiff line numberDiff line change
@@ -21,22 +21,14 @@ extension REST {
2121
private let responseHandler: any RESTRustResponseHandler<Success>
2222
private var networkTask: MullvadApiCancellable?
2323

24-
private let retryStrategy: RetryStrategy
25-
private var retryDelayIterator: AnyIterator<Duration>
26-
private var retryTimer: DispatchSourceTimer?
27-
private var retryCount = 0
28-
2924
init(
3025
name: String,
3126
dispatchQueue: DispatchQueue,
32-
retryStrategy: RetryStrategy,
3327
requestHandler: @escaping MullvadApiRequestHandler,
3428
responseDecoder: JSONDecoder,
3529
responseHandler: some RESTRustResponseHandler<Success>,
3630
completionHandler: CompletionHandler? = nil
3731
) {
38-
self.retryStrategy = retryStrategy
39-
retryDelayIterator = retryStrategy.makeDelayIterator()
4032
self.responseDecoder = responseDecoder
4133
self.requestHandler = requestHandler
4234
self.responseHandler = responseHandler
@@ -53,10 +45,7 @@ extension REST {
5345
}
5446

5547
override public func operationDidCancel() {
56-
retryTimer?.cancel()
5748
networkTask?.cancel()
58-
59-
retryTimer = nil
6049
networkTask = nil
6150
}
6251

@@ -76,12 +65,7 @@ extension REST {
7665
guard let self else { return }
7766

7867
if let error = response.restError() {
79-
if response.shouldRetry {
80-
retryRequest(with: error)
81-
} else {
82-
finish(result: .failure(error))
83-
}
84-
68+
finish(result: .failure(error))
8569
return
8670
}
8771

@@ -97,51 +81,6 @@ extension REST {
9781
}
9882
}
9983
}
100-
101-
private func retryRequest(with error: REST.Error) {
102-
// Check if retry count is not exceeded.
103-
guard retryCount < retryStrategy.maxRetryCount else {
104-
if retryStrategy.maxRetryCount > 0 {
105-
logger.debug("Ran out of retry attempts (\(retryStrategy.maxRetryCount))")
106-
}
107-
finish(result: .failure(error))
108-
return
109-
}
110-
111-
// Increment retry count.
112-
retryCount += 1
113-
114-
// Retry immediately if retry delay is set to never.
115-
guard retryStrategy.delay != .never else {
116-
startRequest()
117-
return
118-
}
119-
120-
guard let waitDelay = retryDelayIterator.next() else {
121-
logger.debug("Retry delay iterator failed to produce next value.")
122-
123-
finish(result: .failure(error))
124-
return
125-
}
126-
127-
logger.debug("Retry in \(waitDelay.logFormat()).")
128-
129-
// Create timer to delay retry.
130-
let timer = DispatchSource.makeTimerSource(queue: dispatchQueue)
131-
132-
timer.setEventHandler { [weak self] in
133-
self?.startRequest()
134-
}
135-
136-
timer.setCancelHandler { [weak self] in
137-
self?.finish(result: .failure(OperationError.cancelled))
138-
}
139-
140-
timer.schedule(wallDeadline: .now() + waitDelay.timeInterval)
141-
timer.activate()
142-
143-
retryTimer = timer
144-
}
14584
}
14685
}
14786

ios/MullvadREST/RetryStrategy/RetryStrategy.swift

+18
Original file line numberDiff line numberDiff line change
@@ -7,6 +7,7 @@
77
//
88

99
import Foundation
10+
import MullvadRustRuntime
1011
import MullvadTypes
1112

1213
extension REST {
@@ -21,6 +22,23 @@ extension REST {
2122
self.applyJitter = applyJitter
2223
}
2324

25+
/// The return value of this function *must* be passed to a Rust FFI function that will consume it, otherwise it will leak.
26+
public func toRustStrategy() -> SwiftRetryStrategy {
27+
switch delay {
28+
case .never:
29+
return mullvad_api_retry_strategy_never()
30+
case let .constant(duration):
31+
return mullvad_api_retry_strategy_constant(UInt(maxRetryCount), UInt64(duration.seconds))
32+
case let .exponentialBackoff(initial, multiplier, maxDelay):
33+
return mullvad_api_retry_strategy_exponential(
34+
UInt(maxRetryCount),
35+
UInt64(initial.seconds),
36+
UInt32(multiplier),
37+
UInt64(maxDelay.seconds)
38+
)
39+
}
40+
}
41+
2442
public func makeDelayIterator() -> AnyIterator<Duration> {
2543
let inner = delay.makeIterator()
2644

ios/MullvadRustRuntime/MullvadApiResponse.swift

-4
Original file line numberDiff line numberDiff line change
@@ -45,10 +45,6 @@ public class MullvadApiResponse {
4545
}
4646
}
4747

48-
public var shouldRetry: Bool {
49-
response.should_retry
50-
}
51-
5248
public var success: Bool {
5349
response.success
5450
}

ios/MullvadRustRuntime/include/mullvad_rust_runtime.h

+31-3
Original file line numberDiff line numberDiff line change
@@ -26,6 +26,8 @@ typedef struct ExchangeCancelToken ExchangeCancelToken;
2626

2727
typedef struct RequestCancelHandle RequestCancelHandle;
2828

29+
typedef struct RetryStrategy RetryStrategy;
30+
2931
typedef struct SwiftApiContext {
3032
const struct ApiContext *_0;
3133
} SwiftApiContext;
@@ -34,15 +36,17 @@ typedef struct SwiftCancelHandle {
3436
struct RequestCancelHandle *ptr;
3537
} SwiftCancelHandle;
3638

39+
typedef struct SwiftRetryStrategy {
40+
struct RetryStrategy *_0;
41+
} SwiftRetryStrategy;
42+
3743
typedef struct SwiftMullvadApiResponse {
3844
uint8_t *body;
3945
uintptr_t body_size;
4046
uint16_t status_code;
4147
uint8_t *error_description;
4248
uint8_t *server_response_code;
4349
bool success;
44-
bool should_retry;
45-
uint64_t retry_after;
4650
} SwiftMullvadApiResponse;
4751

4852
typedef struct CompletionCookie {
@@ -106,7 +110,8 @@ struct SwiftApiContext mullvad_api_init_new(const uint8_t *host,
106110
* This function is not safe to call multiple times with the same `CompletionCookie`.
107111
*/
108112
struct SwiftCancelHandle mullvad_api_get_addresses(struct SwiftApiContext api_context,
109-
void *completion_cookie);
113+
void *completion_cookie,
114+
struct SwiftRetryStrategy retry_strategy);
110115

111116
/**
112117
* Called by the Swift side to signal that a Mullvad API call should be cancelled.
@@ -156,6 +161,29 @@ extern void mullvad_api_completion_finish(struct SwiftMullvadApiResponse respons
156161
*/
157162
void mullvad_response_drop(struct SwiftMullvadApiResponse response);
158163

164+
/**
165+
* Creates a retry strategy that never retries after failure.
166+
* The result needs to be consumed.
167+
*/
168+
struct SwiftRetryStrategy mullvad_api_retry_strategy_never(void);
169+
170+
/**
171+
* Creates a retry strategy that retries `max_retries` times with a constant delay of `delay_sec`.
172+
* The result needs to be consumed.
173+
*/
174+
struct SwiftRetryStrategy mullvad_api_retry_strategy_constant(uintptr_t max_retries,
175+
uint64_t delay_sec);
176+
177+
/**
178+
* Creates a retry strategy that retries `max_retries` times with a exponantially increating delay.
179+
* The delay will never exceed `max_delay_sec`
180+
* The result needs to be consumed.
181+
*/
182+
struct SwiftRetryStrategy mullvad_api_retry_strategy_exponential(uintptr_t max_retries,
183+
uint64_t initial_sec,
184+
uint32_t factor,
185+
uint64_t max_delay_sec);
186+
159187
/**
160188
* Initializes a valid pointer to an instance of `EncryptedDnsProxyState`.
161189
*

ios/MullvadTypes/Duration+Extensions.swift

+4
Original file line numberDiff line numberDiff line change
@@ -14,6 +14,10 @@ extension Duration {
1414
return timeInterval.isFinite
1515
}
1616

17+
public var seconds: Int64 {
18+
return components.seconds
19+
}
20+
1721
public var timeInterval: TimeInterval {
1822
return TimeInterval(components.seconds) + (TimeInterval(components.attoseconds) * 1e-18)
1923
}

mullvad-ios/Cargo.toml

+1
Original file line numberDiff line numberDiff line change
@@ -24,6 +24,7 @@ hyper-util = { workspace = true }
2424
tower = { workspace = true }
2525
tunnel-obfuscation = { path = "../tunnel-obfuscation" }
2626
oslog = "0.2"
27+
talpid-future = { path = "../talpid-future" }
2728
talpid-types = { path = "../talpid-types" }
2829
talpid-tunnel-config-client = { path = "../talpid-tunnel-config-client" }
2930
mullvad-encrypted-dns-proxy = { path = "../mullvad-encrypted-dns-proxy" }

mullvad-ios/src/api_client/api.rs

+15-2
Original file line numberDiff line numberDiff line change
@@ -2,11 +2,13 @@ use mullvad_api::{
22
rest::{self, MullvadRestHandle},
33
ApiProxy,
44
};
5+
use talpid_future::retry::retry_future;
56

67
use super::{
78
cancellation::{RequestCancelHandle, SwiftCancelHandle},
89
completion::{CompletionCookie, SwiftCompletionHandler},
910
response::SwiftMullvadApiResponse,
11+
retry_strategy::{RetryStrategy, SwiftRetryStrategy},
1012
SwiftApiContext,
1113
};
1214

@@ -24,6 +26,7 @@ use super::{
2426
pub unsafe extern "C" fn mullvad_api_get_addresses(
2527
api_context: SwiftApiContext,
2628
completion_cookie: *mut libc::c_void,
29+
retry_strategy: SwiftRetryStrategy,
2730
) -> SwiftCancelHandle {
2831
let completion_handler = SwiftCompletionHandler::new(CompletionCookie(completion_cookie));
2932

@@ -33,10 +36,11 @@ pub unsafe extern "C" fn mullvad_api_get_addresses(
3336
};
3437

3538
let api_context = api_context.into_rust_context();
39+
let retry_strategy = unsafe { retry_strategy.into_rust() };
3640

3741
let completion = completion_handler.clone();
3842
let task = tokio_handle.clone().spawn(async move {
39-
match mullvad_api_get_addresses_inner(api_context.rest_handle()).await {
43+
match mullvad_api_get_addresses_inner(api_context.rest_handle(), retry_strategy).await {
4044
Ok(response) => completion.finish(response),
4145
Err(err) => {
4246
log::error!("{err:?}");
@@ -50,9 +54,18 @@ pub unsafe extern "C" fn mullvad_api_get_addresses(
5054

5155
async fn mullvad_api_get_addresses_inner(
5256
rest_client: MullvadRestHandle,
57+
retry_strategy: RetryStrategy,
5358
) -> Result<SwiftMullvadApiResponse, rest::Error> {
5459
let api = ApiProxy::new(rest_client);
55-
let response = api.get_api_addrs_response().await?;
60+
61+
let future_factory = || api.get_api_addrs_response();
62+
63+
let should_retry = |result: &Result<_, rest::Error>| match result {
64+
Err(err) => err.is_network_error(),
65+
Ok(_) => false,
66+
};
67+
68+
let response = retry_future(future_factory, should_retry, retry_strategy.delays()).await?;
5669

5770
SwiftMullvadApiResponse::with_body(response).await
5871
}

mullvad-ios/src/api_client/mod.rs

+1
Original file line numberDiff line numberDiff line change
@@ -10,6 +10,7 @@ mod api;
1010
mod cancellation;
1111
mod completion;
1212
mod response;
13+
mod retry_strategy;
1314

1415
#[repr(C)]
1516
pub struct SwiftApiContext(*const ApiContext);

0 commit comments

Comments
 (0)