librespot/core/src/spclient.rs

294 lines
9.4 KiB
Rust
Raw Normal View History

use std::time::Duration;
2021-11-27 07:30:51 +00:00
use bytes::Bytes;
2021-12-16 21:42:37 +00:00
use futures_util::future::IntoStream;
2021-11-27 07:30:51 +00:00
use http::header::HeaderValue;
use hyper::{
client::ResponseFuture,
header::{ACCEPT, AUTHORIZATION, CONTENT_TYPE, RANGE},
Body, HeaderMap, Method, Request,
};
2021-11-27 07:30:51 +00:00
use protobuf::Message;
use rand::Rng;
use crate::{
apresolve::SocketAddress,
2021-12-27 20:37:22 +00:00
cdn_url::CdnUrl,
error::ErrorKind,
protocol::{
canvaz::EntityCanvazRequest, connect::PutStateRequest,
extended_metadata::BatchedEntityRequest,
},
Error, FileId, SpotifyId,
};
component! {
SpClient : SpClientInner {
accesspoint: Option<SocketAddress> = None,
strategy: RequestStrategy = RequestStrategy::default(),
}
}
pub type SpClientResult = Result<Bytes, Error>;
#[derive(Copy, Clone, Debug)]
pub enum RequestStrategy {
TryTimes(usize),
Infinitely,
}
impl Default for RequestStrategy {
fn default() -> Self {
RequestStrategy::TryTimes(10)
}
}
impl SpClient {
pub fn set_strategy(&self, strategy: RequestStrategy) {
self.lock(|inner| inner.strategy = strategy)
}
pub async fn flush_accesspoint(&self) {
self.lock(|inner| inner.accesspoint = None)
}
pub async fn get_accesspoint(&self) -> SocketAddress {
// Memoize the current access point.
let ap = self.lock(|inner| inner.accesspoint.clone());
match ap {
Some(tuple) => tuple,
None => {
let tuple = self.session().apresolver().resolve("spclient").await;
self.lock(|inner| inner.accesspoint = Some(tuple.clone()));
info!(
"Resolved \"{}:{}\" as spclient access point",
tuple.0, tuple.1
);
tuple
}
}
}
pub async fn base_url(&self) -> String {
let ap = self.get_accesspoint().await;
format!("https://{}:{}", ap.0, ap.1)
}
2021-12-08 19:27:15 +00:00
pub async fn request_with_protobuf(
&self,
2021-12-16 21:42:37 +00:00
method: &Method,
endpoint: &str,
headers: Option<HeaderMap>,
2021-11-27 07:30:51 +00:00
message: &dyn Message,
) -> SpClientResult {
let body = protobuf::text_format::print_to_string(message);
let mut headers = headers.unwrap_or_else(HeaderMap::new);
2021-12-16 21:42:37 +00:00
headers.insert(CONTENT_TYPE, "application/protobuf".parse()?);
self.request(method, endpoint, Some(headers), Some(body))
.await
}
2021-12-08 19:27:15 +00:00
pub async fn request_as_json(
&self,
2021-12-16 21:42:37 +00:00
method: &Method,
2021-12-08 19:27:15 +00:00
endpoint: &str,
headers: Option<HeaderMap>,
body: Option<String>,
) -> SpClientResult {
let mut headers = headers.unwrap_or_else(HeaderMap::new);
2021-12-16 21:42:37 +00:00
headers.insert(ACCEPT, "application/json".parse()?);
2021-12-08 19:27:15 +00:00
self.request(method, endpoint, Some(headers), body).await
}
pub async fn request(
&self,
2021-12-16 21:42:37 +00:00
method: &Method,
endpoint: &str,
headers: Option<HeaderMap>,
body: Option<String>,
) -> SpClientResult {
let mut tries: usize = 0;
let mut last_response;
let body = body.unwrap_or_else(String::new);
loop {
tries += 1;
// Reconnection logic: retrieve the endpoint every iteration, so we can try
// another access point when we are experiencing network issues (see below).
2021-12-16 21:42:37 +00:00
let mut url = self.base_url().await;
url.push_str(endpoint);
let mut request = Request::builder()
.method(method)
2021-12-16 21:42:37 +00:00
.uri(url)
.body(Body::from(body.clone()))?;
// Reconnection logic: keep getting (cached) tokens because they might have expired.
let headers_mut = request.headers_mut();
if let Some(ref hdrs) = headers {
*headers_mut = hdrs.clone();
}
headers_mut.insert(
2021-12-16 21:42:37 +00:00
AUTHORIZATION,
2021-11-27 07:30:51 +00:00
HeaderValue::from_str(&format!(
"Bearer {}",
self.session()
.token_provider()
.get_token("playlist-read")
.await?
.access_token
))?,
);
last_response = self.session().http_client().request_body(request).await;
if last_response.is_ok() {
return last_response;
}
// Break before the reconnection logic below, so that the current access point
// is retained when max_tries == 1. Leave it up to the caller when to flush.
if let RequestStrategy::TryTimes(max_tries) = self.lock(|inner| inner.strategy) {
if tries >= max_tries {
break;
}
}
// Reconnection logic: drop the current access point if we are experiencing issues.
// This will cause the next call to base_url() to resolve a new one.
if let Err(ref network_error) = last_response {
match network_error.kind {
ErrorKind::Unavailable | ErrorKind::DeadlineExceeded => {
// Keep trying the current access point three times before dropping it.
if tries % 3 == 0 {
self.flush_accesspoint().await
}
}
_ => break, // if we can't build the request now, then we won't ever
}
}
// When retrying, avoid hammering the Spotify infrastructure by sleeping a while.
// The backoff time is chosen randomly from an ever-increasing range.
let max_seconds = u64::pow(tries as u64, 2) * 3;
let backoff = Duration::from_secs(rand::thread_rng().gen_range(1..=max_seconds));
warn!(
"Unable to complete API request, waiting {} seconds before retrying...",
backoff.as_secs(),
);
debug!("Error was: {:?}", last_response);
tokio::time::sleep(backoff).await;
}
last_response
}
pub async fn put_connect_state(
&self,
connection_id: String,
2021-11-27 07:30:51 +00:00
state: PutStateRequest,
) -> SpClientResult {
let endpoint = format!("/connect-state/v1/devices/{}", self.session().device_id());
let mut headers = HeaderMap::new();
headers.insert("X-Spotify-Connection-Id", connection_id.parse()?);
2021-12-16 21:42:37 +00:00
self.request_with_protobuf(&Method::PUT, &endpoint, Some(headers), &state)
.await
}
pub async fn get_metadata(&self, scope: &str, id: SpotifyId) -> SpClientResult {
let endpoint = format!("/metadata/4/{}/{}", scope, id.to_base16());
2021-12-16 21:42:37 +00:00
self.request(&Method::GET, &endpoint, None, None).await
}
pub async fn get_track_metadata(&self, track_id: SpotifyId) -> SpClientResult {
self.get_metadata("track", track_id).await
}
pub async fn get_episode_metadata(&self, episode_id: SpotifyId) -> SpClientResult {
self.get_metadata("episode", episode_id).await
}
pub async fn get_album_metadata(&self, album_id: SpotifyId) -> SpClientResult {
self.get_metadata("album", album_id).await
}
pub async fn get_artist_metadata(&self, artist_id: SpotifyId) -> SpClientResult {
self.get_metadata("artist", artist_id).await
}
pub async fn get_show_metadata(&self, show_id: SpotifyId) -> SpClientResult {
self.get_metadata("show", show_id).await
}
2021-12-08 19:27:15 +00:00
pub async fn get_lyrics(&self, track_id: SpotifyId) -> SpClientResult {
let endpoint = format!("/color-lyrics/v1/track/{}", track_id.to_base62());
2021-12-08 19:27:15 +00:00
2021-12-16 21:42:37 +00:00
self.request_as_json(&Method::GET, &endpoint, None, None)
.await
2021-12-08 19:27:15 +00:00
}
pub async fn get_lyrics_for_image(
&self,
track_id: SpotifyId,
image_id: FileId,
) -> SpClientResult {
2021-11-27 07:30:51 +00:00
let endpoint = format!(
"/color-lyrics/v2/track/{}/image/spotify:image:{}",
2021-12-08 19:27:15 +00:00
track_id.to_base62(),
2021-11-27 07:30:51 +00:00
image_id
);
2021-12-16 21:42:37 +00:00
self.request_as_json(&Method::GET, &endpoint, None, None)
.await
}
// TODO: Find endpoint for newer canvas.proto and upgrade to that.
2021-11-27 07:30:51 +00:00
pub async fn get_canvases(&self, request: EntityCanvazRequest) -> SpClientResult {
let endpoint = "/canvaz-cache/v0/canvases";
2021-12-16 21:42:37 +00:00
self.request_with_protobuf(&Method::POST, endpoint, None, &request)
.await
}
2021-11-27 07:30:51 +00:00
pub async fn get_extended_metadata(&self, request: BatchedEntityRequest) -> SpClientResult {
let endpoint = "/extended-metadata/v0/extended-metadata";
2021-12-16 21:42:37 +00:00
self.request_with_protobuf(&Method::POST, endpoint, None, &request)
.await
}
2021-12-16 21:42:37 +00:00
2021-12-27 20:37:22 +00:00
pub async fn get_audio_storage(&self, file_id: FileId) -> SpClientResult {
2021-12-16 21:42:37 +00:00
let endpoint = format!(
"/storage-resolve/files/audio/interactive/{}",
file_id.to_base16()
);
self.request(&Method::GET, &endpoint, None, None).await
}
2021-12-27 20:37:22 +00:00
pub fn stream_from_cdn(
2021-12-16 21:42:37 +00:00
&self,
2021-12-27 20:37:22 +00:00
cdn_url: &CdnUrl,
2021-12-16 21:42:37 +00:00
offset: usize,
length: usize,
) -> Result<IntoStream<ResponseFuture>, Error> {
2021-12-27 20:37:22 +00:00
let url = cdn_url.try_get_url()?;
2021-12-16 21:42:37 +00:00
let req = Request::builder()
.method(&Method::GET)
.uri(url)
.header(
RANGE,
HeaderValue::from_str(&format!("bytes={}-{}", offset, offset + length - 1))?,
)
.body(Body::empty())?;
let stream = self.session().http_client().request_stream(req)?;
Ok(stream)
}
}