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
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
//! # Spotify OAuth
//!
//! An implementation of the Spotify Authorization Code Flow in Rust.
//!
//! # Basic Example
//!
//! ```no_run
//! use std::{io::stdin, str::FromStr, error::Error};
//! use spotify_oauth::{SpotifyAuth, SpotifyCallback, SpotifyScope};
//!
//! #[async_std::main]
//! async fn main() -> Result<(), Box<dyn Error + Send + Sync + 'static>> {
//!
//!     // Setup Spotify Auth URL
//!     let auth = SpotifyAuth::new_from_env("code".into(), vec![SpotifyScope::Streaming], false);
//!     let auth_url = auth.authorize_url()?;
//!
//!     // Open the auth URL in the default browser of the user.
//!     open::that(auth_url)?;
//!
//!     println!("Input callback URL:");
//!     let mut buffer = String::new();
//!     stdin().read_line(&mut buffer)?;
//!
//!     // Convert the given callback URL into a token.
//!     let token = SpotifyCallback::from_str(buffer.trim())?
//!         .convert_into_token(auth.client_id, auth.client_secret, auth.redirect_uri).await?;
//!
//!     println!("Token: {:#?}", token);
//!
//!     Ok(())
//! }
//! ```

use chrono::{DateTime, Utc};
use dotenv::dotenv;
use rand::{self, Rng};
use serde::{Deserialize, Deserializer, Serialize};
use serde_json::Value;
use snafu::ResultExt;
use strum_macros::{Display, EnumString};
use url::Url;

use std::collections::HashMap;
use std::env;
use std::str::FromStr;
use std::string::ToString;

mod error;
use crate::error::{SerdeError, *};

const SPOTIFY_AUTH_URL: &str = "https://accounts.spotify.com/authorize";
const SPOTIFY_TOKEN_URL: &str = "https://accounts.spotify.com/api/token";

/// Convert date and time to a unix timestamp.
///
/// # Example
///
/// ```no_run
/// // Uses elapsed seconds and the current timestamp to return a timestamp offset by the seconds.
/// # use spotify_oauth::datetime_to_timestamp;
/// let timestamp = datetime_to_timestamp(3600);
/// ```
pub fn datetime_to_timestamp(elapsed: u32) -> i64 {
    let utc: DateTime<Utc> = Utc::now();
    utc.timestamp() + i64::from(elapsed)
}

/// Generate a random alphanumeric string with a given length.
///
/// # Example
///
/// ```no_run
/// // Uses elapsed seconds and the current timestamp to return a timestamp offset by the seconds.
/// # use spotify_oauth::generate_random_string;
/// let timestamp = generate_random_string(20);
/// ```
pub fn generate_random_string(length: usize) -> String {
    rand::thread_rng()
        .sample_iter(&rand::distributions::Alphanumeric)
        .take(length)
        .collect()
}

/// Spotify Scopes for the API.
/// This enum implements FromStr and ToString / Display through strum.
///
/// All the Spotify API scopes can be found [here](https://developer.spotify.com/documentation/general/guides/scopes/ "Spotify Scopes").
///
/// # Example
///
/// ```
/// # use spotify_oauth::SpotifyScope;
/// # use std::str::FromStr;
/// // Convert string into scope.
/// let scope = SpotifyScope::from_str("streaming").unwrap();
/// # assert_eq!(scope, SpotifyScope::Streaming);
/// // It can also convert the scope back into a string.
/// let scope = scope.to_string();
/// # assert_eq!(scope, "streaming");
/// ```
#[derive(EnumString, Serialize, Deserialize, Display, Debug, Clone, PartialEq)]
pub enum SpotifyScope {
    #[strum(serialize = "user-read-recently-played")]
    UserReadRecentlyPlayed,
    #[strum(serialize = "user-top-read")]
    UserTopRead,

    #[strum(serialize = "user-library-modify")]
    UserLibraryModify,
    #[strum(serialize = "user-library-read")]
    UserLibraryRead,

    #[strum(serialize = "playlist-read-private")]
    PlaylistReadPrivate,
    #[strum(serialize = "playlist-modify-public")]
    PlaylistModifyPublic,
    #[strum(serialize = "playlist-modify-private")]
    PlaylistModifyPrivate,
    #[strum(serialize = "playlist-read-collaborative")]
    PlaylistReadCollaborative,

    #[strum(serialize = "user-read-email")]
    UserReadEmail,
    #[strum(serialize = "user-read-birthdate")]
    UserReadBirthDate,
    #[strum(serialize = "user-read-private")]
    UserReadPrivate,

    #[strum(serialize = "user-read-playback-state")]
    UserReadPlaybackState,
    #[strum(serialize = "user-modify-playback-state")]
    UserModifyPlaybackState,
    #[strum(serialize = "user-read-currently-playing")]
    UserReadCurrentlyPlaying,

    #[strum(serialize = "app-remote-control")]
    AppRemoteControl,
    #[strum(serialize = "streaming")]
    Streaming,

    #[strum(serialize = "user-follow-read")]
    UserFollowRead,
    #[strum(serialize = "user-follow-modify")]
    UserFollowModify,
}

/// Spotify Authentication
///
/// This struct follows the parameters given at [this](https://developer.spotify.com/documentation/general/guides/authorization-guide/ "Spotify Auth Documentation") link.
///
/// # Example
///
/// ```no_run
/// # use spotify_oauth::{SpotifyAuth, SpotifyScope};
/// // Create a new spotify auth object with the scope "Streaming" using the ``new_from_env`` function.
/// // This object can then be converted into the auth url needed to gain a callback for the token.
/// let auth = SpotifyAuth::new_from_env("code".into(), vec![SpotifyScope::Streaming], false);
/// ```
pub struct SpotifyAuth {
    /// The Spotify Application Client ID
    pub client_id: String,
    /// The Spotify Application Client Secret
    pub client_secret: String,
    /// Required by the Spotify API.
    pub response_type: String,
    /// The URI to redirect to after the user grants or denies permission.
    pub redirect_uri: Url,
    /// A random generated string that can be useful for correlating requests and responses.
    pub state: String,
    /// Vec of Spotify Scopes.
    pub scope: Vec<SpotifyScope>,
    /// Whether or not to force the user to approve the app again if they’ve already done so.
    pub show_dialog: bool,
}

/// Implementation of Default for SpotifyAuth.
///
/// If ``CLIENT_ID`` is not found in the ``.env`` in the project directory it will default to ``INVALID_ID``.
/// If ``REDIRECT_ID`` is not found in the ``.env`` in the project directory it will default to ``http://localhost:8000/callback``.
///
/// This implementation automatically generates a state value of length 20 using a random string generator.
///
impl Default for SpotifyAuth {
    fn default() -> Self {
        // Load local .env file.
        dotenv().ok();

        Self {
            client_id: env::var("SPOTIFY_CLIENT_ID").context(EnvError).unwrap(),
            client_secret: env::var("SPOTIFY_CLIENT_SECRET").context(EnvError).unwrap(),
            response_type: "code".to_owned(),
            redirect_uri: Url::parse(&env::var("REDIRECT_URI").context(EnvError).unwrap())
                .context(UrlError)
                .unwrap(),
            state: generate_random_string(20),
            scope: vec![],
            show_dialog: false,
        }
    }
}

/// Conversion and helper functions for SpotifyAuth.
impl SpotifyAuth {
    /// Generate a new SpotifyAuth structure from values in memory.
    ///
    /// This function loads ``SPOTIFY_CLIENT_ID`` and ``SPOTIFY_REDIRECT_ID`` from values given in
    /// function parameters.
    ///
    /// This function also automatically generates a state value of length 20 using a random string generator.
    ///
    /// # Example
    ///
    /// ```
    /// # use spotify_oauth::{SpotifyAuth, SpotifyScope};
    /// // SpotifyAuth with the scope "Streaming".
    /// let auth = SpotifyAuth::new("00000000000".into(), "secret".into(), "code".into(), "http://localhost:8000/callback".into(), vec![SpotifyScope::Streaming], false);
    /// # assert_eq!(auth.scope_into_string(), "streaming");
    /// ```
    pub fn new(
        client_id: String,
        client_secret: String,
        response_type: String,
        redirect_uri: String,
        scope: Vec<SpotifyScope>,
        show_dialog: bool,
    ) -> Self {
        Self {
            client_id,
            client_secret,
            response_type,
            redirect_uri: Url::parse(&redirect_uri).context(UrlError).unwrap(),
            state: generate_random_string(20),
            scope,
            show_dialog,
        }
    }

    /// Generate a new SpotifyAuth structure from values in the environment.
    ///
    /// This function loads ``SPOTIFY_CLIENT_ID`` and ``SPOTIFY_REDIRECT_ID`` from the environment.
    ///
    /// This function also automatically generates a state value of length 20 using a random string generator.
    ///
    /// # Example
    ///
    /// ```no_run
    /// # use spotify_oauth::{SpotifyAuth, SpotifyScope};
    /// // SpotifyAuth with the scope "Streaming".
    /// let auth = SpotifyAuth::new_from_env("code".into(), vec![SpotifyScope::Streaming], false);
    /// # assert_eq!(auth.scope_into_string(), "streaming");
    /// ```
    pub fn new_from_env(
        response_type: String,
        scope: Vec<SpotifyScope>,
        show_dialog: bool,
    ) -> Self {
        // Load local .env file.
        dotenv().ok();

        Self {
            client_id: env::var("SPOTIFY_CLIENT_ID").context(EnvError).unwrap(),
            client_secret: env::var("SPOTIFY_CLIENT_SECRET").context(EnvError).unwrap(),
            response_type,
            redirect_uri: Url::parse(&env::var("SPOTIFY_REDIRECT_URI").context(EnvError).unwrap())
                .context(UrlError)
                .unwrap(),
            state: generate_random_string(20),
            scope,
            show_dialog,
        }
    }

    /// Concatenate the scope vector into a string needed for the authorization URL.
    ///
    /// # Example
    ///
    /// ```
    /// # use spotify_oauth::{SpotifyAuth, SpotifyScope};
    /// // Default SpotifyAuth with the scope "Streaming".
    /// let auth = SpotifyAuth::new("00000000000".into(), "secret".into(), "code".into(), "http://localhost:8000/callback".into(), vec![SpotifyScope::Streaming], false);
    /// # assert_eq!(auth.scope_into_string(), "streaming");
    /// ```
    pub fn scope_into_string(&self) -> String {
        self.scope
            .iter()
            .map(|x| x.clone().to_string())
            .collect::<Vec<String>>()
            .join(" ")
    }

    /// Convert the SpotifyAuth struct into the authorization URL.
    ///
    /// More information on this URL can be found [here](https://developer.spotify.com/documentation/general/guides/authorization-guide/ "Spotify Auth Documentation").
    ///
    /// # Example
    ///
    /// ```
    /// # use spotify_oauth::{SpotifyAuth, SpotifyScope};
    /// // Default SpotifyAuth with the scope "Streaming" converted into the authorization URL.
    /// let auth = SpotifyAuth::new("00000000000".into(), "secret".into(), "code".into(), "http://localhost:8000/callback".into(), vec![SpotifyScope::Streaming], false)
    ///     .authorize_url().unwrap();
    /// ```
    pub fn authorize_url(&self) -> SpotifyResult<String> {
        let mut url = Url::parse(SPOTIFY_AUTH_URL).context(UrlError)?;

        url.query_pairs_mut()
            .append_pair("client_id", &self.client_id)
            .append_pair("response_type", &self.response_type)
            .append_pair("redirect_uri", self.redirect_uri.as_str())
            .append_pair("state", &self.state)
            .append_pair("scope", &self.scope_into_string())
            .append_pair("show_dialog", &self.show_dialog.to_string());

        Ok(url.to_string())
    }
}

/// The Spotify Callback URL
///
/// This struct follows the parameters given at [this](https://developer.spotify.com/documentation/general/guides/authorization-guide/ "Spotify Auth Documentation") link.
///
/// The main use of this object is to convert the callback URL into an object that can be used to generate a token.
/// If needed you can also create this callback object using the ``new`` function in the struct.
///
/// # Example
///
/// ```
/// # use spotify_oauth::SpotifyCallback;
/// # use std::str::FromStr;
/// // Create a new spotify callback object using the callback url given by the authorization process.
/// // This object can then be converted into the token needed for the application.
/// let callback = SpotifyCallback::from_str("https://example.com/callback?code=NApCCgBkWtQ&state=test").unwrap();
/// # assert_eq!(callback, SpotifyCallback::new(Some("NApCCgBkWtQ".to_string()), None, String::from("test")));
/// ```
#[derive(Debug, PartialEq)]
pub struct SpotifyCallback {
    /// An authorization code that can be exchanged for an access token.
    code: Option<String>,
    /// The reason authorization failed.
    error: Option<String>,
    /// The value of the ``state`` parameter supplied in the request.
    state: String,
}

/// Implementation of FromStr for Spotify Callback URLs.
///
/// # Example
///
/// ```
/// # use spotify_oauth::SpotifyCallback;
/// # use std::str::FromStr;
/// // Create a new spotify callback object using the callback url given by the authorization process.
/// // This object can then be converted into the token needed for the application.
/// let callback = SpotifyCallback::from_str("https://example.com/callback?code=NApCCgBkWtQ&state=test").unwrap();
/// # assert_eq!(callback, SpotifyCallback::new(Some("NApCCgBkWtQ".to_string()), None, String::from("test")));
/// ```
impl FromStr for SpotifyCallback {
    type Err = error::SpotifyError;

    fn from_str(s: &str) -> Result<Self, Self::Err> {
        let url = Url::parse(s).context(UrlError)?;
        let parsed: Vec<(String, String)> = url
            .query_pairs()
            .map(|x| (x.0.into_owned(), x.1.into_owned()))
            .collect();

        let has_state = parsed.iter().any(|x| x.0 == "state");
        let has_response = parsed.iter().any(|x| x.0 == "error" || x.0 == "code");

        if !has_state && !has_response {
            return Err(SpotifyError::CallbackFailure {
                context: "Does not contain any state or response type query parameters.",
            });
        } else if !has_state {
            return Err(SpotifyError::CallbackFailure {
                context: "Does not contain any state type query parameters.",
            });
        } else if !has_response {
            return Err(SpotifyError::CallbackFailure {
                context: "Does not contain any response type query parameters.",
            });
        }

        let state = match parsed.iter().find(|x| x.0 == "state") {
            None => ("state".to_string(), "".to_string()),
            Some(x) => x.clone(),
        };

        let response = match parsed.iter().find(|x| x.0 == "error" || x.0 == "code") {
            None => ("error".to_string(), "access_denied".to_string()),
            Some(x) => x.clone(),
        };

        if response.0 == "code" {
            return Ok(Self {
                code: Some(response.to_owned().1),
                error: None,
                state: state.1,
            });
        } else if response.0 == "error" {
            return Ok(Self {
                code: None,
                error: Some(response.to_owned().1),
                state: state.1,
            });
        }

        Err(SpotifyError::CallbackFailure {
            context: "Does not contain any state or response type query parameters.",
        })
    }
}

/// Conversion and helper functions for SpotifyCallback.
impl SpotifyCallback {
    /// Create a new Spotify Callback object with given values.
    ///
    /// # Example
    ///
    /// ```
    /// # use spotify_oauth::SpotifyCallback;
    /// // Create a new spotify callback object using the new function.
    /// // This object can then be converted into the token needed for the application.
    /// let callback = SpotifyCallback::new(Some("NApCCgBkWtQ".to_string()), None, String::from("test"));
    /// ```
    pub fn new(code: Option<String>, error: Option<String>, state: String) -> Self {
        Self { code, error, state }
    }

    /// Converts the Spotify Callback object into a Spotify Token object.
    ///
    /// # Example
    ///
    /// ```no_run
    /// # use spotify_oauth::{SpotifyAuth, SpotifyCallback, SpotifyScope};
    /// # use std::str::FromStr;
    /// # #[async_std::main]
    /// # async fn main() -> Result<(), Box<dyn std::error::Error + Send + Sync + 'static>> {
    /// // Create a new Spotify auth object.
    /// let auth = SpotifyAuth::new("00000000000".into(), "secret".into(), "code".into(), "http://localhost:8000/callback".into(), vec![SpotifyScope::Streaming], false);
    ///
    /// // Create a new spotify callback object using the callback url given by the authorization process and convert it into a token.
    /// let token = SpotifyCallback::from_str("https://example.com/callback?code=NApCCgBkWtQ&state=test").unwrap()
    ///     .convert_into_token(auth.client_id, auth.client_secret, auth.redirect_uri).await.unwrap();
    /// # Ok(()) }
    /// ```
    pub async fn convert_into_token(
        self,
        client_id: String,
        client_secret: String,
        redirect_uri: Url,
    ) -> SpotifyResult<SpotifyToken> {
        let mut payload: HashMap<String, String> = HashMap::new();
        payload.insert("grant_type".to_owned(), "authorization_code".to_owned());
        payload.insert(
            "code".to_owned(),
            match self.code {
                None => {
                    return Err(SpotifyError::TokenFailure {
                        context: "Spotify callback code failed to parse.",
                    })
                }
                Some(x) => x,
            },
        );
        payload.insert("redirect_uri".to_owned(), redirect_uri.to_string());

        // Form authorisation header.
        let auth_value = base64::encode(&format!("{}:{}", client_id, client_secret));

        // POST the request.
        let mut response = surf::post(SPOTIFY_TOKEN_URL)
            .set_header("Authorization", format!("Basic {}", auth_value))
            .body_form(&payload)
            .unwrap()
            .await
            .context(SurfError)?;

        // Read the response body.
        let buf = response.body_string().await.unwrap();

        if response.status().is_success() {
            let mut token: SpotifyToken = serde_json::from_str(&buf).context(SerdeError)?;
            token.expires_at = Some(datetime_to_timestamp(token.expires_in));

            return Ok(token);
        }

        Err(SpotifyError::TokenFailure {
            context: "Failed to convert callback into token",
        })
    }
}

/// The Spotify Token object.
///
/// This struct follows the parameters given at [this](https://developer.spotify.com/documentation/general/guides/authorization-guide/ "Spotify Auth Documentation") link.
///
/// This object can only be formed from a correct Spotify Callback object.
///
/// # Example
///
/// ```no_run
/// # use spotify_oauth::{SpotifyAuth, SpotifyScope, SpotifyCallback};
/// # use std::str::FromStr;
/// # #[async_std::main]
/// # async fn main() -> Result<(), Box<dyn std::error::Error + Send + Sync + 'static>> {
/// // Create a new Spotify auth object.
/// let auth = SpotifyAuth::new("00000000000".into(), "secret".into(), "code".into(), "http://localhost:8000/callback".into(), vec![SpotifyScope::Streaming], false);   
///
/// // Create a new Spotify token object using the callback object given by the authorization process.
/// let token = SpotifyCallback::from_str("https://example.com/callback?code=NApCCgBkWtQ&state=test").unwrap()
///     .convert_into_token(auth.client_id, auth.client_secret, auth.redirect_uri).await.unwrap();
/// # Ok(()) }
/// ```
#[derive(Serialize, Deserialize, Debug, PartialEq)]
pub struct SpotifyToken {
    /// An access token that can be provided in subsequent calls, for example to Spotify Web API services.
    pub access_token: String,
    /// How the access token may be used.
    pub token_type: String,
    /// A Vec of scopes which have been granted for this ``access_token``.
    #[serde(deserialize_with = "deserialize_scope_field")]
    pub scope: Vec<SpotifyScope>,
    /// The time period (in seconds) for which the access token is valid.
    pub expires_in: u32,
    /// The timestamp for which the token will expire at.
    pub expires_at: Option<i64>,
    /// A token that can be sent to the Spotify Accounts service in place of an authorization code to request a new ``access_token``.
    pub refresh_token: String,
}

/// Custom parsing function for converting a vector of string scopes into SpotifyScope Enums using Serde.
/// If scope is empty it will return an empty vector.
fn deserialize_scope_field<'de, D>(de: D) -> Result<Vec<SpotifyScope>, D::Error>
where
    D: Deserializer<'de>,
{
    let result: Value = Deserialize::deserialize(de)?;
    match result {
        Value::String(ref s) => {
            let split: Vec<&str> = s.split_whitespace().collect();
            let mut parsed: Vec<SpotifyScope> = Vec::new();

            for x in split {
                parsed.push(SpotifyScope::from_str(x).unwrap());
            }

            Ok(parsed)
        }
        _ => Ok(vec![]),
    }
}

#[cfg(test)]
mod tests {
    use super::*;

    // Callback Testing

    #[test]
    fn test_parse_callback_code() {
        let url = String::from("http://localhost:8888/callback?code=AQD0yXvFEOvw&state=sN");

        assert_eq!(
            SpotifyCallback::from_str(&url).unwrap(),
            SpotifyCallback::new(Some("AQD0yXvFEOvw".to_string()), None, "sN".to_string())
        );
    }

    #[test]
    fn test_parse_callback_error() {
        let url = String::from("http://localhost:8888/callback?error=access_denied&state=sN");

        assert_eq!(
            SpotifyCallback::from_str(&url).unwrap(),
            SpotifyCallback::new(None, Some("access_denied".to_string()), "sN".to_string())
        );
    }

    #[test]
    fn test_invalid_response_parse() {
        let url = String::from("http://localhost:8888/callback?state=sN");

        assert_eq!(
            SpotifyCallback::from_str(&url).unwrap_err().to_string(),
            "Callback URL parsing failure: Does not contain any response type query parameters."
        );
    }

    #[test]
    fn test_invalid_parse() {
        let url = String::from("http://localhost:8888/callback");

        assert_eq!(
            SpotifyCallback::from_str(&url).unwrap_err().to_string(),
            "Callback URL parsing failure: Does not contain any state or response type query parameters."
        );
    }

    // Token Testing

    #[test]
    fn test_token_parse() {
        let token_json = r#"{
           "access_token": "NgCXRKDjGUSKlfJODUjvnSUhcOMzYjw",
           "token_type": "Bearer",
           "scope": "user-read-private user-read-email",
           "expires_in": 3600,
           "refresh_token": "NgAagAHfVxDkSvCUm_SHo"
        }"#;

        let mut token: SpotifyToken = serde_json::from_str(token_json).unwrap();
        let timestamp = datetime_to_timestamp(token.expires_in);
        token.expires_at = Some(timestamp);

        assert_eq!(
            SpotifyToken {
                access_token: "NgCXRKDjGUSKlfJODUjvnSUhcOMzYjw".to_string(),
                token_type: "Bearer".to_string(),
                scope: vec![SpotifyScope::UserReadPrivate, SpotifyScope::UserReadEmail],
                expires_in: 3600,
                expires_at: Some(timestamp),
                refresh_token: "NgAagAHfVxDkSvCUm_SHo".to_string()
            },
            token
        );
    }
}