mirror of
https://github.com/librespot-org/librespot.git
synced 2024-12-18 17:11:53 +00:00
Refactor authentication to separate protocol and token generation.
This commit is contained in:
parent
25bd38fd13
commit
39af43728a
5 changed files with 262 additions and 243 deletions
|
@ -1,4 +1,3 @@
|
||||||
use apresolve::apresolve;
|
|
||||||
use byteorder::{BigEndian, ByteOrder};
|
use byteorder::{BigEndian, ByteOrder};
|
||||||
use crypto;
|
use crypto;
|
||||||
use crypto::aes;
|
use crypto::aes;
|
||||||
|
@ -7,206 +6,58 @@ use crypto::hmac::Hmac;
|
||||||
use crypto::mac::Mac;
|
use crypto::mac::Mac;
|
||||||
use crypto::pbkdf2::pbkdf2;
|
use crypto::pbkdf2::pbkdf2;
|
||||||
use crypto::sha1::Sha1;
|
use crypto::sha1::Sha1;
|
||||||
use protobuf::{self, Message, ProtobufEnum};
|
use protobuf::ProtobufEnum;
|
||||||
use rand::thread_rng;
|
use std::io::{self, Read};
|
||||||
use rand::Rng;
|
|
||||||
use std::io::{self, Read, Write};
|
|
||||||
use std::result::Result;
|
|
||||||
use rustc_serialize::base64::FromBase64;
|
use rustc_serialize::base64::FromBase64;
|
||||||
|
|
||||||
use connection::{PlainConnection, CipherConnection};
|
|
||||||
use diffie_hellman::DHLocalKeys;
|
|
||||||
use protocol;
|
|
||||||
use protocol::authentication::AuthenticationType;
|
use protocol::authentication::AuthenticationType;
|
||||||
use session::Session;
|
|
||||||
use util;
|
|
||||||
|
|
||||||
fn read_u8<R: Read>(stream: &mut R) -> io::Result<u8> {
|
pub struct Credentials {
|
||||||
let mut data = [0u8];
|
pub username: String,
|
||||||
try!(stream.read_exact(&mut data));
|
pub auth_type: AuthenticationType,
|
||||||
Ok(data[0])
|
pub auth_data: Vec<u8>,
|
||||||
}
|
}
|
||||||
|
|
||||||
fn read_int<R: Read>(stream: &mut R) -> io::Result<u32> {
|
impl Credentials {
|
||||||
let lo = try!(read_u8(stream)) as u32;
|
pub fn with_password(username: String, password: String) -> Credentials {
|
||||||
if lo & 0x80 == 0 {
|
Credentials {
|
||||||
return Ok(lo);
|
username: username,
|
||||||
}
|
auth_type: AuthenticationType::AUTHENTICATION_USER_PASS,
|
||||||
|
auth_data: password.into_bytes(),
|
||||||
let hi = try!(read_u8(stream)) as u32;
|
|
||||||
Ok(lo & 0x7f | hi << 7)
|
|
||||||
}
|
|
||||||
|
|
||||||
fn read_bytes<R: Read>(stream: &mut R) -> io::Result<Vec<u8>> {
|
|
||||||
let length = try!(read_int(stream));
|
|
||||||
let mut data = vec![0u8; length as usize];
|
|
||||||
try!(stream.read_exact(&mut data));
|
|
||||||
|
|
||||||
Ok(data)
|
|
||||||
}
|
|
||||||
|
|
||||||
impl Session {
|
|
||||||
pub fn connect(&self) -> CipherConnection {
|
|
||||||
let local_keys = DHLocalKeys::random(&mut thread_rng());
|
|
||||||
|
|
||||||
let aps = apresolve().unwrap();
|
|
||||||
let ap = thread_rng().choose(&aps).expect("No APs found");
|
|
||||||
|
|
||||||
println!("Connecting to AP {}", ap);
|
|
||||||
let mut connection = PlainConnection::connect(ap).unwrap();
|
|
||||||
|
|
||||||
let request = protobuf_init!(protocol::keyexchange::ClientHello::new(), {
|
|
||||||
build_info => {
|
|
||||||
product: protocol::keyexchange::Product::PRODUCT_LIBSPOTIFY_EMBEDDED,
|
|
||||||
platform: protocol::keyexchange::Platform::PLATFORM_LINUX_X86,
|
|
||||||
version: 0x10800000000,
|
|
||||||
},
|
|
||||||
/*
|
|
||||||
fingerprints_supported => [
|
|
||||||
protocol::keyexchange::Fingerprint::FINGERPRINT_GRAIN
|
|
||||||
],
|
|
||||||
*/
|
|
||||||
cryptosuites_supported => [
|
|
||||||
protocol::keyexchange::Cryptosuite::CRYPTO_SUITE_SHANNON,
|
|
||||||
//protocol::keyexchange::Cryptosuite::CRYPTO_SUITE_RC4_SHA1_HMAC
|
|
||||||
],
|
|
||||||
/*
|
|
||||||
powschemes_supported => [
|
|
||||||
protocol::keyexchange::Powscheme::POW_HASH_CASH
|
|
||||||
],
|
|
||||||
*/
|
|
||||||
login_crypto_hello.diffie_hellman => {
|
|
||||||
gc: local_keys.public_key(),
|
|
||||||
server_keys_known: 1,
|
|
||||||
},
|
|
||||||
client_nonce: util::rand_vec(&mut thread_rng(), 0x10),
|
|
||||||
padding: vec![0x1e],
|
|
||||||
feature_set => {
|
|
||||||
autoupdate2: true,
|
|
||||||
}
|
|
||||||
});
|
|
||||||
|
|
||||||
let init_client_packet = connection.send_packet_prefix(&[0, 4],
|
|
||||||
&request.write_to_bytes().unwrap())
|
|
||||||
.unwrap();
|
|
||||||
let init_server_packet = connection.recv_packet().unwrap();
|
|
||||||
|
|
||||||
let response: protocol::keyexchange::APResponseMessage =
|
|
||||||
protobuf::parse_from_bytes(&init_server_packet[4..]).unwrap();
|
|
||||||
|
|
||||||
let remote_key = response.get_challenge()
|
|
||||||
.get_login_crypto_challenge()
|
|
||||||
.get_diffie_hellman()
|
|
||||||
.get_gs();
|
|
||||||
|
|
||||||
let shared_secret = local_keys.shared_secret(remote_key);
|
|
||||||
let (challenge, send_key, recv_key) = {
|
|
||||||
let mut data = Vec::with_capacity(0x64);
|
|
||||||
let mut mac = Hmac::new(Sha1::new(), &shared_secret);
|
|
||||||
|
|
||||||
for i in 1..6 {
|
|
||||||
mac.input(&init_client_packet);
|
|
||||||
mac.input(&init_server_packet);
|
|
||||||
mac.input(&[i]);
|
|
||||||
data.write(&mac.result().code()).unwrap();
|
|
||||||
mac.reset();
|
|
||||||
}
|
|
||||||
|
|
||||||
mac = Hmac::new(Sha1::new(), &data[..0x14]);
|
|
||||||
mac.input(&init_client_packet);
|
|
||||||
mac.input(&init_server_packet);
|
|
||||||
|
|
||||||
(mac.result().code().to_vec(),
|
|
||||||
data[0x14..0x34].to_vec(),
|
|
||||||
data[0x34..0x54].to_vec())
|
|
||||||
};
|
|
||||||
|
|
||||||
let packet = protobuf_init!(protocol::keyexchange::ClientResponsePlaintext::new(), {
|
|
||||||
login_crypto_response.diffie_hellman => {
|
|
||||||
hmac: challenge
|
|
||||||
},
|
|
||||||
pow_response => {},
|
|
||||||
crypto_response => {},
|
|
||||||
});
|
|
||||||
|
|
||||||
|
|
||||||
connection.send_packet(&packet.write_to_bytes().unwrap()).unwrap();
|
|
||||||
|
|
||||||
CipherConnection::new(connection.into_stream(),
|
|
||||||
&send_key,
|
|
||||||
&recv_key)
|
|
||||||
}
|
|
||||||
|
|
||||||
fn login(&self,
|
|
||||||
username: String,
|
|
||||||
auth_data: Vec<u8>,
|
|
||||||
typ: AuthenticationType)
|
|
||||||
-> Result<(), ()> {
|
|
||||||
|
|
||||||
let packet = protobuf_init!(protocol::authentication::ClientResponseEncrypted::new(), {
|
|
||||||
login_credentials => {
|
|
||||||
username: username,
|
|
||||||
typ: typ,
|
|
||||||
auth_data: auth_data,
|
|
||||||
},
|
|
||||||
system_info => {
|
|
||||||
cpu_family: protocol::authentication::CpuFamily::CPU_UNKNOWN,
|
|
||||||
os: protocol::authentication::Os::OS_UNKNOWN,
|
|
||||||
system_information_string: "librespot".to_owned(),
|
|
||||||
device_id: self.device_id().clone()
|
|
||||||
},
|
|
||||||
version_string: util::version::version_string(),
|
|
||||||
appkey => {
|
|
||||||
version: self.config().application_key[0] as u32,
|
|
||||||
devkey: self.config().application_key[0x1..0x81].to_vec(),
|
|
||||||
signature: self.config().application_key[0x81..0x141].to_vec(),
|
|
||||||
useragent: self.config().user_agent.clone(),
|
|
||||||
callback_hash: vec![0; 20],
|
|
||||||
}
|
|
||||||
});
|
|
||||||
|
|
||||||
let mut connection = self.connect();
|
|
||||||
connection.send_packet(0xab, &packet.write_to_bytes().unwrap()).unwrap();
|
|
||||||
let (cmd, data) = connection.recv_packet().unwrap();
|
|
||||||
|
|
||||||
match cmd {
|
|
||||||
0xac => {
|
|
||||||
let welcome_data: protocol::authentication::APWelcome =
|
|
||||||
protobuf::parse_from_bytes(&data).unwrap();
|
|
||||||
|
|
||||||
let username = welcome_data.get_canonical_username().to_owned();
|
|
||||||
self.authenticated(username, connection);
|
|
||||||
|
|
||||||
eprintln!("Authenticated !");
|
|
||||||
Ok(())
|
|
||||||
}
|
|
||||||
|
|
||||||
0xad => {
|
|
||||||
let msg: protocol::keyexchange::APLoginFailed = protobuf::parse_from_bytes(&data)
|
|
||||||
.unwrap();
|
|
||||||
eprintln!("Authentication failed, {:?}", msg);
|
|
||||||
Err(())
|
|
||||||
}
|
|
||||||
_ => {
|
|
||||||
println!("Unexpected message {:x}", cmd);
|
|
||||||
Err(())
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn login_password(&self, username: String, password: String) -> Result<(), ()> {
|
pub fn with_blob(username: String, encrypted_blob: &str, device_id: &str) -> Credentials {
|
||||||
self.login(username,
|
fn read_u8<R: Read>(stream: &mut R) -> io::Result<u8> {
|
||||||
password.into_bytes(),
|
let mut data = [0u8];
|
||||||
AuthenticationType::AUTHENTICATION_USER_PASS)
|
try!(stream.read_exact(&mut data));
|
||||||
}
|
Ok(data[0])
|
||||||
|
}
|
||||||
|
|
||||||
pub fn login_blob(&self, username: String, blob: &str) -> Result<(), ()> {
|
fn read_int<R: Read>(stream: &mut R) -> io::Result<u32> {
|
||||||
let blob = blob.from_base64().unwrap();
|
let lo = try!(read_u8(stream)) as u32;
|
||||||
|
if lo & 0x80 == 0 {
|
||||||
|
return Ok(lo);
|
||||||
|
}
|
||||||
|
|
||||||
|
let hi = try!(read_u8(stream)) as u32;
|
||||||
|
Ok(lo & 0x7f | hi << 7)
|
||||||
|
}
|
||||||
|
|
||||||
|
fn read_bytes<R: Read>(stream: &mut R) -> io::Result<Vec<u8>> {
|
||||||
|
let length = try!(read_int(stream));
|
||||||
|
let mut data = vec![0u8; length as usize];
|
||||||
|
try!(stream.read_exact(&mut data));
|
||||||
|
|
||||||
|
Ok(data)
|
||||||
|
}
|
||||||
|
|
||||||
|
let encrypted_blob = encrypted_blob.from_base64().unwrap();
|
||||||
|
|
||||||
let secret = {
|
let secret = {
|
||||||
let mut data = [0u8; 20];
|
let mut data = [0u8; 20];
|
||||||
let mut h = crypto::sha1::Sha1::new();
|
let mut h = crypto::sha1::Sha1::new();
|
||||||
h.input(&self.device_id().as_bytes());
|
h.input(device_id.as_bytes());
|
||||||
h.result(&mut data);
|
h.result(&mut data);
|
||||||
data
|
data
|
||||||
};
|
};
|
||||||
|
@ -225,16 +76,16 @@ impl Session {
|
||||||
|
|
||||||
let blob = {
|
let blob = {
|
||||||
// Anyone know what this block mode is ?
|
// Anyone know what this block mode is ?
|
||||||
let mut data = vec![0u8; blob.len()];
|
let mut data = vec![0u8; encrypted_blob.len()];
|
||||||
let mut cipher = aes::ecb_decryptor(aes::KeySize::KeySize192,
|
let mut cipher = aes::ecb_decryptor(aes::KeySize::KeySize192,
|
||||||
&key,
|
&key,
|
||||||
crypto::blockmodes::NoPadding);
|
crypto::blockmodes::NoPadding);
|
||||||
cipher.decrypt(&mut crypto::buffer::RefReadBuffer::new(&blob),
|
cipher.decrypt(&mut crypto::buffer::RefReadBuffer::new(&encrypted_blob),
|
||||||
&mut crypto::buffer::RefWriteBuffer::new(&mut data),
|
&mut crypto::buffer::RefWriteBuffer::new(&mut data),
|
||||||
true)
|
true)
|
||||||
.unwrap();
|
.unwrap();
|
||||||
|
|
||||||
let l = blob.len();
|
let l = encrypted_blob.len();
|
||||||
for i in 0..l - 0x10 {
|
for i in 0..l - 0x10 {
|
||||||
data[l - i - 1] ^= data[l - i - 0x11];
|
data[l - i - 1] ^= data[l - i - 0x11];
|
||||||
}
|
}
|
||||||
|
@ -251,6 +102,10 @@ impl Session {
|
||||||
read_u8(&mut cursor).unwrap();
|
read_u8(&mut cursor).unwrap();
|
||||||
let auth_data = read_bytes(&mut cursor).unwrap();;
|
let auth_data = read_bytes(&mut cursor).unwrap();;
|
||||||
|
|
||||||
self.login(username, auth_data, auth_type)
|
Credentials {
|
||||||
|
username: username,
|
||||||
|
auth_type: auth_type,
|
||||||
|
auth_data: auth_data,
|
||||||
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -5,9 +5,10 @@ use num::BigUint;
|
||||||
use url;
|
use url;
|
||||||
use rand;
|
use rand;
|
||||||
use rustc_serialize::base64::{self, ToBase64, FromBase64};
|
use rustc_serialize::base64::{self, ToBase64, FromBase64};
|
||||||
use tiny_http::{Method, Response, ResponseBox, Server};
|
use tiny_http::{Method, Request, Response, ResponseBox, Server};
|
||||||
use zeroconf::DNSService;
|
use zeroconf::DNSService;
|
||||||
|
|
||||||
|
use authentication::Credentials;
|
||||||
use session::Session;
|
use session::Session;
|
||||||
use diffie_hellman::{DH_GENERATOR, DH_PRIME};
|
use diffie_hellman::{DH_GENERATOR, DH_PRIME};
|
||||||
use util;
|
use util;
|
||||||
|
@ -54,7 +55,7 @@ impl DiscoveryManager {
|
||||||
}).to_string()).boxed()
|
}).to_string()).boxed()
|
||||||
}
|
}
|
||||||
|
|
||||||
fn add_user(&self, params: &[(String, String)]) -> ResponseBox {
|
fn add_user(&self, params: &[(String, String)]) -> (ResponseBox, Credentials) {
|
||||||
let &(_, ref username) = params.iter().find(|&&(ref key, _)| key == "userName").unwrap();
|
let &(_, ref username) = params.iter().find(|&&(ref key, _)| key == "userName").unwrap();
|
||||||
let &(_, ref encrypted_blob) = params.iter().find(|&&(ref key, _)| key == "blob").unwrap();
|
let &(_, ref encrypted_blob) = params.iter().find(|&&(ref key, _)| key == "blob").unwrap();
|
||||||
let &(_, ref client_key) = params.iter().find(|&&(ref key, _)| key == "clientKey").unwrap();
|
let &(_, ref client_key) = params.iter().find(|&&(ref key, _)| key == "clientKey").unwrap();
|
||||||
|
@ -107,49 +108,60 @@ impl DiscoveryManager {
|
||||||
String::from_utf8(data).unwrap()
|
String::from_utf8(data).unwrap()
|
||||||
};
|
};
|
||||||
|
|
||||||
self.session.login_blob(username.to_owned(), &decrypted).unwrap();
|
let response = Response::from_string(json!({
|
||||||
|
|
||||||
Response::from_string(json!({
|
|
||||||
"status": 101,
|
"status": 101,
|
||||||
"spotifyError": 0,
|
"spotifyError": 0,
|
||||||
"statusString": "ERROR-OK"
|
"statusString": "ERROR-OK"
|
||||||
}).to_string()).boxed()
|
}).to_string()).boxed();
|
||||||
|
|
||||||
|
let credentials = Credentials::with_blob(username.to_owned(), &decrypted, &self.session.device_id());
|
||||||
|
|
||||||
|
(response, credentials)
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn run(&mut self) {
|
fn handle_request(&self, mut request: Request) -> Option<Credentials> {
|
||||||
let server = Server::http("0.0.0.0:8000").unwrap();
|
let (_, query, _) = url::parse_path(request.url()).unwrap();
|
||||||
let svc = DNSService::register(Some(&self.session.config().device_name),
|
let mut params = query.map_or(vec![], |q| url::form_urlencoded::parse(q.as_bytes()));
|
||||||
"_spotify-connect._tcp",
|
|
||||||
None,
|
|
||||||
None,
|
|
||||||
8000,
|
|
||||||
&["VERSION=1.0", "CPath=/"]
|
|
||||||
).unwrap();
|
|
||||||
|
|
||||||
for mut request in server.incoming_requests() {
|
if *request.method() == Method::Post {
|
||||||
let (_, query, _) = url::parse_path(request.url()).unwrap();
|
let mut body = Vec::new();
|
||||||
let mut params = query.map_or(vec![], |q| url::form_urlencoded::parse(q.as_bytes()));
|
request.as_reader().read_to_end(&mut body).unwrap();
|
||||||
|
let form = url::form_urlencoded::parse(&body);
|
||||||
if *request.method() == Method::Post {
|
params.extend(form);
|
||||||
let mut body = Vec::new();
|
|
||||||
request.as_reader().read_to_end(&mut body).unwrap();
|
|
||||||
let form = url::form_urlencoded::parse(&body);
|
|
||||||
params.extend(form);
|
|
||||||
}
|
|
||||||
|
|
||||||
println!("{:?}", params);
|
|
||||||
|
|
||||||
let &(_, ref action) = params.iter().find(|&&(ref key, _)| key == "action").unwrap();
|
|
||||||
match action.as_ref() {
|
|
||||||
"getInfo" => request.respond(self.get_info()).unwrap(),
|
|
||||||
"addUser" => {
|
|
||||||
request.respond(self.add_user(¶ms)).unwrap();
|
|
||||||
break;
|
|
||||||
}
|
|
||||||
_ => request.respond(not_found()).unwrap(),
|
|
||||||
};
|
|
||||||
}
|
}
|
||||||
|
|
||||||
drop(svc);
|
println!("{:?}", params);
|
||||||
|
|
||||||
|
let &(_, ref action) = params.iter().find(|&&(ref key, _)| key == "action").unwrap();
|
||||||
|
let (response, credentials) = match action.as_ref() {
|
||||||
|
"getInfo" => (self.get_info(), None),
|
||||||
|
"addUser" => {
|
||||||
|
let (response, credentials) = self.add_user(¶ms);
|
||||||
|
(response, Some(credentials))
|
||||||
|
}
|
||||||
|
_ => (not_found(), None)
|
||||||
|
};
|
||||||
|
|
||||||
|
request.respond(response).unwrap();
|
||||||
|
credentials
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn run(&mut self) -> Credentials {
|
||||||
|
let server = Server::http("0.0.0.0:8000").unwrap();
|
||||||
|
let _svc = DNSService::register(Some(&self.session.config().device_name),
|
||||||
|
"_spotify-connect._tcp",
|
||||||
|
None,
|
||||||
|
None,
|
||||||
|
8000,
|
||||||
|
&["VERSION=1.0", "CPath=/"]
|
||||||
|
).unwrap();
|
||||||
|
|
||||||
|
for request in server.incoming_requests() {
|
||||||
|
if let Some(credentials) = self.handle_request(request) {
|
||||||
|
return credentials;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
panic!("No credentials obtained !");
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
|
@ -2,7 +2,7 @@
|
||||||
mod audio_decrypt;
|
mod audio_decrypt;
|
||||||
mod audio_file;
|
mod audio_file;
|
||||||
mod audio_key;
|
mod audio_key;
|
||||||
mod authentication;
|
pub mod authentication;
|
||||||
mod connection;
|
mod connection;
|
||||||
mod diffie_hellman;
|
mod diffie_hellman;
|
||||||
pub mod discovery;
|
pub mod discovery;
|
||||||
|
|
13
src/main.rs
13
src/main.rs
|
@ -10,6 +10,7 @@ use std::io::{stdout, Read, Write};
|
||||||
use std::path::{Path, PathBuf};
|
use std::path::{Path, PathBuf};
|
||||||
use std::thread;
|
use std::thread;
|
||||||
|
|
||||||
|
use librespot::authentication::Credentials;
|
||||||
use librespot::discovery::DiscoveryManager;
|
use librespot::discovery::DiscoveryManager;
|
||||||
use librespot::player::Player;
|
use librespot::player::Player;
|
||||||
use librespot::session::{Bitrate, Config, Session};
|
use librespot::session::{Bitrate, Config, Session};
|
||||||
|
@ -89,12 +90,14 @@ fn main() {
|
||||||
|
|
||||||
let session = Session::new(config);
|
let session = Session::new(config);
|
||||||
|
|
||||||
if let Some((username, password)) = credentials {
|
let credentials = credentials.map_or_else(|| {
|
||||||
session.login_password(username, password).unwrap();
|
|
||||||
} else {
|
|
||||||
let mut discovery = DiscoveryManager::new(session.clone());
|
let mut discovery = DiscoveryManager::new(session.clone());
|
||||||
discovery.run();
|
discovery.run()
|
||||||
}
|
}, |(username, password)| {
|
||||||
|
Credentials::with_password(username, password)
|
||||||
|
});
|
||||||
|
|
||||||
|
session.login(credentials).unwrap();
|
||||||
|
|
||||||
let player = Player::new(session.clone());
|
let player = Player::new(session.clone());
|
||||||
let mut spirc = SpircManager::new(session.clone(), player);
|
let mut spirc = SpircManager::new(session.clone(), player);
|
||||||
|
|
165
src/session.rs
165
src/session.rs
|
@ -1,18 +1,28 @@
|
||||||
use crypto::digest::Digest;
|
use crypto::digest::Digest;
|
||||||
use crypto::sha1::Sha1;
|
use crypto::sha1::Sha1;
|
||||||
|
use crypto::hmac::Hmac;
|
||||||
|
use crypto::mac::Mac;
|
||||||
use eventual::Future;
|
use eventual::Future;
|
||||||
use std::io::Write;
|
use protobuf::{self, Message};
|
||||||
|
use rand::thread_rng;
|
||||||
|
use rand::Rng;
|
||||||
|
use std::io::{Read, Write};
|
||||||
use std::path::PathBuf;
|
use std::path::PathBuf;
|
||||||
|
use std::result::Result;
|
||||||
use std::sync::{Mutex, RwLock, Arc, mpsc};
|
use std::sync::{Mutex, RwLock, Arc, mpsc};
|
||||||
|
|
||||||
|
use apresolve::apresolve;
|
||||||
use audio_key::{AudioKeyManager, AudioKey, AudioKeyError};
|
use audio_key::{AudioKeyManager, AudioKey, AudioKeyError};
|
||||||
use audio_file::{AudioFileManager, AudioFile};
|
use audio_file::{AudioFileManager, AudioFile};
|
||||||
use connection::{self, CipherConnection};
|
use authentication::Credentials;
|
||||||
use connection::PacketHandler;
|
use connection::{self, PlainConnection, CipherConnection, PacketHandler};
|
||||||
|
use diffie_hellman::DHLocalKeys;
|
||||||
use mercury::{MercuryManager, MercuryRequest, MercuryResponse};
|
use mercury::{MercuryManager, MercuryRequest, MercuryResponse};
|
||||||
use metadata::{MetadataManager, MetadataRef, MetadataTrait};
|
use metadata::{MetadataManager, MetadataRef, MetadataTrait};
|
||||||
|
use protocol;
|
||||||
use stream::{StreamManager, StreamEvent};
|
use stream::{StreamManager, StreamEvent};
|
||||||
use util::{SpotifyId, FileId, mkdir_existing};
|
use util::{self, SpotifyId, FileId, mkdir_existing};
|
||||||
|
|
||||||
|
|
||||||
pub enum Bitrate {
|
pub enum Bitrate {
|
||||||
Bitrate96,
|
Bitrate96,
|
||||||
|
@ -79,10 +89,149 @@ impl Session {
|
||||||
}))
|
}))
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn authenticated(&self, username: String, connection: CipherConnection) {
|
fn connect(&self) -> CipherConnection {
|
||||||
self.0.data.write().unwrap().canonical_username = username;
|
let local_keys = DHLocalKeys::random(&mut thread_rng());
|
||||||
*self.0.rx_connection.lock().unwrap() = Some(connection.clone());
|
|
||||||
*self.0.tx_connection.lock().unwrap() = Some(connection);
|
let aps = apresolve().unwrap();
|
||||||
|
let ap = thread_rng().choose(&aps).expect("No APs found");
|
||||||
|
|
||||||
|
println!("Connecting to AP {}", ap);
|
||||||
|
let mut connection = PlainConnection::connect(ap).unwrap();
|
||||||
|
|
||||||
|
let request = protobuf_init!(protocol::keyexchange::ClientHello::new(), {
|
||||||
|
build_info => {
|
||||||
|
product: protocol::keyexchange::Product::PRODUCT_LIBSPOTIFY_EMBEDDED,
|
||||||
|
platform: protocol::keyexchange::Platform::PLATFORM_LINUX_X86,
|
||||||
|
version: 0x10800000000,
|
||||||
|
},
|
||||||
|
/*
|
||||||
|
fingerprints_supported => [
|
||||||
|
protocol::keyexchange::Fingerprint::FINGERPRINT_GRAIN
|
||||||
|
],
|
||||||
|
*/
|
||||||
|
cryptosuites_supported => [
|
||||||
|
protocol::keyexchange::Cryptosuite::CRYPTO_SUITE_SHANNON,
|
||||||
|
//protocol::keyexchange::Cryptosuite::CRYPTO_SUITE_RC4_SHA1_HMAC
|
||||||
|
],
|
||||||
|
/*
|
||||||
|
powschemes_supported => [
|
||||||
|
protocol::keyexchange::Powscheme::POW_HASH_CASH
|
||||||
|
],
|
||||||
|
*/
|
||||||
|
login_crypto_hello.diffie_hellman => {
|
||||||
|
gc: local_keys.public_key(),
|
||||||
|
server_keys_known: 1,
|
||||||
|
},
|
||||||
|
client_nonce: util::rand_vec(&mut thread_rng(), 0x10),
|
||||||
|
padding: vec![0x1e],
|
||||||
|
feature_set => {
|
||||||
|
autoupdate2: true,
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
let init_client_packet = connection.send_packet_prefix(&[0, 4],
|
||||||
|
&request.write_to_bytes().unwrap())
|
||||||
|
.unwrap();
|
||||||
|
let init_server_packet = connection.recv_packet().unwrap();
|
||||||
|
|
||||||
|
let response: protocol::keyexchange::APResponseMessage =
|
||||||
|
protobuf::parse_from_bytes(&init_server_packet[4..]).unwrap();
|
||||||
|
|
||||||
|
let remote_key = response.get_challenge()
|
||||||
|
.get_login_crypto_challenge()
|
||||||
|
.get_diffie_hellman()
|
||||||
|
.get_gs();
|
||||||
|
|
||||||
|
let shared_secret = local_keys.shared_secret(remote_key);
|
||||||
|
let (challenge, send_key, recv_key) = {
|
||||||
|
let mut data = Vec::with_capacity(0x64);
|
||||||
|
let mut mac = Hmac::new(Sha1::new(), &shared_secret);
|
||||||
|
|
||||||
|
for i in 1..6 {
|
||||||
|
mac.input(&init_client_packet);
|
||||||
|
mac.input(&init_server_packet);
|
||||||
|
mac.input(&[i]);
|
||||||
|
data.write(&mac.result().code()).unwrap();
|
||||||
|
mac.reset();
|
||||||
|
}
|
||||||
|
|
||||||
|
mac = Hmac::new(Sha1::new(), &data[..0x14]);
|
||||||
|
mac.input(&init_client_packet);
|
||||||
|
mac.input(&init_server_packet);
|
||||||
|
|
||||||
|
(mac.result().code().to_vec(),
|
||||||
|
data[0x14..0x34].to_vec(),
|
||||||
|
data[0x34..0x54].to_vec())
|
||||||
|
};
|
||||||
|
|
||||||
|
let packet = protobuf_init!(protocol::keyexchange::ClientResponsePlaintext::new(), {
|
||||||
|
login_crypto_response.diffie_hellman => {
|
||||||
|
hmac: challenge
|
||||||
|
},
|
||||||
|
pow_response => {},
|
||||||
|
crypto_response => {},
|
||||||
|
});
|
||||||
|
|
||||||
|
|
||||||
|
connection.send_packet(&packet.write_to_bytes().unwrap()).unwrap();
|
||||||
|
|
||||||
|
CipherConnection::new(connection.into_stream(),
|
||||||
|
&send_key,
|
||||||
|
&recv_key)
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn login(&self, credentials: Credentials) -> Result<(), ()> {
|
||||||
|
let packet = protobuf_init!(protocol::authentication::ClientResponseEncrypted::new(), {
|
||||||
|
login_credentials => {
|
||||||
|
username: credentials.username,
|
||||||
|
typ: credentials.auth_type,
|
||||||
|
auth_data: credentials.auth_data,
|
||||||
|
},
|
||||||
|
system_info => {
|
||||||
|
cpu_family: protocol::authentication::CpuFamily::CPU_UNKNOWN,
|
||||||
|
os: protocol::authentication::Os::OS_UNKNOWN,
|
||||||
|
system_information_string: "librespot".to_owned(),
|
||||||
|
device_id: self.device_id(),
|
||||||
|
},
|
||||||
|
version_string: util::version::version_string(),
|
||||||
|
appkey => {
|
||||||
|
version: self.config().application_key[0] as u32,
|
||||||
|
devkey: self.config().application_key[0x1..0x81].to_vec(),
|
||||||
|
signature: self.config().application_key[0x81..0x141].to_vec(),
|
||||||
|
useragent: self.config().user_agent.clone(),
|
||||||
|
callback_hash: vec![0; 20],
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
let mut connection = self.connect();
|
||||||
|
connection.send_packet(0xab, &packet.write_to_bytes().unwrap()).unwrap();
|
||||||
|
let (cmd, data) = connection.recv_packet().unwrap();
|
||||||
|
|
||||||
|
match cmd {
|
||||||
|
0xac => {
|
||||||
|
let welcome_data: protocol::authentication::APWelcome =
|
||||||
|
protobuf::parse_from_bytes(&data).unwrap();
|
||||||
|
|
||||||
|
let username = welcome_data.get_canonical_username().to_owned();
|
||||||
|
self.0.data.write().unwrap().canonical_username = username;
|
||||||
|
*self.0.rx_connection.lock().unwrap() = Some(connection.clone());
|
||||||
|
*self.0.tx_connection.lock().unwrap() = Some(connection);
|
||||||
|
|
||||||
|
eprintln!("Authenticated !");
|
||||||
|
Ok(())
|
||||||
|
}
|
||||||
|
|
||||||
|
0xad => {
|
||||||
|
let msg: protocol::keyexchange::APLoginFailed =
|
||||||
|
protobuf::parse_from_bytes(&data).unwrap();
|
||||||
|
eprintln!("Authentication failed, {:?}", msg);
|
||||||
|
Err(())
|
||||||
|
}
|
||||||
|
_ => {
|
||||||
|
println!("Unexpected message {:x}", cmd);
|
||||||
|
Err(())
|
||||||
|
}
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn poll(&self) {
|
pub fn poll(&self) {
|
||||||
|
|
Loading…
Reference in a new issue