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
use crate::*;
use binread::{BinRead, BinReaderExt};
use core::mem::size_of;
use derivative::*;
use std::{
borrow::Cow,
hash::{Hash, Hasher},
io::Cursor,
};
use thiserror::Error;
#[derive(Error, Debug)]
pub enum SarcError {
#[error("File index {0} out of range")]
OutOfRange(usize),
#[error("Invalid {0} value: \"{1}\"")]
InvalidData(String, String),
#[error("A string in the name table was not terminated")]
UnterminatedStringError,
#[error("Invalid UTF file name")]
InvalidFileName(#[from] std::str::Utf8Error),
#[error(transparent)]
ParseError(#[from] binread::Error),
}
pub type Result<T> = core::result::Result<T, SarcError>;
fn find_null(data: &[u8]) -> Result<usize> {
data.iter()
.position(|b| b == &0u8)
.ok_or(SarcError::UnterminatedStringError)
}
#[inline(always)]
fn read<T: BinRead>(endian: Endian, reader: &mut Cursor<&[u8]>) -> Result<T> {
Ok(match endian {
Endian::Big => reader.read_be()?,
Endian::Little => reader.read_le()?,
})
}
#[derive(Derivative)]
#[derivative(Debug, Clone)]
pub struct Sarc<'a> {
num_files: u16,
entries_offset: u16,
hash_multiplier: u32,
data_offset: u32,
names_offset: u32,
endian: Endian,
#[derivative(Debug = "ignore")]
data: Cow<'a, [u8]>,
}
impl PartialEq for Sarc<'_> {
fn eq(&self, other: &Self) -> bool {
self.data == other.data
}
}
impl Eq for Sarc<'_> {}
impl Hash for Sarc<'_> {
fn hash<H: Hasher>(&self, state: &mut H) {
self.data.hash(state)
}
}
impl<'a> Sarc<'_> {
pub fn new<T: Into<Cow<'a, [u8]>>>(data: T) -> Result<Sarc<'a>> {
let data = data.into();
let mut reader = Cursor::new(data.as_ref());
reader.set_position(6);
let endian: Endian = Endian::read(&mut reader)?;
reader.set_position(0);
let header: ResHeader = read(endian, &mut reader)?;
if header.magic != SARC_MAGIC {
return Err(SarcError::InvalidData(
"SARC magic".to_owned(),
header.magic.iter().collect(),
));
}
if header.version != 0x0100 {
return Err(SarcError::InvalidData(
"SARC version".to_owned(),
header.version.to_string(),
));
}
if header.header_size as usize != 0x14 {
return Err(SarcError::InvalidData(
"SARC header size".to_owned(),
header.header_size.to_string(),
));
}
let fat_header: ResFatHeader = read(endian, &mut reader)?;
if fat_header.magic != SFAT_MAGIC {
return Err(SarcError::InvalidData(
"SFAT magic".to_owned(),
fat_header.magic.iter().collect(),
));
}
if fat_header.header_size as usize != 0x0C {
return Err(SarcError::InvalidData(
"SFAT header size".to_owned(),
fat_header.header_size.to_string(),
));
}
if (fat_header.num_files >> 0xE) != 0 {
return Err(SarcError::InvalidData(
"SFAT file count".to_owned(),
fat_header.num_files.to_string(),
));
}
let num_files = fat_header.num_files;
let entries_offset = reader.position() as u16;
let hash_multiplier = fat_header.hash_multiplier;
let data_offset = header.data_offset;
let fnt_header_offset = entries_offset as usize + 0x10 * num_files as usize;
reader.set_position(fnt_header_offset as u64);
let fnt_header: ResFntHeader = read(endian, &mut reader)?;
if fnt_header.magic != SFNT_MAGIC {
return Err(SarcError::InvalidData(
"SFNT magic".to_owned(),
fnt_header.magic.iter().collect(),
));
}
if fnt_header.header_size as usize != 0x08 {
return Err(SarcError::InvalidData(
"SFNT header size".to_owned(),
fnt_header.header_size.to_string(),
));
}
let names_offset = reader.position() as u32;
if data_offset < names_offset {
return Err(SarcError::InvalidData(
"name table offset".to_owned(),
names_offset.to_string(),
));
}
Ok(Sarc {
data,
data_offset,
endian,
entries_offset,
num_files,
hash_multiplier,
names_offset,
})
}
pub fn file_count(&self) -> usize {
self.num_files as usize
}
pub fn data_offset(&self) -> usize {
self.data_offset as usize
}
pub fn endian(&self) -> Endian {
self.endian
}
pub fn get_file(&self, file: &str) -> Result<Option<File>> {
if self.num_files == 0 {
return Ok(None);
}
let needle_hash = hash_name(self.hash_multiplier, file);
let mut a: u32 = 0;
let mut b: u32 = self.num_files as u32 - 1;
let mut reader = Cursor::new(self.data.as_ref());
while a <= b {
let m: u32 = (a + b) as u32 / 2;
reader.set_position(self.entries_offset as u64 + 0x10 * m as u64);
let hash: u32 = read(self.endian, &mut reader)?;
match needle_hash.cmp(&hash) {
std::cmp::Ordering::Less => b = m - 1,
std::cmp::Ordering::Greater => a = m + 1,
std::cmp::Ordering::Equal => return Ok(Some(self.file_at(m as usize)?)),
}
}
Ok(None)
}
pub fn file_at(&self, index: usize) -> Result<File> {
if index >= self.num_files as usize {
return Err(SarcError::OutOfRange(index));
}
let entry_offset = self.entries_offset as usize + size_of::<ResFatEntry>() * index;
let entry: ResFatEntry = read(self.endian, &mut Cursor::new(&self.data[entry_offset..]))?;
Ok(File {
name: if entry.rel_name_opt_offset != 0 {
let name_offset = self.names_offset as usize
+ (entry.rel_name_opt_offset & 0xFFFFFF) as usize * 4;
let term_pos = find_null(&self.data[name_offset..])?;
Some(std::str::from_utf8(
&self.data[name_offset..name_offset + term_pos],
)?)
} else {
None
},
data: &self.data[(self.data_offset + entry.data_begin) as usize
..(self.data_offset + entry.data_end) as usize],
})
}
pub fn files(&'_ self) -> impl Iterator<Item = File<'_>> {
let count = self.num_files;
(0..count).flat_map(move |i| self.file_at(i as usize).ok())
}
pub fn guess_min_alignment(&self) -> usize {
const MIN_ALIGNMENT: u32 = 4;
let mut gcd = MIN_ALIGNMENT;
let mut reader = Cursor::new(&self.data[self.entries_offset as usize..]);
for _ in 0..self.num_files {
let entry: ResFatEntry = read(self.endian, &mut reader).unwrap();
gcd = num::integer::gcd(gcd, self.data_offset + entry.data_begin);
}
if !is_valid_alignment(gcd as usize) {
return MIN_ALIGNMENT as usize;
}
gcd as usize
}
pub fn are_files_equal(sarc1: &Sarc, sarc2: &Sarc) -> bool {
if sarc1.file_count() != sarc2.file_count() {
return false;
}
for (file1, file2) in sarc1.files().zip(sarc2.files()) {
if file1 != file2 {
return false;
}
}
true
}
}
#[cfg(test)]
mod tests {
use crate::{Endian, Sarc};
use std::fs::read;
#[test]
fn parse_sarc() {
let data = read("test/Dungeon119.pack").unwrap();
let sarc = Sarc::new(&data).unwrap();
assert_eq!(sarc.endian(), Endian::Big);
assert_eq!(sarc.file_count(), 10);
assert_eq!(sarc.guess_min_alignment(), 4);
for file in &[
"NavMesh/CDungeon/Dungeon119/Dungeon119.shknm2",
"Map/CDungeon/Dungeon119/Dungeon119_Static.smubin",
"Map/CDungeon/Dungeon119/Dungeon119_Dynamic.smubin",
"Actor/Pack/DgnMrgPrt_Dungeon119.sbactorpack",
"Physics/StaticCompound/CDungeon/Dungeon119.shksc",
"Map/CDungeon/Dungeon119/Dungeon119_TeraTree.sblwp",
"Map/CDungeon/Dungeon119/Dungeon119_Clustering.sblwp",
"Map/DungeonData/CDungeon/Dungeon119.bdgnenv",
"Model/DgnMrgPrt_Dungeon119.sbfres",
"Model/DgnMrgPrt_Dungeon119.Tex2.sbfres",
] {
sarc.get_file(file)
.unwrap()
.unwrap_or_else(|| panic!("Could not find file {}", file));
}
}
}