1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
use std::{
os::raw::{c_int, c_uint, c_void},
pin::Pin,
sync::{Arc, Mutex, RwLock, Weak},
time::Duration,
};
use ffi_sdk::{BoxedAuthClient, BoxedLoginProvider};
use crate::{
ditto::{Ditto, DittoFields},
error::{DittoError, ErrorKind},
transport::TransportSync,
utils::prelude::*,
};
pub trait DittoAuthenticationEventHandler: Send + Sync {
fn authentication_required(&self, auth: DittoAuthenticator);
fn authentication_expiring_soon(&self, auth: DittoAuthenticator, seconds_remaining: Duration);
}
#[derive(Clone, Debug)]
pub struct AuthenticationClientFeedback {
pub feedback: Option<serde_json::Value>,
}
pub(crate) struct LoginProvider {
pub(crate) _provider: BoxedLoginProvider,
pub(crate) ctx: Arc<Mutex<LoginProviderCtx>>,
}
pub(crate) struct LoginProviderCtx {
auth_event_handler: Pin<Box<dyn DittoAuthenticationEventHandler + 'static>>,
authenticator: Option<DittoAuthenticator>,
#[allow(dead_code)]
cached_expiry_time: Option<u32>,
}
impl LoginProvider {
pub fn new(handler: impl DittoAuthenticationEventHandler + 'static) -> Self {
let ctx = LoginProviderCtx {
auth_event_handler: Box::pin(handler),
authenticator: None,
cached_expiry_time: None,
};
let arc_ctx = Arc::new(Mutex::new(ctx));
let raw_context = Arc::as_ptr(&arc_ctx) as *mut c_void;
let c_provider = unsafe {
ffi_sdk::ditto_auth_client_make_login_provider(
raw_context,
Some(LoginProviderCtx::retain),
Some(LoginProviderCtx::release),
Some(LoginProviderCtx::authentication_expiring),
)
};
LoginProvider {
_provider: c_provider,
ctx: arc_ctx,
}
}
}
impl LoginProviderCtx {
pub(crate) extern "C" fn retain(ctx: *mut c_void) {
let ptr = ctx.cast::<Mutex<LoginProviderCtx>>();
unsafe { Arc::increment_strong_count(ptr) };
}
pub(crate) extern "C" fn release(ctx: *mut c_void) {
let ptr = ctx.cast::<Mutex<LoginProviderCtx>>();
unsafe {
Arc::decrement_strong_count(ptr);
}
}
pub(crate) extern "C" fn authentication_expiring(ctx: *mut c_void, seconds_remaining: c_uint) {
let ctx_ptr: *const Mutex<LoginProviderCtx> = ctx.cast();
let arc_ctx: &Mutex<LoginProviderCtx> = unsafe { &*ctx_ptr };
let mut ctx_ref = arc_ctx.lock().expect("LoginProvider Mutex is poisoned");
match &ctx_ref.authenticator {
Some(authn) => {
if seconds_remaining == 0 {
ctx_ref
.auth_event_handler
.authentication_required(authn.retain());
} else {
let duration = Duration::from_secs(seconds_remaining.into());
ctx_ref
.auth_event_handler
.authentication_expiring_soon(authn.retain(), duration);
}
}
None => ctx_ref.cached_expiry_time = Some(seconds_remaining),
}
}
pub(crate) fn set_authenticator(&mut self, authenticator: DittoAuthenticator) {
self.authenticator = Some(authenticator);
if let Some(authn) = &self.authenticator {
if let Some(time) = self.cached_expiry_time {
if time == 0 {
self.auth_event_handler
.authentication_required(authn.retain());
} else {
let duration = Duration::from_secs(time.into());
self.auth_event_handler
.authentication_expiring_soon(authn.retain(), duration);
}
self.cached_expiry_time = None;
}
}
}
}
pub struct ValidityListener(Weak<RwLock<TransportSync>>);
impl ValidityListener {
pub fn new(
transport: Weak<RwLock<TransportSync>>,
auth_client_ref: impl AsRef<BoxedAuthClient>,
) -> Arc<ValidityListener> {
let this = Arc::new(ValidityListener(transport));
let this_ptr = Arc::as_ptr(&this) as *mut c_void;
extern "C" fn on_validity_update(ctx: *mut c_void, web_valid: c_int, x509_valid: c_int) {
let ctx_ref: &ValidityListener =
unsafe { ctx.cast::<ValidityListener>().as_ref().expect("Got Null") };
{
if let Some(transport) = ctx_ref.0.upgrade() {
let mut lock = transport.write().expect("Poisoned Transport Lock");
lock.validity_updated(web_valid != 0, x509_valid != 0);
}
}
}
extern "C" fn retain(ctx: *mut c_void) {
let ptr = ctx.cast::<ValidityListener>();
unsafe {
Arc::increment_strong_count(ptr);
}
}
extern "C" fn release(ctx: *mut c_void) {
let ptr = ctx.cast::<ValidityListener>();
unsafe {
Arc::decrement_strong_count(ptr);
}
}
unsafe {
ffi_sdk::ditto_auth_client_set_validity_listener(
auth_client_ref.as_ref(),
this_ptr,
Some(retain),
Some(release),
Some(on_validity_update),
);
}
this
}
}
impl RefCounted for DittoAuthenticator {}
#[derive(Clone)]
pub struct DittoAuthenticator {
auth_client: Arc<BoxedAuthClient>,
pub(crate) ditto_fields: std::sync::Weak<DittoFields>,
}
impl DittoAuthenticator {
pub fn new(auth_client: Arc<BoxedAuthClient>) -> Self {
DittoAuthenticator {
auth_client,
ditto_fields: std::sync::Weak::<DittoFields>::new(),
}
}
pub(crate) fn auth_client(&self) -> Arc<BoxedAuthClient> {
self.auth_client.retain()
}
pub fn login_with_token_and_feedback(
&self,
token: &str,
provider: &str,
) -> Result<AuthenticationClientFeedback, DittoError> {
let c_token = char_p::new(token);
let c_provider = char_p::new(provider);
let status = unsafe {
ffi_sdk::ditto_auth_client_login_with_token_and_feedback(
&*self.auth_client,
c_token.as_ref(),
c_provider.as_ref(),
)
};
fn parse_client_info(s: Option<safer_ffi::String>) -> AuthenticationClientFeedback {
AuthenticationClientFeedback {
feedback: s.map(|x| serde_json::from_str(&x).unwrap()),
}
}
match status.return_code {
0 => Ok(parse_client_info(status.client_info)),
_ => Err(DittoError::from_authentication_feedback(parse_client_info(
status.client_info,
))),
}
}
pub fn logout<R>(&self, cleanup: impl FnOnce(Ditto) -> R) -> Result<R, DittoError> {
let fields = self
.ditto_fields
.upgrade()
.expect("fields hasn't been dropped yet");
let ditto = Ditto::new_with_fields(fields);
let status = unsafe { ffi_sdk::ditto_auth_client_logout(&*self.auth_client) };
if status != 0 {
return Err(DittoError::from_ffi(ErrorKind::Authentication));
}
ditto.stop_sync();
let ret = cleanup(ditto);
Ok(ret)
}
pub fn is_authenticated(&self) -> bool {
unsafe { ffi_sdk::ditto_auth_client_is_web_valid(&*self.auth_client) != 0 }
}
pub fn user_id(&self) -> Option<String> {
unsafe { ffi_sdk::ditto_auth_client_user_id(&*self.auth_client) }.map(|c_msg| {
let s = c_msg.to_str().to_owned();
unsafe { ffi_sdk::ditto_c_string_free(c_msg) };
s
})
}
}