redsunlib/src/oauth.rs

204 lines
6.2 KiB
Rust
Raw Normal View History

use std::{collections::HashMap, sync::atomic::Ordering, time::Duration};
2023-06-06 12:31:25 +12:00
use crate::{
client::{CLIENT, OAUTH_CLIENT, OAUTH_IS_ROLLING_OVER, OAUTH_RATELIMIT_REMAINING},
oauth_resources::ANDROID_APP_VERSION_LIST,
};
2023-06-06 12:31:25 +12:00
use base64::{engine::general_purpose, Engine as _};
use hyper::{client, Body, Method, Request};
use log::{info, trace};
2023-06-09 06:33:54 +12:00
2023-06-06 12:31:25 +12:00
use serde_json::json;
static REDDIT_ANDROID_OAUTH_CLIENT_ID: &str = "ohXpoqrZYub1kg";
static AUTH_ENDPOINT: &str = "https://accounts.reddit.com";
// Spoofed client for Android devices
2023-06-09 06:33:54 +12:00
#[derive(Debug, Clone, Default)]
2023-12-29 06:42:06 +13:00
pub struct Oauth {
pub(crate) initial_headers: HashMap<String, String>,
2023-06-06 12:31:25 +12:00
pub(crate) headers_map: HashMap<String, String>,
pub(crate) token: String,
expires_in: u64,
device: Device,
2023-06-06 12:31:25 +12:00
}
impl Oauth {
2023-06-09 06:33:54 +12:00
pub(crate) async fn new() -> Self {
2023-12-29 06:42:06 +13:00
let mut oauth = Self::default();
2023-06-09 06:33:54 +12:00
oauth.login().await;
oauth
}
pub(crate) fn default() -> Self {
// Generate a device to spoof
let device = Device::new();
let headers_map = device.headers.clone();
let initial_headers = device.initial_headers.clone();
// For now, just insert headers - no token request
2023-12-29 06:42:06 +13:00
Self {
headers_map,
initial_headers,
2023-06-06 12:31:25 +12:00
token: String::new(),
expires_in: 0,
device,
2023-06-06 12:31:25 +12:00
}
}
async fn login(&mut self) -> Option<()> {
// Construct URL for OAuth token
2024-01-20 14:16:17 +13:00
let url = format!("{AUTH_ENDPOINT}/api/access_token");
2023-06-06 12:31:25 +12:00
let mut builder = Request::builder().method(Method::POST).uri(&url);
// Add headers from spoofed client
2024-01-20 14:16:17 +13:00
for (key, value) in &self.initial_headers {
builder = builder.header(key, value);
2023-06-06 12:31:25 +12:00
}
// Set up HTTP Basic Auth - basically just the const OAuth ID's with no password,
// Base64-encoded. https://en.wikipedia.org/wiki/Basic_access_authentication
// This could be constant, but I don't think it's worth it. OAuth ID's can change
// over time and we want to be flexible.
let auth = general_purpose::STANDARD.encode(format!("{}:", self.device.oauth_id));
2023-06-06 12:31:25 +12:00
builder = builder.header("Authorization", format!("Basic {auth}"));
// Set JSON body. I couldn't tell you what this means. But that's what the client sends
2023-06-06 12:31:25 +12:00
let json = json!({
"scopes": ["*","email"]
2023-06-06 12:31:25 +12:00
});
let body = Body::from(json.to_string());
// Build request
2023-06-06 12:31:25 +12:00
let request = builder.body(body).unwrap();
// Send request
2024-01-20 14:16:17 +13:00
let client: client::Client<_, Body> = CLIENT.clone();
2023-06-06 12:31:25 +12:00
let resp = client.request(request).await.ok()?;
// Parse headers - loid header _should_ be saved sent on subsequent token refreshes.
// Technically it's not needed, but it's easy for Reddit API to check for this.
// It's some kind of header that uniquely identifies the device.
if let Some(header) = resp.headers().get("x-reddit-loid") {
self.headers_map.insert("x-reddit-loid".to_owned(), header.to_str().ok()?.to_string());
}
// Same with x-reddit-session
if let Some(header) = resp.headers().get("x-reddit-session") {
self.headers_map.insert("x-reddit-session".to_owned(), header.to_str().ok()?.to_string());
}
// Serialize response
2023-06-06 12:31:25 +12:00
let body_bytes = hyper::body::to_bytes(resp.into_body()).await.ok()?;
let json: serde_json::Value = serde_json::from_slice(&body_bytes).ok()?;
// Save token and expiry
2023-06-06 12:31:25 +12:00
self.token = json.get("access_token")?.as_str()?.to_string();
self.expires_in = json.get("expires_in")?.as_u64()?;
2023-06-06 12:31:25 +12:00
self.headers_map.insert("Authorization".to_owned(), format!("Bearer {}", self.token));
info!("[✅] Success - Retrieved token \"{}...\", expires in {}", &self.token[..32], self.expires_in);
2023-06-06 12:31:25 +12:00
Some(())
}
}
2023-06-09 06:33:54 +12:00
2023-12-29 06:42:06 +13:00
pub async fn token_daemon() {
// Monitor for refreshing token
loop {
// Get expiry time - be sure to not hold the read lock
2024-06-29 10:14:47 +12:00
let expires_in = { OAUTH_CLIENT.load_full().expires_in };
// sleep for the expiry time minus 2 minutes
let duration = Duration::from_secs(expires_in - 120);
2023-06-09 06:33:54 +12:00
info!("[⏳] Waiting for {duration:?} seconds before refreshing OAuth token...");
2023-06-09 06:33:54 +12:00
tokio::time::sleep(duration).await;
info!("[⌛] {duration:?} Elapsed! Refreshing OAuth token...");
// Refresh token - in its own scope
{
2024-06-29 10:14:47 +12:00
force_refresh_token().await;
}
}
}
pub async fn force_refresh_token() {
2024-06-28 15:34:27 +12:00
if OAUTH_IS_ROLLING_OVER.compare_exchange(false, true, Ordering::SeqCst, Ordering::SeqCst).is_err() {
trace!("Skipping refresh token roll over, already in progress");
return;
}
2024-06-27 15:41:26 +12:00
trace!("Rolling over refresh token. Current rate limit: {}", OAUTH_RATELIMIT_REMAINING.load(Ordering::SeqCst));
2024-06-29 10:14:47 +12:00
let new_client = Oauth::new().await;
OAUTH_CLIENT.swap(new_client.into());
OAUTH_RATELIMIT_REMAINING.store(99, Ordering::SeqCst);
OAUTH_IS_ROLLING_OVER.store(false, Ordering::SeqCst);
}
2023-06-09 06:33:54 +12:00
#[derive(Debug, Clone, Default)]
struct Device {
oauth_id: String,
initial_headers: HashMap<String, String>,
headers: HashMap<String, String>,
}
impl Device {
fn android() -> Self {
2023-06-07 07:26:31 +12:00
// Generate uuid
let uuid = uuid::Uuid::new_v4().to_string();
2023-06-07 07:26:31 +12:00
// Generate random user-agent
let android_app_version = choose(ANDROID_APP_VERSION_LIST).to_string();
let android_version = fastrand::u8(9..=14);
let android_user_agent = format!("Reddit/{android_app_version}/Android {android_version}");
2023-06-07 07:26:31 +12:00
// Android device headers
let headers = HashMap::from([
("Client-Vendor-Id".into(), uuid.clone()),
("X-Reddit-Device-Id".into(), uuid.clone()),
("User-Agent".into(), android_user_agent),
]);
2023-06-07 07:26:31 +12:00
info!("[🔄] Spoofing Android client with headers: {headers:?}, uuid: \"{uuid}\", and OAuth ID \"{REDDIT_ANDROID_OAUTH_CLIENT_ID}\"");
2023-06-07 07:26:31 +12:00
2023-12-29 06:42:06 +13:00
Self {
oauth_id: REDDIT_ANDROID_OAUTH_CLIENT_ID.to_string(),
headers: headers.clone(),
initial_headers: headers,
}
}
fn new() -> Self {
// See https://github.com/redlib-org/redlib/issues/8
Self::android()
}
2023-06-06 12:31:25 +12:00
}
2023-06-09 08:27:36 +12:00
fn choose<T: Copy>(list: &[T]) -> T {
2023-12-27 17:15:06 +13:00
*fastrand::choose_multiple(list.iter(), 1)[0]
2023-06-09 08:27:36 +12:00
}
#[tokio::test(flavor = "multi_thread")]
async fn test_oauth_client() {
2024-06-29 10:14:47 +12:00
assert!(!OAUTH_CLIENT.load_full().token.is_empty());
}
#[tokio::test(flavor = "multi_thread")]
async fn test_oauth_client_refresh() {
2024-06-29 10:14:47 +12:00
force_refresh_token().await;
}
#[tokio::test(flavor = "multi_thread")]
async fn test_oauth_token_exists() {
2024-06-29 10:14:47 +12:00
assert!(!OAUTH_CLIENT.load_full().token.is_empty());
}
#[tokio::test(flavor = "multi_thread")]
async fn test_oauth_headers_len() {
2024-06-29 10:14:47 +12:00
assert!(OAUTH_CLIENT.load_full().headers_map.len() >= 3);
}
#[test]
fn test_creating_device() {
Device::new();
}