Merge pull request #2 from G2-Games/nusb

Moved code to `nusb`, ran `rustfmt`
This commit is contained in:
G2 2024-01-28 18:21:23 -06:00 committed by GitHub
commit 1f740509c4
No known key found for this signature in database
GPG key ID: B5690EEEBB952194
3 changed files with 237 additions and 189 deletions

View file

@ -23,7 +23,8 @@ des = "0.8.1"
unicode-jp = "0.4.0" unicode-jp = "0.4.0"
regex = "1.10.2" regex = "1.10.2"
lazy_static = "1.4.0" lazy_static = "1.4.0"
yusb = "0.1.2" nusb = "0.1.4"
futures-lite = "2.2.0"
[lib] [lib]

View file

@ -1,14 +1,16 @@
use nofmt; use nofmt;
use once_cell::sync::Lazy; use once_cell::sync::Lazy;
use std::error::Error; use std::error::Error;
use yusb::{Device, DeviceHandle, Direction, Recipient, RequestType}; use std::time::Duration;
const DEFAULT_TIMEOUT: std::time::Duration = std::time::Duration::new(9999999, 0); // USB stuff
use nusb::transfer::{Control, ControlType, Recipient, RequestBuffer};
use nusb::{Device, DeviceInfo, Interface};
use futures_lite::future::block_on;
const DEFAULT_TIMEOUT: Duration = Duration::new(9999999, 0);
const STANDARD_SEND: u8 =
yusb::request_type(Direction::Out, RequestType::Vendor, Recipient::Interface);
const STANDARD_RECV: u8 =
yusb::request_type(Direction::In, RequestType::Vendor, Recipient::Interface);
const BULK_WRITE_ENDPOINT: u8 = 0x02; const BULK_WRITE_ENDPOINT: u8 = 0x02;
const BULK_READ_ENDPOINT: u8 = 0x81; const BULK_READ_ENDPOINT: u8 = 0x81;
@ -86,7 +88,8 @@ pub struct DeviceId {
/// A connection to a NetMD device /// A connection to a NetMD device
pub struct NetMD { pub struct NetMD {
device: DeviceHandle, usb_device: Device,
usb_interface: Interface,
model: DeviceId, model: DeviceId,
status: Option<Status>, status: Option<Status>,
} }
@ -95,12 +98,10 @@ impl NetMD {
const READ_REPLY_RETRY_INTERVAL: u32 = 10; const READ_REPLY_RETRY_INTERVAL: u32 = 10;
/// Creates a new interface to a NetMD device /// Creates a new interface to a NetMD device
pub fn new(device: Device) -> Result<Self, Box<dyn Error>> { pub fn new(device_info: DeviceInfo) -> Result<Self, Box<dyn Error>> {
let descriptor = device.device_descriptor()?;
let mut model = DeviceId { let mut model = DeviceId {
vendor_id: descriptor.vendor_id(), vendor_id: device_info.vendor_id(),
product_id: descriptor.product_id(), product_id: device_info.product_id(),
name: None, name: None,
}; };
@ -118,8 +119,12 @@ impl NetMD {
Some(_) => (), Some(_) => (),
} }
let usb_device = device_info.open()?;
let usb_interface = usb_device.claim_interface(0)?;
Ok(Self { Ok(Self {
device: device.open()?, usb_device,
usb_interface,
model, model,
status: None, status: None,
}) })
@ -146,11 +151,14 @@ impl NetMD {
// Create an array to store the result of the poll // Create an array to store the result of the poll
let mut poll_result = [0u8; 4]; let mut poll_result = [0u8; 4];
let _status = match self.device.read_control( let _status = match self.usb_interface.control_in_blocking(
STANDARD_RECV, Control {
0x01, control_type: ControlType::Vendor,
0, recipient: Recipient::Interface,
0, request: 0x01,
value: 0,
index: 0,
},
&mut poll_result, &mut poll_result,
DEFAULT_TIMEOUT, DEFAULT_TIMEOUT,
) { ) {
@ -190,10 +198,17 @@ impl NetMD {
true => 0xff, true => 0xff,
}; };
match self match self.usb_interface.control_out_blocking(
.device Control {
.write_control(STANDARD_SEND, request, 0, 0, &command, DEFAULT_TIMEOUT) control_type: ControlType::Vendor,
{ recipient: Recipient::Interface,
request,
value: 0,
index: 0,
},
&command,
DEFAULT_TIMEOUT,
) {
Ok(_) => Ok(()), Ok(_) => Ok(()),
Err(error) => Err(error.into()), Err(error) => Err(error.into()),
} }
@ -242,10 +257,17 @@ impl NetMD {
let mut buf: Vec<u8> = vec![0; length as usize]; let mut buf: Vec<u8> = vec![0; length as usize];
// Create a buffer to fill with the result // Create a buffer to fill with the result
match self match self.usb_interface.control_in_blocking(
.device Control {
.read_control(STANDARD_RECV, request, 0, 0, &mut buf, DEFAULT_TIMEOUT) control_type: ControlType::Vendor,
{ recipient: Recipient::Interface,
request,
value: 0,
index: 0,
},
&mut buf,
DEFAULT_TIMEOUT,
) {
Ok(_) => Ok(buf), Ok(_) => Ok(buf),
Err(error) => Err(error.into()), Err(error) => Err(error.into()),
} }
@ -253,7 +275,11 @@ impl NetMD {
// Default chunksize should be 0x10000 // Default chunksize should be 0x10000
// TODO: Make these Async eventually // TODO: Make these Async eventually
pub fn read_bulk(&mut self, length: u32, chunksize: u32) -> Result<Vec<u8>, Box<dyn Error>> { pub fn read_bulk(
&mut self,
length: usize,
chunksize: usize,
) -> Result<Vec<u8>, Box<dyn Error>> {
let result = self.read_bulk_to_array(length, chunksize)?; let result = self.read_bulk_to_array(length, chunksize)?;
Ok(result) Ok(result)
@ -261,8 +287,8 @@ impl NetMD {
pub fn read_bulk_to_array( pub fn read_bulk_to_array(
&mut self, &mut self,
length: u32, length: usize,
chunksize: u32, chunksize: usize,
) -> Result<Vec<u8>, Box<dyn Error>> { ) -> Result<Vec<u8>, Box<dyn Error>> {
let mut final_result: Vec<u8> = Vec::new(); let mut final_result: Vec<u8> = Vec::new();
let mut done = 0; let mut done = 0;
@ -270,27 +296,26 @@ impl NetMD {
while done < length { while done < length {
let to_read = std::cmp::min(chunksize, length - done); let to_read = std::cmp::min(chunksize, length - done);
done -= to_read; done -= to_read;
let mut buffer: Vec<u8> = vec![0; to_read as usize]; let buffer = RequestBuffer::new(to_read);
match self let res = match block_on(self.usb_interface.bulk_in(BULK_READ_ENDPOINT, buffer))
.device .into_result()
.read_bulk(BULK_READ_ENDPOINT, &mut buffer, DEFAULT_TIMEOUT)
{ {
Ok(result) => result, Ok(result) => result,
Err(error) => return Err(format!("USB error: {:?}", error).into()), Err(error) => return Err(format!("USB error: {:?}", error).into()),
}; };
final_result.extend_from_slice(&buffer); final_result.extend_from_slice(&res);
} }
Ok(final_result) Ok(final_result)
} }
pub fn write_bulk(&mut self, data: &mut [u8]) -> Result<usize, Box<dyn Error>> { pub fn write_bulk(&mut self, data: Vec<u8>) -> Result<usize, Box<dyn Error>> {
let written = self Ok(
.device block_on(self.usb_interface.bulk_out(BULK_WRITE_ENDPOINT, data))
.write_bulk(BULK_WRITE_ENDPOINT, data, DEFAULT_TIMEOUT)?; .into_result()?
.actual_length(),
Ok(written) )
} }
} }

View file

@ -1,19 +1,18 @@
use crate::netmd::base; use crate::netmd::base;
use crate::netmd::query_utils::{format_query, scan_query, QueryValue}; use crate::netmd::query_utils::{format_query, scan_query, QueryValue};
use crate::netmd::utils::{ use crate::netmd::utils::{
half_width_to_full_width_range, length_after_encoding_to_jis, half_width_to_full_width_range, length_after_encoding_to_jis, sanitize_full_width_title,
sanitize_full_width_title, sanitize_half_width_title, time_to_duration sanitize_half_width_title, time_to_duration,
}; };
use encoding_rs::*; use encoding_rs::*;
use hex;
use magic_crypt::{new_magic_crypt, MagicCrypt, MagicCryptTrait, SecureBit};
use std::collections::HashMap; use std::collections::HashMap;
use std::error::Error; use std::error::Error;
use magic_crypt::{MagicCrypt, SecureBit, MagicCryptTrait, new_magic_crypt};
use hex;
use lazy_static::lazy_static;
use std::thread::sleep; use std::thread::sleep;
use std::time::Duration; use std::time::Duration;
use yusb;
use lazy_static::lazy_static;
#[derive(Copy, Clone)] #[derive(Copy, Clone)]
enum Action { enum Action {
@ -154,7 +153,7 @@ enum Status {
Interim = 0x0f, Interim = 0x0f,
} }
lazy_static!{ lazy_static! {
static ref FRAME_SIZE: HashMap<WireFormat, usize> = HashMap::from([ static ref FRAME_SIZE: HashMap<WireFormat, usize> = HashMap::from([
(WireFormat::Pcm, 2048), (WireFormat::Pcm, 2048),
(WireFormat::LP2, 192), (WireFormat::LP2, 192),
@ -203,9 +202,7 @@ impl NetMDInterface {
const MAX_INTERIM_READ_ATTEMPTS: u8 = 4; const MAX_INTERIM_READ_ATTEMPTS: u8 = 4;
const INTERIM_RESPONSE_RETRY_INTERVAL: u32 = 100; const INTERIM_RESPONSE_RETRY_INTERVAL: u32 = 100;
pub fn new( pub fn new(device: nusb::DeviceInfo) -> Result<Self, Box<dyn Error>> {
device: yusb::Device,
) -> Result<Self, Box<dyn Error>> {
let net_md_device = base::NetMD::new(device).unwrap(); let net_md_device = base::NetMD::new(device).unwrap();
Ok(NetMDInterface { net_md_device }) Ok(NetMDInterface { net_md_device })
} }
@ -446,10 +443,7 @@ impl NetMDInterface {
} }
fn acquire(&mut self) -> Result<(), Box<dyn Error>> { fn acquire(&mut self) -> Result<(), Box<dyn Error>> {
let mut query = format_query( let mut query = format_query("ff 010c ffff ffff ffff ffff ffff ffff".to_string(), vec![])?;
"ff 010c ffff ffff ffff ffff ffff ffff".to_string(),
vec![],
)?;
let reply = self.send_query(&mut query, false, false)?; let reply = self.send_query(&mut query, false, false)?;
scan_query(reply, "ff 010c ffff ffff ffff ffff ffff ffff".to_string())?; scan_query(reply, "ff 010c ffff ffff ffff ffff ffff ffff".to_string())?;
@ -458,10 +452,7 @@ impl NetMDInterface {
} }
fn release(&mut self) -> Result<(), Box<dyn Error>> { fn release(&mut self) -> Result<(), Box<dyn Error>> {
let mut query = format_query( let mut query = format_query("ff 0100 ffff ffff ffff ffff ffff ffff".to_string(), vec![])?;
"ff 0100 ffff ffff ffff ffff ffff ffff".to_string(),
vec![],
)?;
let reply = self.send_query(&mut query, false, false)?; let reply = self.send_query(&mut query, false, false)?;
@ -709,8 +700,7 @@ impl NetMDInterface {
// looks like it actually might be a 16 bit integer // looks like it actually might be a 16 bit integer
pub fn disc_flags(&mut self) -> Result<u8, Box<dyn Error>> { pub fn disc_flags(&mut self) -> Result<u8, Box<dyn Error>> {
self.change_descriptor_state(&Descriptor::RootTD, &DescriptorAction::OpenRead); self.change_descriptor_state(&Descriptor::RootTD, &DescriptorAction::OpenRead);
let mut query = let mut query = format_query("1806 01101000 ff00 0001000b".to_string(), vec![]).unwrap();
format_query("1806 01101000 ff00 0001000b".to_string(), vec![]).unwrap();
let reply = self.send_query(&mut query, false, false)?; let reply = self.send_query(&mut query, false, false)?;
@ -725,11 +715,8 @@ impl NetMDInterface {
pub fn track_count(&mut self) -> Result<u16, Box<dyn Error>> { pub fn track_count(&mut self) -> Result<u16, Box<dyn Error>> {
self.change_descriptor_state(&Descriptor::AudioContentsTD, &DescriptorAction::OpenRead); self.change_descriptor_state(&Descriptor::AudioContentsTD, &DescriptorAction::OpenRead);
let mut query = format_query( let mut query =
"1806 02101001 3000 1000 ff00 00000000".to_string(), format_query("1806 02101001 3000 1000 ff00 00000000".to_string(), vec![]).unwrap();
vec![],
)
.unwrap();
let reply = self.send_query(&mut query, false, false)?; let reply = self.send_query(&mut query, false, false)?;
@ -833,7 +820,9 @@ impl NetMDInterface {
} }
/// Gets all groups on the disc /// Gets all groups on the disc
pub fn track_group_list(&mut self) -> Result<Vec<(Option<String>, Option<String>, Vec<u16>)>, Box<dyn Error>> { pub fn track_group_list(
&mut self,
) -> Result<Vec<(Option<String>, Option<String>, Vec<u16>)>, Box<dyn Error>> {
let raw_title = self._disc_title(false)?; let raw_title = self._disc_title(false)?;
let group_list = raw_title.split("//"); let group_list = raw_title.split("//");
let mut track_dict: HashMap<u16, (String, u16)> = HashMap::new(); let mut track_dict: HashMap<u16, (String, u16)> = HashMap::new();
@ -917,7 +906,11 @@ impl NetMDInterface {
} }
/// Gets a list of track titles from a set /// Gets a list of track titles from a set
pub fn track_titles(&mut self, tracks: Vec<u16>, wchar: bool) -> Result<Vec<String>, Box<dyn Error>> { pub fn track_titles(
&mut self,
tracks: Vec<u16>,
wchar: bool,
) -> Result<Vec<String>, Box<dyn Error>> {
let wchar_value = match wchar { let wchar_value = match wchar {
true => 3, true => 3,
false => 2, false => 2,
@ -934,7 +927,10 @@ impl NetMDInterface {
for i in tracks { for i in tracks {
let mut query = format_query( let mut query = format_query(
"1806 022018%b %w 3000 0a00 ff00 00000000".to_string(), "1806 022018%b %w 3000 0a00 ff00 00000000".to_string(),
vec![QueryValue::Number(wchar_value), QueryValue::Number(i as i64)], vec![
QueryValue::Number(wchar_value),
QueryValue::Number(i as i64),
],
) )
.unwrap(); .unwrap();
@ -946,10 +942,12 @@ impl NetMDInterface {
) )
.unwrap(); .unwrap();
track_titles.push(encoding_rs::SHIFT_JIS track_titles.push(
encoding_rs::SHIFT_JIS
.decode(&res[0].to_vec().unwrap()) .decode(&res[0].to_vec().unwrap())
.0 .0
.into()) .into(),
)
} }
self.change_descriptor_state(&descriptor_type, &DescriptorAction::Close); self.change_descriptor_state(&descriptor_type, &DescriptorAction::Close);
@ -962,7 +960,7 @@ impl NetMDInterface {
let title = match self.track_titles([track].into(), wchar) { let title = match self.track_titles([track].into(), wchar) {
Ok(titles) => titles[0].clone(), Ok(titles) => titles[0].clone(),
Err(error) if error.to_string() == "Rejected" => String::new(), Err(error) if error.to_string() == "Rejected" => String::new(),
Err(error) => return Err(error) Err(error) => return Err(error),
}; };
Ok(title) Ok(title)
} }
@ -981,11 +979,11 @@ impl NetMDInterface {
true => { true => {
new_title = sanitize_full_width_title(&title, false); new_title = sanitize_full_width_title(&title, false);
1 1
}, }
false => { false => {
new_title = sanitize_half_width_title(title); new_title = sanitize_half_width_title(title);
0 0
}, }
}; };
let new_len = new_title.len(); let new_len = new_title.len();
@ -1021,17 +1019,22 @@ impl NetMDInterface {
} }
/// Sets the title of a track /// Sets the title of a track
pub fn set_track_title(&mut self, track: u16, title: String, wchar: bool) -> Result<(), Box<dyn Error>> { pub fn set_track_title(
&mut self,
track: u16,
title: String,
wchar: bool,
) -> Result<(), Box<dyn Error>> {
let new_title: Vec<u8>; let new_title: Vec<u8>;
let (wchar_value, descriptor) = match wchar { let (wchar_value, descriptor) = match wchar {
true => { true => {
new_title = sanitize_full_width_title(&title, false); new_title = sanitize_full_width_title(&title, false);
(3, Descriptor::AudioUTOC4TD) (3, Descriptor::AudioUTOC4TD)
}, }
false => { false => {
new_title = sanitize_half_width_title(title.clone()); new_title = sanitize_half_width_title(title.clone());
(2, Descriptor::AudioUTOC1TD) (2, Descriptor::AudioUTOC1TD)
}, }
}; };
let new_len = new_title.len(); let new_len = new_title.len();
@ -1039,12 +1042,12 @@ impl NetMDInterface {
let old_len: u16 = match self.track_title(track, wchar) { let old_len: u16 = match self.track_title(track, wchar) {
Ok(current_title) => { Ok(current_title) => {
if title == current_title { if title == current_title {
return Ok(()) return Ok(());
} }
length_after_encoding_to_jis(&current_title) as u16 length_after_encoding_to_jis(&current_title) as u16
}, }
Err(error) if error.to_string() == "Rejected" => 0, Err(error) if error.to_string() == "Rejected" => 0,
Err(error) => return Err(error) Err(error) => return Err(error),
}; };
self.change_descriptor_state(&descriptor, &DescriptorAction::OpenWrite); self.change_descriptor_state(&descriptor, &DescriptorAction::OpenWrite);
@ -1060,7 +1063,10 @@ impl NetMDInterface {
)?; )?;
let reply = self.send_query(&mut query, false, false)?; let reply = self.send_query(&mut query, false, false)?;
let _ = scan_query(reply, "1807 022018%? %?%? 3000 0a00 5000 %?%? 0000 %?%?".to_string()); let _ = scan_query(
reply,
"1807 022018%? %?%? 3000 0a00 5000 %?%? 0000 %?%?".to_string(),
);
self.change_descriptor_state(&descriptor, &DescriptorAction::Close); self.change_descriptor_state(&descriptor, &DescriptorAction::Close);
Ok(()) Ok(())
@ -1070,9 +1076,7 @@ impl NetMDInterface {
pub fn erase_track(&mut self, track: u16) -> Result<(), Box<dyn Error>> { pub fn erase_track(&mut self, track: u16) -> Result<(), Box<dyn Error>> {
let mut query = format_query( let mut query = format_query(
"1840 ff01 00 201001 %w".to_string(), "1840 ff01 00 201001 %w".to_string(),
vec![ vec![QueryValue::Number(track as i64)],
QueryValue::Number(track as i64),
],
)?; )?;
let _ = self.send_query(&mut query, false, false); let _ = self.send_query(&mut query, false, false);
@ -1108,7 +1112,10 @@ impl NetMDInterface {
)?; )?;
let reply = self.send_query(&mut query, false, false)?; let reply = self.send_query(&mut query, false, false)?;
let res = scan_query(reply, "1806 02201001 %?%? %?%? %?%? 1000 00%?0000 %x".to_string())?; let res = scan_query(
reply,
"1806 02201001 %?%? %?%? %?%? 1000 00%?0000 %x".to_string(),
)?;
self.change_descriptor_state(&Descriptor::AudioContentsTD, &DescriptorAction::Close); self.change_descriptor_state(&Descriptor::AudioContentsTD, &DescriptorAction::Close);
@ -1116,7 +1123,10 @@ impl NetMDInterface {
} }
/// Gets the length of tracks as a `std::time::Duration` from a set /// Gets the length of tracks as a `std::time::Duration` from a set
pub fn track_lengths(&mut self, tracks: Vec<u16>) -> Result<Vec<std::time::Duration>, Box<dyn Error>> { pub fn track_lengths(
&mut self,
tracks: Vec<u16>,
) -> Result<Vec<std::time::Duration>, Box<dyn Error>> {
let mut times: Vec<std::time::Duration> = vec![]; let mut times: Vec<std::time::Duration> = vec![];
self.change_descriptor_state(&Descriptor::AudioContentsTD, &DescriptorAction::OpenRead); self.change_descriptor_state(&Descriptor::AudioContentsTD, &DescriptorAction::OpenRead);
@ -1132,11 +1142,20 @@ impl NetMDInterface {
let reply = self.send_query(&mut query, false, false)?; let reply = self.send_query(&mut query, false, false)?;
let res = scan_query(reply, "1806 02201001 %?%? %?%? %?%? 1000 00%?0000 %x".to_string())?; let res = scan_query(
reply,
"1806 02201001 %?%? %?%? %?%? 1000 00%?0000 %x".to_string(),
)?;
let result = scan_query(res[0].to_vec().unwrap(), "01 0006 0000 %B %B %B %B".to_string())?; let result = scan_query(
res[0].to_vec().unwrap(),
"01 0006 0000 %B %B %B %B".to_string(),
)?;
let times_num: Vec<u64> = result.into_iter().map(|v| v.to_i64().unwrap() as u64).collect(); let times_num: Vec<u64> = result
.into_iter()
.map(|v| v.to_i64().unwrap() as u64)
.collect();
let length = time_to_duration(&times_num); let length = time_to_duration(&times_num);
times.push(length); times.push(length);
@ -1162,7 +1181,7 @@ impl NetMDInterface {
Ok(0x92) => Encoding::LP2, Ok(0x92) => Encoding::LP2,
Ok(0x93) => Encoding::LP4, Ok(0x93) => Encoding::LP4,
Ok(e) => return Err(format!("Encoding value {e} out of range (0x90..0x92)").into()), Ok(e) => return Err(format!("Encoding value {e} out of range (0x90..0x92)").into()),
Err(error) => return Err(error) Err(error) => return Err(error),
}; };
Ok(final_encoding) Ok(final_encoding)
@ -1173,9 +1192,7 @@ impl NetMDInterface {
self.change_descriptor_state(&Descriptor::AudioContentsTD, &DescriptorAction::OpenRead); self.change_descriptor_state(&Descriptor::AudioContentsTD, &DescriptorAction::OpenRead);
let mut query = format_query( let mut query = format_query(
"1806 01201001 %w ff00 00010008".to_string(), "1806 01201001 %w ff00 00010008".to_string(),
vec![ vec![QueryValue::Number(track as i64)],
QueryValue::Number(track as i64),
],
)?; )?;
let reply = self.send_query(&mut query, false, false)?; let reply = self.send_query(&mut query, false, false)?;
@ -1189,10 +1206,7 @@ impl NetMDInterface {
/// Gets the disc capacity as a `std::time::Duration` /// Gets the disc capacity as a `std::time::Duration`
pub fn disc_capacity(&mut self) -> Result<[std::time::Duration; 3], Box<dyn Error>> { pub fn disc_capacity(&mut self) -> Result<[std::time::Duration; 3], Box<dyn Error>> {
self.change_descriptor_state(&Descriptor::RootTD, &DescriptorAction::OpenRead); self.change_descriptor_state(&Descriptor::RootTD, &DescriptorAction::OpenRead);
let mut query = format_query( let mut query = format_query("1806 02101000 3080 0300 ff00 00000000".to_string(), vec![])?;
"1806 02101000 3080 0300 ff00 00000000".to_string(),
vec![],
)?;
let reply = self.send_query(&mut query, false, false)?; let reply = self.send_query(&mut query, false, false)?;
let mut result: [std::time::Duration; 3] = [std::time::Duration::from_secs(0); 3]; let mut result: [std::time::Duration; 3] = [std::time::Duration::from_secs(0); 3];
@ -1201,12 +1215,16 @@ impl NetMDInterface {
reply, reply,
"1806 02101000 3080 0300 1000 001d0000 001b %?03 0017 8000 0005 %W %B %B %B 0005 %W %B %B %B 0005 %W %B %B %B".to_string() "1806 02101000 3080 0300 1000 001d0000 001b %?03 0017 8000 0005 %W %B %B %B 0005 %W %B %B %B 0005 %W %B %B %B".to_string()
)?; //25^ )?; //25^
let res_num: Vec<u64> = res.into_iter().map(|v| v.to_i64().unwrap() as u64).collect(); let res_num: Vec<u64> = res
.into_iter()
.map(|v| v.to_i64().unwrap() as u64)
.collect();
// Create 3 values, `Frames Used`, `Frames Total`, and `Frames Left` // Create 3 values, `Frames Used`, `Frames Total`, and `Frames Left`
for i in 0..3 { for i in 0..3 {
let tmp = &res_num[(4 * i)..=(4 * i) + 3]; let tmp = &res_num[(4 * i)..=(4 * i) + 3];
let time_micros = (tmp[0] * 3600000000) + (tmp[1] * 60000000) + (tmp[2] * 1000000) + (tmp[3] * 11600); let time_micros =
(tmp[0] * 3600000000) + (tmp[1] * 60000000) + (tmp[2] * 1000000) + (tmp[3] * 11600);
result[i] = std::time::Duration::from_micros(time_micros); result[i] = std::time::Duration::from_micros(time_micros);
} }
@ -1216,7 +1234,10 @@ impl NetMDInterface {
} }
pub fn recording_parameters(&mut self) -> Result<Vec<u8>, Box<dyn Error>> { pub fn recording_parameters(&mut self) -> Result<Vec<u8>, Box<dyn Error>> {
self.change_descriptor_state(&Descriptor::OperatingStatusBlock, &DescriptorAction::OpenRead); self.change_descriptor_state(
&Descriptor::OperatingStatusBlock,
&DescriptorAction::OpenRead,
);
let mut query = format_query( let mut query = format_query(
"1809 8001 0330 8801 0030 8805 0030 8807 00 ff00 00000000".to_string(), "1809 8001 0330 8801 0030 8805 0030 8807 00 ff00 00000000".to_string(),
vec![], vec![],
@ -1234,25 +1255,32 @@ impl NetMDInterface {
/// Gets the bytes of a track /// Gets the bytes of a track
/// ///
/// This can only be executed on an MZ-RH1 / M200 /// This can only be executed on an MZ-RH1 / M200
pub fn save_track_to_array(&mut self, track: u16) -> Result<(DiscFormat, u16, Vec<u8>), Box<dyn Error>> { pub fn save_track_to_array(
&mut self,
track: u16,
) -> Result<(DiscFormat, u16, Vec<u8>), Box<dyn Error>> {
let mut query = format_query( let mut query = format_query(
"1800 080046 f003010330 ff00 1001 %w".to_string(), "1800 080046 f003010330 ff00 1001 %w".to_string(),
vec![ vec![QueryValue::Number((track + 1) as i64)],
QueryValue::Number((track + 1) as i64)
],
)?; )?;
let reply = self.send_query(&mut query, false, true)?; let reply = self.send_query(&mut query, false, true)?;
let res = scan_query(reply, "1800 080046 f0030103 300000 1001 %w %b %d".to_string())?; let res = scan_query(
reply,
"1800 080046 f0030103 300000 1001 %w %b %d".to_string(),
)?;
let frames = res[0].to_i64().unwrap() as u16; let frames = res[0].to_i64().unwrap() as u16;
let codec = res[1].to_i64().unwrap() as u8; let codec = res[1].to_i64().unwrap() as u8;
let length = res[2].to_i64().unwrap() as u32; let length = res[2].to_i64().unwrap() as usize;
let result = self.net_md_device.read_bulk(length, 0x10000)?; let result = self.net_md_device.read_bulk(length, 0x10000)?;
scan_query(self.read_reply(false)?, "1800 080046 f003010330 0000 1001 %?%? %?%?".to_string())?; scan_query(
self.read_reply(false)?,
"1800 080046 f003010330 0000 1001 %?%? %?%?".to_string(),
)?;
std::thread::sleep(std::time::Duration::from_millis(500)); std::thread::sleep(std::time::Duration::from_millis(500));
@ -1261,7 +1289,7 @@ impl NetMDInterface {
2 => DiscFormat::LP2, 2 => DiscFormat::LP2,
4 => DiscFormat::SPMono, 4 => DiscFormat::SPMono,
6 => DiscFormat::SPStereo, 6 => DiscFormat::SPStereo,
_ => return Err("DiscFormat out of range 0..6".into()) _ => return Err("DiscFormat out of range 0..6".into()),
}; };
Ok((format, frames, result)) Ok((format, frames, result))
@ -1270,9 +1298,7 @@ impl NetMDInterface {
pub fn disable_new_track_protection(&mut self, val: u16) -> Result<(), Box<dyn Error>> { pub fn disable_new_track_protection(&mut self, val: u16) -> Result<(), Box<dyn Error>> {
let mut query = format_query( let mut query = format_query(
"1800 080046 f0030103 2b ff %w".to_string(), "1800 080046 f0030103 2b ff %w".to_string(),
vec![ vec![QueryValue::Number(val as i64)],
QueryValue::Number(val as i64)
],
)?; )?;
let reply = self.send_query(&mut query, false, false)?; let reply = self.send_query(&mut query, false, false)?;
@ -1281,10 +1307,7 @@ impl NetMDInterface {
} }
pub fn enter_secure_session(&mut self) -> Result<(), Box<dyn Error>> { pub fn enter_secure_session(&mut self) -> Result<(), Box<dyn Error>> {
let mut query = format_query( let mut query = format_query("1800 080046 f0030103 80 ff".to_string(), vec![])?;
"1800 080046 f0030103 80 ff".to_string(),
vec![],
)?;
let reply = self.send_query(&mut query, false, false)?; let reply = self.send_query(&mut query, false, false)?;
scan_query(reply, "1800 080046 f0030103 80 00".to_string())?; scan_query(reply, "1800 080046 f0030103 80 00".to_string())?;
@ -1292,10 +1315,7 @@ impl NetMDInterface {
} }
pub fn leave_secure_session(&mut self) -> Result<(), Box<dyn Error>> { pub fn leave_secure_session(&mut self) -> Result<(), Box<dyn Error>> {
let mut query = format_query( let mut query = format_query("1800 080046 f0030103 81 ff".to_string(), vec![])?;
"1800 080046 f0030103 81 ff".to_string(),
vec![],
)?;
let reply = self.send_query(&mut query, false, false)?; let reply = self.send_query(&mut query, false, false)?;
scan_query(reply, "1800 080046 f0030103 81 00".to_string())?; scan_query(reply, "1800 080046 f0030103 81 00".to_string())?;
@ -1310,10 +1330,7 @@ impl NetMDInterface {
The leaf ID is a 8-byte constant The leaf ID is a 8-byte constant
**/ **/
pub fn leaf_id(&mut self) -> Result<Vec<u8>, Box<dyn Error>> { pub fn leaf_id(&mut self) -> Result<Vec<u8>, Box<dyn Error>> {
let mut query = format_query( let mut query = format_query("1800 080046 f0030103 11 ff".to_string(), vec![])?;
"1800 080046 f0030103 11 ff".to_string(),
vec![],
)?;
let reply = self.send_query(&mut query, false, false)?; let reply = self.send_query(&mut query, false, false)?;
let res = scan_query(reply, "1800 080046 f0030103 11 00 %*".to_string())?; let res = scan_query(reply, "1800 080046 f0030103 11 00 %*".to_string())?;
@ -1321,7 +1338,13 @@ impl NetMDInterface {
Ok(res[0].to_vec().unwrap()) Ok(res[0].to_vec().unwrap())
} }
pub fn send_key_data(&mut self, ekbid: i32, keychain: Vec<[u8; 16]>, depth: i32, ekbsignature: Vec<u8>) -> Result<Vec<u8>, Box<dyn Error>> { pub fn send_key_data(
&mut self,
ekbid: i32,
keychain: Vec<[u8; 16]>,
depth: i32,
ekbsignature: Vec<u8>,
) -> Result<Vec<u8>, Box<dyn Error>> {
let chainlen = keychain.len(); let chainlen = keychain.len();
let databytes = 16 + 16 * chainlen + 24; let databytes = 16 + 16 * chainlen + 24;
@ -1349,7 +1372,10 @@ impl NetMDInterface {
let reply = self.send_query(&mut query, false, false)?; let reply = self.send_query(&mut query, false, false)?;
let res = scan_query(reply, "1800 080046 f0030103 12 01 %?%? %?%?%?%?".to_string())?; let res = scan_query(
reply,
"1800 080046 f0030103 12 01 %?%? %?%?%?%?".to_string(),
)?;
Ok(res[0].to_vec().unwrap()) Ok(res[0].to_vec().unwrap())
} }
@ -1371,10 +1397,7 @@ impl NetMDInterface {
} }
pub fn session_key_forget(&mut self) -> Result<(), Box<dyn Error>> { pub fn session_key_forget(&mut self) -> Result<(), Box<dyn Error>> {
let mut query = format_query( let mut query = format_query("1800 080046 f0030103 21 ff 000000".to_string(), vec![])?;
"1800 080046 f0030103 21 ff 000000".to_string(),
vec![],
)?;
let reply = self.send_query(&mut query, false, false)?; let reply = self.send_query(&mut query, false, false)?;
let _ = scan_query(reply, "1800 080046 f0030103 21 00 000000".to_string())?; let _ = scan_query(reply, "1800 080046 f0030103 21 00 000000".to_string())?;
@ -1382,7 +1405,12 @@ impl NetMDInterface {
Ok(()) Ok(())
} }
pub fn setup_download(&mut self, contentid: Vec<u8>, keyenckey: Vec<u8>, hex_session_key: String) -> Result<(), Box<dyn Error>> { pub fn setup_download(
&mut self,
contentid: Vec<u8>,
keyenckey: Vec<u8>,
hex_session_key: String,
) -> Result<(), Box<dyn Error>> {
if contentid.len() != 20 { if contentid.len() != 20 {
return Err("Supplied content ID length wrong".into()); return Err("Supplied content ID length wrong".into());
} }
@ -1395,19 +1423,13 @@ impl NetMDInterface {
let message = [vec![1, 1, 1, 1], contentid, keyenckey].concat(); let message = [vec![1, 1, 1, 1], contentid, keyenckey].concat();
let mc = MagicCrypt::new( let mc = MagicCrypt::new(hex_session_key, SecureBit::Bit256, None::<String>);
hex_session_key,
SecureBit::Bit256,
None::<String>
);
let encryptedarg = mc.decrypt_bytes_to_bytes(&message)?; let encryptedarg = mc.decrypt_bytes_to_bytes(&message)?;
let mut query = format_query( let mut query = format_query(
"1800 080046 f0030103 22 ff 0000 %*".to_string(), "1800 080046 f0030103 22 ff 0000 %*".to_string(),
vec![ vec![QueryValue::Array(encryptedarg)],
QueryValue::Array(encryptedarg)
],
)?; )?;
let reply = self.send_query(&mut query, false, false)?; let reply = self.send_query(&mut query, false, false)?;
@ -1417,7 +1439,11 @@ impl NetMDInterface {
Ok(()) Ok(())
} }
pub fn commit_track(&mut self, track_number: u16, hex_session_key: String) -> Result<(), Box<dyn Error>> { pub fn commit_track(
&mut self,
track_number: u16,
hex_session_key: String,
) -> Result<(), Box<dyn Error>> {
if hex_session_key.len() != 16 { if hex_session_key.len() != 16 {
return Err("Supplied Session Key length wrong".into()); return Err("Supplied Session Key length wrong".into());
} }
@ -1429,7 +1455,7 @@ impl NetMDInterface {
"1800 080046 f0030103 22 ff 0000 %*".to_string(), "1800 080046 f0030103 22 ff 0000 %*".to_string(),
vec![ vec![
QueryValue::Number(track_number as i64), QueryValue::Number(track_number as i64),
QueryValue::Array(authentication) QueryValue::Array(authentication),
], ],
)?; )?;
@ -1440,14 +1466,15 @@ impl NetMDInterface {
Ok(()) Ok(())
} }
pub fn send_track(&mut self, pub fn send_track(
&mut self,
wireformat: u8, wireformat: u8,
discformat: u8, discformat: u8,
frames: i32, frames: i32,
pkt_size: u32, pkt_size: u32,
// key // iv // data // key // iv // data
packets: Vec<(Vec<u8>, Vec<u8>, Vec<u8>)>, packets: Vec<(Vec<u8>, Vec<u8>, Vec<u8>)>,
hex_session_key: String hex_session_key: String,
) -> Result<(i64, String, String), Box<dyn Error>> { ) -> Result<(i64, String, String), Box<dyn Error>> {
if hex_session_key.len() != 16 { if hex_session_key.len() != 16 {
return Err("Supplied Session Key length wrong".into()); return Err("Supplied Session Key length wrong".into());
@ -1458,44 +1485,49 @@ impl NetMDInterface {
let total_bytes = pkt_size + 24; //framesizedict[wireformat] * frames + pktcount * 24; let total_bytes = pkt_size + 24; //framesizedict[wireformat] * frames + pktcount * 24;
let mut query = format_query("1800 080046 f0030103 28 ff 000100 1001 ffff 00 %b %b %d %d".to_string(), let mut query = format_query(
"1800 080046 f0030103 28 ff 000100 1001 ffff 00 %b %b %d %d".to_string(),
vec![ vec![
QueryValue::Number(wireformat as i64), QueryValue::Number(wireformat as i64),
QueryValue::Number(discformat as i64), QueryValue::Number(discformat as i64),
QueryValue::Number(frames as i64), QueryValue::Number(frames as i64),
QueryValue::Number(total_bytes as i64), QueryValue::Number(total_bytes as i64),
] ],
)?; )?;
let mut reply = self.send_query(&mut query, false, true)?; let mut reply = self.send_query(&mut query, false, true)?;
scan_query(reply, "1800 080046 f0030103 28 00 000100 1001 %?%? 00 %*".to_string())?; scan_query(
reply,
"1800 080046 f0030103 28 00 000100 1001 %?%? 00 %*".to_string(),
)?;
// Sharps are slow // Sharps are slow
sleep(Duration::from_millis(200)); sleep(Duration::from_millis(200));
let mut _written_bytes = 0; let mut _written_bytes = 0;
for (packet_count, (key, iv, data)) in packets.into_iter().enumerate(){ for (packet_count, (key, iv, data)) in packets.into_iter().enumerate() {
let mut binpack; let binpack = if packet_count == 0 {
if packet_count == 0 {
let packed_length: Vec<u8> = pkt_size.to_le_bytes().to_vec(); let packed_length: Vec<u8> = pkt_size.to_le_bytes().to_vec();
binpack = [vec![0, 0, 0, 0], packed_length, key, iv, data.clone()].concat(); [vec![0, 0, 0, 0], packed_length, key, iv, data.clone()].concat()
} else { } else {
binpack = data.clone(); data.clone()
} };
self.net_md_device.write_bulk(&mut binpack)?; self.net_md_device.write_bulk(binpack)?;
_written_bytes += data.len(); _written_bytes += data.len();
} }
reply = self.read_reply(false)?; reply = self.read_reply(false)?;
self.net_md_device.poll()?; self.net_md_device.poll()?;
let res = scan_query(reply, "1800 080046 f0030103 28 00 000100 1001 %w 00 %?%? %?%?%?%? %?%?%?%? %*".to_string())?; let res = scan_query(
reply,
"1800 080046 f0030103 28 00 000100 1001 %w 00 %?%? %?%?%?%? %?%?%?%? %*".to_string(),
)?;
let mc = MagicCrypt::new( let mc = MagicCrypt::new(hex_session_key, SecureBit::Bit256, Some("0000000000000000"));
hex_session_key,
SecureBit::Bit256,
Some("0000000000000000")
);
let reply_data = String::from_utf8(mc.decrypt_bytes_to_bytes(&res[1].to_vec().unwrap())?).unwrap().chars().collect::<Vec<char>>(); let reply_data = String::from_utf8(mc.decrypt_bytes_to_bytes(&res[1].to_vec().unwrap())?)
.unwrap()
.chars()
.collect::<Vec<char>>();
let part1 = String::from_iter(reply_data.clone()[0..8].iter()); let part1 = String::from_iter(reply_data.clone()[0..8].iter());
let part2 = String::from_iter(reply_data.clone()[12..32].iter()); let part2 = String::from_iter(reply_data.clone()[12..32].iter());
@ -1506,9 +1538,7 @@ impl NetMDInterface {
pub fn track_uuid(&mut self, track: u16) -> Result<String, Box<dyn Error>> { pub fn track_uuid(&mut self, track: u16) -> Result<String, Box<dyn Error>> {
let mut query = format_query( let mut query = format_query(
"1800 080046 f0030103 23 ff 1001 %w".to_string(), "1800 080046 f0030103 23 ff 1001 %w".to_string(),
vec![ vec![QueryValue::Number(track as i64)],
QueryValue::Number(track as i64),
],
)?; )?;
let reply = self.send_query(&mut query, false, false)?; let reply = self.send_query(&mut query, false, false)?;
@ -1518,21 +1548,14 @@ impl NetMDInterface {
} }
pub fn terminate(&mut self) -> Result<(), Box<dyn Error>> { pub fn terminate(&mut self) -> Result<(), Box<dyn Error>> {
let mut query = format_query( let mut query = format_query("1800 080046 f0030103 2a ff00".to_string(), vec![])?;
"1800 080046 f0030103 2a ff00".to_string(),
vec![],
)?;
self.send_query(&mut query, false, false)?; self.send_query(&mut query, false, false)?;
Ok(()) Ok(())
} }
} }
pub fn retailmac( pub fn retailmac(key: Vec<u8>, value: Vec<u8>, iv: Vec<u8>) -> Result<(), Box<dyn Error>> {
key: Vec<u8>,
value: Vec<u8>,
iv: Vec<u8>
) -> Result<(), Box<dyn Error>> {
let subkey_a = key[0..8].to_vec(); let subkey_a = key[0..8].to_vec();
let beginning = value[0..value.len() - 8].to_vec(); let beginning = value[0..value.len() - 8].to_vec();
let _end = value[value.len() - 8..].to_vec(); let _end = value[value.len() - 8..].to_vec();
@ -1540,7 +1563,7 @@ pub fn retailmac(
let mc = MagicCrypt::new( let mc = MagicCrypt::new(
String::from_utf8(subkey_a).unwrap(), String::from_utf8(subkey_a).unwrap(),
SecureBit::Bit256, SecureBit::Bit256,
Some(String::from_utf8(iv).unwrap()) Some(String::from_utf8(iv).unwrap()),
); );
let step1 = mc.encrypt_bytes_to_bytes(&beginning); let step1 = mc.encrypt_bytes_to_bytes(&beginning);
@ -1549,7 +1572,7 @@ pub fn retailmac(
Ok(()) Ok(())
} }
lazy_static!{ lazy_static! {
static ref DISC_FOR_WIRE: HashMap<WireFormat, DiscFormat> = HashMap::from([ static ref DISC_FOR_WIRE: HashMap<WireFormat, DiscFormat> = HashMap::from([
(WireFormat::Pcm, DiscFormat::SPStereo), (WireFormat::Pcm, DiscFormat::SPStereo),
(WireFormat::LP2, DiscFormat::LP2), (WireFormat::LP2, DiscFormat::LP2),
@ -1558,14 +1581,13 @@ lazy_static!{
]); ]);
} }
struct EKBOpenSource { struct EKBOpenSource {}
}
impl EKBOpenSource { impl EKBOpenSource {
fn root_key(&mut self) -> [u8; 16] { fn root_key(&mut self) -> [u8; 16] {
[ [
0x12, 0x34, 0x56, 0x78, 0x9a, 0xbc, 0xde, 0xf0, 0x12, 0x34, 0x56, 0x78, 0x9a, 0xbc, 0xde, 0xf0, 0x0f, 0xed, 0xcb, 0xa9, 0x87, 0x65,
0x0f, 0xed, 0xcb, 0xa9, 0x87, 0x65, 0x43, 0x21 0x43, 0x21,
] ]
} }
@ -1597,7 +1619,7 @@ struct MDTrack {
data: Vec<u8>, data: Vec<u8>,
chunk_size: i32, chunk_size: i32,
full_width_title: Option<String>, full_width_title: Option<String>,
encrypt_packets_iterator: EncryptPacketsIterator encrypt_packets_iterator: EncryptPacketsIterator,
} }
#[derive(Clone)] #[derive(Clone)]
@ -1605,7 +1627,7 @@ struct EncryptPacketsIterator {
kek: Vec<u8>, kek: Vec<u8>,
frame_size: i32, frame_size: i32,
data: Vec<u8>, data: Vec<u8>,
chunk_size: i32 chunk_size: i32,
} }
impl MDTrack { impl MDTrack {
@ -1643,13 +1665,13 @@ impl MDTrack {
} }
pub fn content_id() -> [u8; 20] { pub fn content_id() -> [u8; 20] {
[0x01, 0x0f, 0x50, 0x00, 0x00, 0x04, 0x00, 0x00, 0x00, 0x48, [
0xa2, 0x8d, 0x3e, 0x1a, 0x3b, 0x0c, 0x44, 0xaf, 0x2f, 0xa0] 0x01, 0x0f, 0x50, 0x00, 0x00, 0x04, 0x00, 0x00, 0x00, 0x48, 0xa2, 0x8d, 0x3e, 0x1a,
0x3b, 0x0c, 0x44, 0xaf, 0x2f, 0xa0,
]
} }
pub fn get_kek() -> [u8; 8] { pub fn get_kek() -> [u8; 8] {
[0x14, 0xe3, 0x83, 0x4e, 0xe2, 0xd3, 0xcc, 0xa5] [0x14, 0xe3, 0x83, 0x4e, 0xe2, 0xd3, 0xcc, 0xa5]
} }
} }