cas/graphql/types/
alert.rs

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
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
use crate::{
    errors::AppError,
    expo,
    graphql::types::{
        jwt::Authentication,
        notification::{LevelAlert, Notification},
        user::find_user,
    },
    state::AppState,
};
use async_graphql::{Context, FieldResult, InputObject, SimpleObject};
use serde::{Deserialize, Serialize};
use std::str::FromStr;

#[derive(Serialize, Deserialize)]
pub struct PolygonValid {
    pub is_valid: bool,
}

#[derive(SimpleObject, Clone, Debug, Serialize, Deserialize)]
/// Alert struct
pub struct Alert {
    pub id: i32,
    pub user_id: i32,
    pub created_at: i64,
    pub area: String,
    pub area_level2: String,
    pub area_level3: String,
    pub text1: String,
    pub text2: String,
    pub text3: String,
    pub audio1: Vec<u8>,
    pub audio2: Vec<u8>,
    pub audio3: Vec<u8>,
    pub reached_users: i32,
    pub notifications: Vec<Notification>,
}

#[derive(InputObject)]
pub struct Point {
    pub latitude: f64,
    pub longitude: f64,
}

#[derive(InputObject)]
/// Alert input struct
pub struct AlertInput {
    pub points: Vec<Point>,
    pub text1: String,
    pub text2: String,
    pub text3: String,
}

pub mod query {
    use super::*;

    /// Get alerts from the database
    pub async fn get_alerts<'ctx>(
        ctx: &Context<'ctx>,

        // Optional filter by id.
        id: Option<i32>,

        // Optional limit results
        limit: Option<i64>,

        // Optional offset results. It should be used with limit field.
        offset: Option<i64>,
    ) -> Result<Option<Vec<Alert>>, AppError> {
        let state = ctx.data::<AppState>().expect("Can't connect to db");
        let client = &*state.client;
        let auth: &Authentication = ctx.data()?;
        match auth {
            Authentication::NotLogged => Err(AppError::Unauthorized),
            Authentication::Logged(_) => {
                let rows = match id {
                Some(id) => {
                    client
                        .query(
                            "SELECT a.id,
                                a.user_id,
                                extract(epoch from a.created_at)::double precision as created_at,
                                ST_AsText(a.area) as area,
                                ST_AsText(ST_Buffer(a.area::geography, 1000)) as area_level2,
                                ST_AsText(ST_Buffer(a.area::geography, 2000)) as area_level3,
                                a.text1,
                                a.text2,
                                a.text3,
                                a.audio1,
                                a.audio2,
                                a.audio3,
                                a.reached_users,
                                n.id as notification_id,
                                n.alert_id as notification_alert_id,
                                n.seen as notification_seen,
                                extract(epoch from n.created_at)::double precision as notification_created_at,
                                ST_Y(n.location::geometry) AS notification_latitude,
                                ST_X(n.location::geometry) AS notification_longitude,
                                n.activity as notification_activity,
                                n.level as notification_level,
                                n.user_id as notification_user_id
                            FROM alerts a
                            LEFT JOIN notifications n ON n.alert_id = a.id
                            WHERE a.id = $1",
                            &[&id],
                        )
                        .await?
                }
                None => {
                    client
                        .query(
                            "SELECT a.id,
                                a.user_id,
                                extract(epoch from a.created_at)::double precision as created_at,
                                ST_AsText(a.area) as area,
                                ST_AsText(ST_Buffer(a.area::geography, 1000)) as area_level2,
                                ST_AsText(ST_Buffer(a.area::geography, 2000)) as area_level3,
                                a.text1,
                                a.text2,
                                a.text3,
                                a.audio1,
                                a.audio2,
                                a.audio3,
                                a.reached_users,
                                n.id as notification_id,
                                n.alert_id as notification_alert_id,
                                n.seen as notification_seen,
                                extract(epoch from n.created_at)::double precision as notification_created_at,
                                ST_Y(n.location::geometry) AS notification_latitude,
                                ST_X(n.location::geometry) AS notification_longitude,
                                n.activity as notification_activity,
                                n.level as notification_level,
                                n.user_id as notification_user_id
                            FROM alerts a
                            LEFT JOIN notifications n ON n.alert_id = a.id
                            ORDER BY a.id DESC
                            LIMIT $1
                            OFFSET $2",
                            &[&limit.unwrap_or(20), &offset.unwrap_or(0)],
                        )
                        .await?
                }
            };

                let mut alerts: Vec<Alert> = vec![];
                let mut current_alert_id = None;
                let mut current_alert = None;

                for row in rows {
                    let alert_id: i32 = row.get("id");
                    if current_alert_id != Some(alert_id) {
                        if let Some(alert) = current_alert.take() {
                            alerts.push(alert);
                        }
                        current_alert_id = Some(alert_id);
                        current_alert = Some(Alert {
                            id: row.get("id"),
                            user_id: row.get("user_id"),
                            created_at: row.get::<_, f64>("created_at") as i64,
                            area: row.get("area"),
                            area_level2: row.get("area_level2"),
                            area_level3: row.get("area_level3"),
                            text1: row.get("text1"),
                            text2: row.get("text2"),
                            text3: row.get("text3"),
                            audio1: row.get("audio1"),
                            audio2: row.get("audio2"),
                            audio3: row.get("audio3"),
                            reached_users: row.get("reached_users"),
                            notifications: vec![],
                        });
                    }

                    // Add the notification data to the notifications list
                    if let Some(alert) = current_alert.as_mut() {
                        if row.get::<_, Option<i32>>("notification_id").is_some() {
                            let notification = Notification {
                                id: row.get("notification_id"),
                                alert: None,
                                user_id: row.get("notification_user_id"),
                                latitude: row.get("notification_latitude"),
                                longitude: row.get("notification_longitude"),
                                moving_activity: row.get("notification_activity"),
                                level: row.get("notification_level"),
                                seen: row.get("notification_seen"),
                                created_at: row.get::<_, f64>("notification_created_at") as i64,
                            };
                            alert.notifications.push(notification);
                        }
                    }
                }

                if let Some(alert) = current_alert {
                    alerts.push(alert);
                }

                Ok(Some(alerts))
            }
        }
    }
}

pub mod mutations {
    use crate::{audio, graphql::types::position::Position};

    use super::*;

    /// Create a new alert
    pub async fn new_alert<'ctx>(ctx: &Context<'ctx>, input: AlertInput) -> FieldResult<Alert> {
        let state = ctx.data::<AppState>().expect("Can't connect to db");
        let client = &*state.client;

        let auth: &Authentication = ctx.data()?;
        match auth {
            Authentication::NotLogged => Err(AppError::NotFound("Owner".to_string()).into()),
            Authentication::Logged(claims) => {
                let claim_user = find_user(client, claims.user_id).await?;
                if !claim_user.is_admin {
                    return Err(AppError::Unauthorized.into());
                }

                let points: String = input
                    .points
                    .iter()
                    .map(|x| {
                        format!(
                            "ST_SetSRID(ST_MakePoint({}, {}), 4326)",
                            x.longitude, x.latitude
                        )
                    })
                    .collect::<Vec<String>>()
                    .join(",");

                let polygon = format!("ST_MakePolygon(ST_MakeLine(ARRAY[{}]))", points);

                let valid_query = format!("SELECT ST_IsValid({}) as is_valid", polygon);
                let rows = match client.query(&valid_query, &[]).await {
                    Ok(r) => r,
                    Err(_) => {
                        return Err(AppError::BadRequest("Polygon is not valid".to_string()).into());
                    }
                };

                let is_valid: bool = rows[0].get("is_valid");
                if !is_valid {
                    return Err(AppError::BadRequest("Polygon is not valid".to_string()).into());
                }

                // This is like a cache system to avoid multiple alerts for the same area within 10
                // minutes of interval
                if let Some(previous_alert) = client.query(
                    &format!(
                        "SELECT
                            id, user_id, extract(epoch from created_at)::double precision as created_at,
                            ST_AsText(area) as area,
                            ST_AsText(ST_Buffer(area::geography, 1000)) as area_level2,
                            ST_AsText(ST_Buffer(area::geography, 2000)) as area_level3,
                            text1, text2, text3,
                            audio1, audio2, audio3,
                            reached_users
                        FROM alerts WHERE area = {} AND created_at >= NOW() - INTERVAL '10 MINUTE'",
                        polygon
                    ),
                    &[]
                ).await?
                    .iter()
                    .map(|row| Alert {
                        id: row.get("id"),
                        user_id: row.get("user_id"),
                        created_at: row.get::<_, f64>("created_at") as i64,
                        area: row.get("area"),
                        area_level2: row.get("area_level2"),
                        area_level3: row.get("area_level3"),
                        text1: row.get("text1"),
                        text2: row.get("text2"),
                        text3: row.get("text3"),
                        audio1: row.get("audio1"),
                        audio2: row.get("audio2"),
                        audio3: row.get("audio3"),
                        reached_users: row.get("reached_users"),
                        notifications: vec![],
                    })
                    .collect::<Vec<Alert>>()
                    .first()
                    .cloned() {
                        return Ok(previous_alert);
                }

                let audio1 = match audio::tts(&input.text1).await {
                    Ok(content) => content,
                    Err(e) => {
                        tracing::error!("Error for `{}`: {}", &input.text1, e);
                        bytes::Bytes::new()
                    }
                };

                let audio2 = match audio::tts(&input.text2).await {
                    Ok(content) => content,
                    Err(e) => {
                        tracing::error!("Error for `{}`: {}", &input.text2, e);
                        bytes::Bytes::new()
                    }
                };

                let audio3 = match audio::tts(&input.text3).await {
                    Ok(content) => content,
                    Err(e) => {
                        tracing::error!("Error for `{}`: {}", &input.text3, e);
                        bytes::Bytes::new()
                    }
                };

                let insert_query = format!(
                    "INSERT INTO alerts (user_id, area, text1, text2, text3, audio1, audio2, audio3)
                    VALUES($1, {}, $2, $3, $4, $5, $6, $7)
                    RETURNING
                    id, user_id, extract(epoch from created_at)::double precision as created_at,
                    ST_AsText(area) as area,
                    ST_AsText(ST_Buffer(area::geography, 1000)) as area_level2,
                    ST_AsText(ST_Buffer(area::geography, 2000)) as area_level3,
                    text1, text2, text3,
                    audio1, audio2, audio3,
                    reached_users",
                    polygon
                );

                let rows = client
                    .query(
                        &insert_query,
                        &[
                            &claims.user_id,
                            &input.text1,
                            &input.text2,
                            &input.text3,
                            &audio1.to_vec(),
                            &audio2.to_vec(),
                            &audio3.to_vec(),
                        ],
                    )
                    .await?;
                let mut alert = rows
                    .iter()
                    .map(|row| Alert {
                        id: row.get("id"),
                        user_id: row.get("user_id"),
                        created_at: row.get::<_, f64>("created_at") as i64,
                        area: row.get("area"),
                        area_level2: row.get("area_level2"),
                        area_level3: row.get("area_level3"),
                        text1: row.get("text1"),
                        text2: row.get("text2"),
                        text3: row.get("text3"),
                        audio1: row.get("audio1"),
                        audio2: row.get("audio2"),
                        audio3: row.get("audio3"),
                        reached_users: row.get("reached_users"),
                        notifications: vec![],
                    })
                    .collect::<Vec<Alert>>()
                    .first()
                    .cloned()
                    .ok_or_else(|| AppError::BadRequest("Failed to create alert".to_string()))?;

                struct Level<'a> {
                    text: &'a str,
                    distance: f64,
                }

                let levels = vec![
                    Level {
                        text: "One",
                        distance: 0f64,
                    },
                    Level {
                        text: "Two",
                        distance: 1000f64,
                    },
                    Level {
                        text: "Three",
                        distance: 2000f64,
                    },
                ];

                let mut alerted_positions: Vec<i32> = vec![];

                // Send notifications for each available level
                for level in levels {
                    let positions: Vec<Position> = client
                        .query(
                            "SELECT id, user_id, extract(epoch from created_at)::double precision as created_at, ST_Y(location::geometry) AS latitude, ST_X(location::geometry) AS longitude, activity
                            FROM positions p
                            WHERE ST_DWithin(
                                    p.location::geography,
                                    (SELECT area::geography FROM alerts WHERE id = $1),
                                    $2
                                )
                            ",
                            &[&alert.id, &level.distance],
                        )
                        .await?
                        .iter()
                        .map(|row| Position {
                            id: row.get("id"),
                            user_id: row.get("user_id"),
                            created_at: row.get::<_, f64>("created_at") as i64,
                            latitude: row.get("latitude"),
                            longitude: row.get("longitude"),
                            moving_activity: row.get("activity"),
                        })
                        .filter(|p| !alerted_positions.contains(&p.id))
                        .collect();

                    let mut notification_ids = vec![];
                    for p in &positions {
                        let notification = Notification::insert_db(
                            client,
                            alert.id,
                            p,
                            LevelAlert::from_str(level.text).unwrap(),
                        )
                        .await?;
                        notification_ids.push(notification);
                    }

                    alert.reached_users += notification_ids.len() as i32;
                    // Users placeholders
                    let placeholders: Vec<String> =
                        positions.iter().map(|p| format!("{}", p.user_id)).collect();

                    if !placeholders.is_empty() {
                        let query = format!(
                            "SELECT DISTINCT u.notification_token FROM users u
                            WHERE u.id IN ({}) AND notification_token IS NOT NULL",
                            placeholders.join(", ")
                        );

                        let tokens: Vec<String> = client
                            .query(&query, &[])
                            .await?
                            .iter()
                            .map(|row| {
                                format!("ExponentPushToken[{}]", row.get::<usize, String>(0))
                            })
                            .collect();

                        if tokens.len() > 0 {
                            expo::send(
                                (*state.expo).clone(),
                                tokens,
                                "New Alert!".to_string(),
                                match level.text {
                                    "One" => alert.text1.clone(),
                                    "Two" => alert.text2.clone(),
                                    "Three" => alert.text3.clone(),
                                    _ => "Check it out in app!".to_string(),
                                },
                            )
                            .await?;
                        }
                    }

                    alerted_positions.extend(positions.iter().map(|p| p.id).collect::<Vec<i32>>());
                }

                client
                    .query(
                        "UPDATE alerts SET reached_users = $1 WHERE id = $2",
                        &[&alert.reached_users, &alert.id],
                    )
                    .await?;

                Ok(alert)
            }
        }
    }
}