-
Notifications
You must be signed in to change notification settings - Fork 386
/
Copy pathdriver.rs
1017 lines (893 loc) · 32.4 KB
/
driver.rs
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
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
#![allow(clippy::undocumented_unsafe_blocks)] // Remove me if you dare.
use super::windows::{
get_device_path, get_process_creation_time, get_process_device_path, open_process,
ProcessAccess,
};
use bitflags::bitflags;
use memoffset::offset_of;
use std::{
cell::RefCell,
collections::HashMap,
ffi::{OsStr, OsString},
fs::{self, OpenOptions},
io,
mem::{self, size_of, MaybeUninit},
net::{Ipv4Addr, Ipv6Addr},
os::windows::{
ffi::{OsStrExt, OsStringExt},
fs::OpenOptionsExt,
io::{AsRawHandle, RawHandle},
},
path::Path,
ptr,
time::Duration,
};
use talpid_types::ErrorExt;
use talpid_windows::{io::Overlapped, process::ProcessSnapshot, sync::Event};
use windows_sys::Win32::{
Foundation::{
ERROR_ACCESS_DENIED, ERROR_FILE_NOT_FOUND, ERROR_INVALID_PARAMETER, ERROR_IO_PENDING,
HANDLE, NTSTATUS, WAIT_ABANDONED, WAIT_ABANDONED_0, WAIT_FAILED, WAIT_OBJECT_0,
},
Networking::WinSock::{IN6_ADDR, IN_ADDR},
Storage::FileSystem::FILE_FLAG_OVERLAPPED,
System::{
Diagnostics::ToolHelp::TH32CS_SNAPPROCESS,
Ioctl::{FILE_ANY_ACCESS, METHOD_BUFFERED, METHOD_NEITHER},
Threading::{WaitForMultipleObjects, WaitForSingleObject, INFINITE},
IO::{DeviceIoControl, GetOverlappedResult, OVERLAPPED},
},
};
const DRIVER_SYMBOLIC_NAME: &str = "\\\\.\\MULLVADSPLITTUNNEL";
const ST_DEVICE_TYPE: u32 = 0x8000;
const fn ctl_code(device_type: u32, function: u32, method: u32, access: u32) -> u32 {
(device_type << 16) | (access << 14) | (function << 2) | method
}
#[repr(u32)]
#[allow(dead_code)]
pub enum DriverIoctlCode {
Initialize = ctl_code(ST_DEVICE_TYPE, 1, METHOD_NEITHER, FILE_ANY_ACCESS),
DequeEvent = ctl_code(ST_DEVICE_TYPE, 2, METHOD_BUFFERED, FILE_ANY_ACCESS),
RegisterProcesses = ctl_code(ST_DEVICE_TYPE, 3, METHOD_BUFFERED, FILE_ANY_ACCESS),
RegisterIpAddresses = ctl_code(ST_DEVICE_TYPE, 4, METHOD_BUFFERED, FILE_ANY_ACCESS),
GetIpAddresses = ctl_code(ST_DEVICE_TYPE, 5, METHOD_BUFFERED, FILE_ANY_ACCESS),
SetConfiguration = ctl_code(ST_DEVICE_TYPE, 6, METHOD_BUFFERED, FILE_ANY_ACCESS),
GetConfiguration = ctl_code(ST_DEVICE_TYPE, 7, METHOD_BUFFERED, FILE_ANY_ACCESS),
ClearConfiguration = ctl_code(ST_DEVICE_TYPE, 8, METHOD_NEITHER, FILE_ANY_ACCESS),
GetState = ctl_code(ST_DEVICE_TYPE, 9, METHOD_BUFFERED, FILE_ANY_ACCESS),
QueryProcess = ctl_code(ST_DEVICE_TYPE, 10, METHOD_BUFFERED, FILE_ANY_ACCESS),
Reset = ctl_code(ST_DEVICE_TYPE, 11, METHOD_NEITHER, FILE_ANY_ACCESS),
}
#[derive(Debug, PartialEq)]
#[repr(u32)]
#[allow(dead_code)]
pub enum DriverState {
// Default state after being loaded.
None = 0,
// DriverEntry has completed successfully.
// Basically only driver and device objects are created at this point.
Started = 1,
// All subsystems are initialized.
Initialized = 2,
// User mode has registered all processes in the system.
Ready = 3,
// IP addresses are registered.
// A valid configuration is registered.
Engaged = 4,
// Driver is unloading.
Terminating = 5,
}
#[derive(thiserror::Error, Debug)]
#[error("Unknown driver state: {0}")]
pub struct UnknownDriverState(u64);
impl TryFrom<u64> for DriverState {
type Error = UnknownDriverState;
fn try_from(state: u64) -> Result<Self, Self::Error> {
use DriverState::*;
match state {
e if e == None as u64 => Ok(None),
e if e == Started as u64 => Ok(Started),
e if e == Initialized as u64 => Ok(Initialized),
e if e == Ready as u64 => Ok(Ready),
e if e == Engaged as u64 => Ok(Engaged),
e if e == Terminating as u64 => Ok(Terminating),
other => Err(UnknownDriverState(other)),
}
}
}
#[repr(u32)]
#[derive(Clone, Copy)]
#[allow(dead_code)]
pub enum EventId {
StartSplittingProcess = 0,
StopSplittingProcess,
// ErrorFlag = 0x80000000,
ErrorStartSplittingProcess = 0x80000001,
ErrorStopSplittingProcess,
ErrorMessage,
}
#[derive(thiserror::Error, Debug)]
#[error("Unknown event id: {0}")]
pub struct UnknownEventId(u32);
impl TryFrom<u32> for EventId {
type Error = UnknownEventId;
fn try_from(event: u32) -> Result<Self, Self::Error> {
use EventId::*;
match event {
e if e == StartSplittingProcess as u32 => Ok(StartSplittingProcess),
e if e == StopSplittingProcess as u32 => Ok(StopSplittingProcess),
e if e == ErrorStartSplittingProcess as u32 => Ok(ErrorStartSplittingProcess),
e if e == ErrorStopSplittingProcess as u32 => Ok(ErrorStopSplittingProcess),
e if e == ErrorMessage as u32 => Ok(ErrorMessage),
other => Err(UnknownEventId(other)),
}
}
}
pub enum EventBody {
SplittingEvent {
process_id: usize,
reason: SplittingChangeReason,
image: OsString,
},
SplittingError {
process_id: usize,
image: OsString,
},
ErrorMessage {
status: NTSTATUS,
message: OsString,
},
}
bitflags! {
#[derive(Debug)]
pub struct SplittingChangeReason: u32 {
const BY_INHERITANCE = 1;
const BY_CONFIG = 2;
const PROCESS_ARRIVING = 4;
const PROCESS_DEPARTING = 8;
}
}
pub struct DeviceHandle {
handle: fs::File,
}
unsafe impl Sync for DeviceHandle {}
unsafe impl Send for DeviceHandle {}
#[derive(thiserror::Error, Debug)]
pub enum DeviceHandleError {
/// Failed to connect because there's no such device
#[error(
"Failed to connect to driver, no such device. \
The driver is probably not loaded"
)]
ConnectionFailed,
/// Failed to connect because the connection was denied
#[error(
"Failed to connect to driver, connection denied. \
The exclusive connection is probably hogged"
)]
ConnectionDenied,
/// Failed to connect to driver
#[error("Failed to connect to driver")]
ConnectionError(#[source] io::Error),
/// Failed to inquire about driver state
#[error("Failed to inquire about driver state")]
GetStateError(#[source] io::Error),
/// Failed to initialize driver
#[error("Failed to initialize driver")]
InitializationError(#[source] io::Error),
/// Failed to register process tree with driver
#[error("Failed to register process tree with driver")]
RegisterProcessesError(#[source] io::Error),
/// Failed to clear configuration in driver
#[error("Failed to clear configuration in driver")]
ClearConfigError(#[source] io::Error),
/// Failed to reset driver state to "started"
#[error("Failed to reset driver state")]
ResetError(#[source] io::Error),
}
impl DeviceHandle {
pub fn new() -> Result<Self, DeviceHandleError> {
let device = Self::new_handle_only()?;
device.reinitialize()?;
Ok(device)
}
pub(super) fn new_handle_only() -> Result<Self, DeviceHandleError> {
log::trace!("Connecting to the driver");
let handle = OpenOptions::new()
.read(true)
.write(true)
.share_mode(0)
.custom_flags(FILE_FLAG_OVERLAPPED)
.attributes(0)
.open(DRIVER_SYMBOLIC_NAME)
.map_err(|e| match e.raw_os_error().map(|raw| raw as u32) {
Some(ERROR_FILE_NOT_FOUND) => DeviceHandleError::ConnectionFailed,
Some(ERROR_ACCESS_DENIED) => DeviceHandleError::ConnectionDenied,
_ => DeviceHandleError::ConnectionError(e),
})?;
Ok(Self { handle })
}
pub fn reinitialize(&self) -> Result<(), DeviceHandleError> {
let state = self
.get_driver_state()
.map_err(DeviceHandleError::GetStateError)?;
if state != DriverState::Started {
log::debug!("Resetting driver state");
self.reset().map_err(DeviceHandleError::ResetError)?;
}
log::debug!("Initializing driver");
self.initialize()
.map_err(DeviceHandleError::InitializationError)?;
log::debug!("Initializing driver process tree");
self.register_processes()
.map_err(DeviceHandleError::RegisterProcessesError)
}
fn initialize(&self) -> io::Result<()> {
device_io_control(self, DriverIoctlCode::Initialize as u32, None, 0)?;
Ok(())
}
fn register_processes(&self) -> io::Result<()> {
let process_tree_buffer = serialize_process_tree(build_process_tree()?)?;
device_io_control(
self,
DriverIoctlCode::RegisterProcesses as u32,
Some(&process_tree_buffer),
0,
)?;
Ok(())
}
pub fn register_ips(
&self,
tunnel_ipv4: Option<Ipv4Addr>,
tunnel_ipv6: Option<Ipv6Addr>,
internet_ipv4: Option<Ipv4Addr>,
internet_ipv6: Option<Ipv6Addr>,
) -> io::Result<()> {
log::debug!(
"Register IPs: tunnel IPv4: {:?}, tunnel IPv6 {:?}, internet IPv4: {:?}, internet IPv6: {:?}",
tunnel_ipv4,
tunnel_ipv6,
internet_ipv4,
internet_ipv6
);
let mut addresses: SplitTunnelAddresses = unsafe { mem::zeroed() };
unsafe {
if let Some(tunnel_ipv4) = tunnel_ipv4 {
let tunnel_ipv4 = tunnel_ipv4.octets();
ptr::copy_nonoverlapping(
&tunnel_ipv4[0] as *const u8,
&mut addresses.tunnel_ipv4 as *mut _ as *mut u8,
tunnel_ipv4.len(),
);
}
if let Some(tunnel_ipv6) = tunnel_ipv6 {
let tunnel_ipv6 = tunnel_ipv6.octets();
ptr::copy_nonoverlapping(
&tunnel_ipv6[0] as *const u8,
&mut addresses.tunnel_ipv6 as *mut _ as *mut u8,
tunnel_ipv6.len(),
);
}
if let Some(internet_ipv4) = internet_ipv4 {
let internet_ipv4 = internet_ipv4.octets();
ptr::copy_nonoverlapping(
&internet_ipv4[0] as *const u8,
&mut addresses.internet_ipv4 as *mut _ as *mut u8,
internet_ipv4.len(),
);
}
if let Some(internet_ipv6) = internet_ipv6 {
let internet_ipv6 = internet_ipv6.octets();
ptr::copy_nonoverlapping(
&internet_ipv6[0] as *const u8,
&mut addresses.internet_ipv6 as *mut _ as *mut u8,
internet_ipv6.len(),
);
}
}
let buffer = as_uninit_byte_slice(&addresses);
device_io_control(
self,
DriverIoctlCode::RegisterIpAddresses as u32,
Some(buffer),
0,
)?;
Ok(())
}
pub fn get_driver_state(&self) -> io::Result<DriverState> {
let buffer = device_io_control(
self,
DriverIoctlCode::GetState as u32,
None,
size_of::<u64>() as u32,
)?
.unwrap();
let raw_state: u64 = unsafe { deserialize_buffer(&buffer[0..size_of::<u64>()]) };
DriverState::try_from(raw_state)
.map_err(|error| io::Error::new(io::ErrorKind::Other, error))
}
pub fn set_config<T: AsRef<OsStr>>(&self, apps: &[T]) -> io::Result<()> {
let mut device_paths = Vec::with_capacity(apps.len());
for app in apps {
match get_device_path(app.as_ref()) {
Err(error) if error.kind() == io::ErrorKind::NotFound => {
log::debug!(
"{}\nPath: {}",
error.display_chain_with_msg("Ignoring path on unmounted volume"),
Path::new(app.as_ref()).display()
);
}
Err(error) => return Err(error),
Ok(path) => device_paths.push(path),
}
}
if device_paths.is_empty() {
return self.clear_config();
}
log::debug!("Excluded device paths:");
for path in &device_paths {
log::debug!(" {}", Path::new(&path).display());
}
let config = make_process_config(&device_paths);
device_io_control(
self,
DriverIoctlCode::SetConfiguration as u32,
Some(&config),
0,
)?;
Ok(())
}
pub fn clear_config(&self) -> io::Result<()> {
device_io_control(self, DriverIoctlCode::ClearConfiguration as u32, None, 0)?;
Ok(())
}
pub(super) fn reset(&self) -> io::Result<()> {
device_io_control(self, DriverIoctlCode::Reset as u32, None, 0)?;
Ok(())
}
}
impl AsRawHandle for DeviceHandle {
fn as_raw_handle(&self) -> RawHandle {
self.handle.as_raw_handle()
}
}
#[derive(Clone, Copy)]
#[repr(C)]
struct SplitTunnelAddresses {
tunnel_ipv4: IN_ADDR,
internet_ipv4: IN_ADDR,
tunnel_ipv6: IN6_ADDR,
internet_ipv6: IN6_ADDR,
}
#[repr(C)]
#[derive(Clone, Copy)]
struct ConfigurationHeader {
// Number of entries immediately following the header.
num_entries: usize,
// Total byte length: header + entries + string buffer.
total_length: usize,
}
#[repr(C)]
#[derive(Clone, Copy)]
struct ConfigurationEntry {
// Offset into buffer region that follows all entries.
// The image name uses the physical path.
name_offset: usize,
// Byte length for non-null terminated wide char string.
name_length: u16,
}
/// Create a buffer containing a `ConfigurationHeader` and number of `ConfigurationEntry`s,
/// followed by the same number of paths to those entries.
fn make_process_config<T: AsRef<OsStr>>(apps: &[T]) -> Vec<MaybeUninit<u8>> {
let apps: Vec<Vec<u16>> = apps
.iter()
.map(|app| app.as_ref().encode_wide().collect())
.collect();
let total_string_size: usize = apps.iter().map(|app| size_of::<u16>() * app.len()).sum();
let total_buffer_size = size_of::<ConfigurationHeader>()
+ size_of::<ConfigurationEntry>() * apps.len()
+ total_string_size;
let mut buffer = Vec::<MaybeUninit<u8>>::new();
buffer.resize(total_buffer_size, MaybeUninit::new(0));
let (header, tail) = buffer.split_at_mut(size_of::<ConfigurationHeader>());
// Serialize configuration header
let header_struct = ConfigurationHeader {
num_entries: apps.len(),
total_length: total_buffer_size,
};
header.copy_from_slice(as_uninit_byte_slice(&header_struct));
// Serialize configuration entries and strings
let (entries, string_data) = tail.split_at_mut(apps.len() * size_of::<ConfigurationEntry>());
let mut string_offset = 0;
for (i, app) in apps.iter().enumerate() {
write_string_to_buffer(string_data, string_offset, app);
let app_bytelen = size_of::<u16>() * app.len();
let entry = ConfigurationEntry {
name_offset: string_offset,
name_length: app_bytelen as u16,
};
let entry_offset = size_of::<ConfigurationEntry>() * i;
entries[entry_offset..entry_offset + size_of::<ConfigurationEntry>()]
.copy_from_slice(as_uninit_byte_slice(&entry));
string_offset += app_bytelen;
}
buffer
}
#[derive(Debug)]
struct ProcessInfo {
pid: u32,
parent_pid: u32,
creation_time: u64,
device_path: Vec<u16>,
}
/// List process identifiers, their parents, and their device paths.
fn build_process_tree() -> io::Result<Vec<ProcessInfo>> {
let mut process_info = HashMap::new();
let snap = ProcessSnapshot::new(TH32CS_SNAPPROCESS, 0)?;
for entry in snap.processes() {
let entry = entry?;
let process = match open_process(ProcessAccess::QueryLimitedInformation, false, entry.pid) {
Ok(handle) => Ok(handle),
Err(error) => {
// Skip process objects that cannot be opened
match error.kind() {
// System process
io::ErrorKind::PermissionDenied => continue,
// System idle or csrss process
io::ErrorKind::InvalidInput => continue,
io::ErrorKind::Other => {
// Old rust lib maps INVALID_PARAMETER to "Other"
if error.raw_os_error() == Some(ERROR_INVALID_PARAMETER as i32) {
continue;
}
Err(error)
}
_ => Err(error),
}
}
}?;
// TODO: Skip objects whose paths or timestamps cannot be obtained?
process_info.insert(
entry.pid,
RefCell::new(ProcessInfo {
pid: entry.pid,
parent_pid: entry.parent_pid,
creation_time: get_process_creation_time(process.get_raw()).unwrap_or(0),
device_path: get_process_device_path(process.get_raw())
.unwrap_or(OsString::from(""))
.encode_wide()
.collect(),
}),
);
}
// Handle pid recycling
// If the "parent" is younger than the process itself, it is not our parent.
for info in process_info.values() {
let mut info = info.borrow_mut();
let parent_pid = info.parent_pid;
if parent_pid == 0 {
continue;
}
if let Some(parent_info) = process_info.get(&parent_pid) {
if parent_info.borrow_mut().creation_time > info.creation_time {
info.parent_pid = 0;
}
}
}
Ok(process_info
.into_values()
.map(|info| info.into_inner())
.collect())
}
#[derive(Clone, Copy)]
#[repr(C)]
struct ProcessRegistryHeader {
// Number of entries immediately following the header.
num_entries: usize,
// Total byte length: header + entries + string buffer.
total_length: usize,
}
#[derive(Clone, Copy)]
#[repr(C)]
struct ProcessRegistryEntry {
pid: RawHandle,
parent_pid: RawHandle,
// Image name offset (following the last entry).
image_name_offset: usize,
// Image name length.
image_name_size: u16,
}
fn serialize_process_tree(processes: Vec<ProcessInfo>) -> Result<Vec<MaybeUninit<u8>>, io::Error> {
// Construct a buffer:
// ProcessRegistryHeader
// ProcessRegistryEntry..
// Image names..
let total_string_size: usize = processes
.iter()
.map(|info| size_of::<u16>() * info.device_path.len())
.sum();
let total_buffer_size = size_of::<ProcessRegistryHeader>()
+ size_of::<ProcessRegistryEntry>() * processes.len()
+ total_string_size;
let mut buffer = Vec::new();
buffer.resize(total_buffer_size, MaybeUninit::new(0u8));
let (header, tail) = buffer.split_at_mut(size_of::<ProcessRegistryHeader>());
let header_struct = ProcessRegistryHeader {
num_entries: processes.len(),
total_length: total_buffer_size,
};
header.copy_from_slice(as_uninit_byte_slice(&header_struct));
let (entries, string_data) =
tail.split_at_mut(size_of::<ProcessRegistryEntry>() * processes.len());
let mut string_offset = 0;
for (i, entry) in processes.into_iter().enumerate() {
let mut out_entry = ProcessRegistryEntry {
pid: entry.pid as usize as RawHandle,
parent_pid: entry.parent_pid as usize as RawHandle,
image_name_size: 0,
image_name_offset: 0,
};
if !entry.device_path.is_empty() {
write_string_to_buffer(string_data, string_offset, &entry.device_path);
out_entry.image_name_size = (entry.device_path.len() * size_of::<u16>()) as u16;
out_entry.image_name_offset = string_offset;
string_offset += size_of::<u16>() * entry.device_path.len();
}
let entry_offset = size_of::<ProcessRegistryEntry>() * i;
entries[entry_offset..entry_offset + size_of::<ProcessRegistryEntry>()]
.copy_from_slice(as_uninit_byte_slice(&out_entry));
}
Ok(buffer)
}
#[repr(C)]
struct EventHeader {
event_id: EventId,
event_size: usize,
event_data: [u8; 0],
}
#[repr(C)]
struct SplittingEventHeader {
process_id: usize,
reason: u32,
image_name_length: u16,
image_name_data: [u16; 0],
}
#[repr(C)]
struct SplittingErrorEventHeader {
process_id: usize,
image_name_length: u16,
image_name_data: [u16; 0],
}
#[repr(C)]
struct ErrorMessageEventHeader {
status: NTSTATUS,
error_message_length: u16,
error_message_data: [u16; 0],
}
/// Parses an event returned by the ST driver.
///
/// # Panics
///
/// This may panic if `buffer` contains invalid data.
pub fn parse_event_buffer(buffer: &[u8]) -> Result<(EventId, EventBody), UnknownEventId> {
// SAFETY: This panics if `buffer` is too small.
let raw_event_id: u32 = unsafe { deserialize_buffer(&buffer[0..mem::size_of::<u32>()]) };
let _event_id = EventId::try_from(raw_event_id)?;
// SAFETY: The event id is known to be valid.
let event_header: EventHeader =
unsafe { deserialize_buffer(&buffer[0..offset_of!(EventHeader, event_data)]) };
let (_, buffer) = buffer.split_at(offset_of!(EventHeader, event_data));
match event_header.event_id {
EventId::StartSplittingProcess | EventId::StopSplittingProcess => {
// SAFETY: This will panic if the buffer is too small to contain the message.
let event: SplittingEventHeader = unsafe {
deserialize_buffer(&buffer[0..offset_of!(SplittingEventHeader, image_name_data)])
};
let string_byte_offset = offset_of!(SplittingEventHeader, image_name_data);
let image = buffer_to_osstring(
&buffer
[string_byte_offset..(string_byte_offset + event.image_name_length as usize)],
);
Ok((
event_header.event_id,
EventBody::SplittingEvent {
process_id: event.process_id,
reason: SplittingChangeReason::from_bits(event.reason).unwrap_or_else(|| {
log::error!("Dropping unknown bits from splitting change reason. Original reason: {:b}", event.reason);
SplittingChangeReason::from_bits_truncate(event.reason)
}),
image,
},
))
}
EventId::ErrorStartSplittingProcess | EventId::ErrorStopSplittingProcess => {
// SAFETY: This will panic if the buffer is too small to contain the message.
let event: SplittingErrorEventHeader = unsafe {
deserialize_buffer(
&buffer[0..offset_of!(SplittingErrorEventHeader, image_name_data)],
)
};
let string_byte_offset = offset_of!(SplittingErrorEventHeader, image_name_data);
let image = buffer_to_osstring(
&buffer
[string_byte_offset..(string_byte_offset + event.image_name_length as usize)],
);
Ok((
event_header.event_id,
EventBody::SplittingError {
process_id: event.process_id,
image,
},
))
}
EventId::ErrorMessage => {
// SAFETY: This will panic if the buffer is too small to contain the message.
let event: ErrorMessageEventHeader = unsafe {
deserialize_buffer(
&buffer[0..offset_of!(ErrorMessageEventHeader, error_message_data)],
)
};
let string_byte_offset = offset_of!(ErrorMessageEventHeader, error_message_data);
let message = buffer_to_osstring(
&buffer[string_byte_offset
..(string_byte_offset + event.error_message_length as usize)],
);
Ok((
event_header.event_id,
EventBody::ErrorMessage {
status: event.status,
message,
},
))
}
}
}
/// Send an IOCTL code to the given device handle, and wait for the result.
///
/// `input` specifies an optional buffer for sending data.
///
/// Upon success, a buffer containing at most `output_size` bytes is returned,
/// or `None` if no bytes were read.
pub fn device_io_control(
device: &DeviceHandle,
ioctl_code: u32,
input: Option<&[MaybeUninit<u8>]>,
output_size: u32,
) -> Result<Option<Vec<u8>>, io::Error> {
let mut overlapped = Overlapped::new(Some(Event::new(true, false)?))?;
let mut buffer = vec![];
let out_buffer = if output_size > 0 {
buffer.resize(
usize::try_from(output_size).expect("u32 must be no larger than usize"),
0u8,
);
Some(&mut buffer[..])
} else {
None
};
let bytes_read =
device_io_control_buffer(device, ioctl_code, input, out_buffer, &mut overlapped)?;
if bytes_read > 0 {
buffer.truncate(usize::try_from(bytes_read).expect("u32 must be no larger than usize"));
return Ok(Some(buffer));
}
Ok(None)
}
/// Send an IOCTL code to the given device handle, and wait for the result.
///
/// `input` specifies an optional buffer for sending data.
///
/// Upon success, `output` buffer will contain at most `output.len()` bytes of data,
/// and the function returns the number of bytes read.
///
/// # Panics
///
/// This function will panic if `overlapped` does not contain an event.
pub fn device_io_control_buffer(
device: &DeviceHandle,
ioctl_code: u32,
input: Option<&[MaybeUninit<u8>]>,
output: Option<&mut [u8]>,
overlapped: &mut Overlapped,
) -> Result<u32, io::Error> {
let output_len = output.as_ref().map(|output| output.len()).unwrap_or(0);
let output_len = u32::try_from(output_len).map_err(|_error| {
io::Error::new(
io::ErrorKind::InvalidInput,
"the output buffer is too large",
)
})?;
let out_ptr = match output {
Some(output) => output as *mut _ as *mut _,
None => ptr::null_mut(),
};
// SAFETY: `out_ptr` will be valid until the result has been obtained.
unsafe {
device_io_control_buffer_async(
device,
ioctl_code,
input,
out_ptr,
output_len,
overlapped.as_mut_ptr(),
)?;
}
get_overlapped_result(device, overlapped)
}
/// Send an IOCTL code to the given device handle.
///
/// `input` specifies an optional buffer for sending data.
/// `output_ptr` specifies an optional buffer for receiving data.
///
/// Obtain the result using [get_overlapped_result].
///
/// # Safety
///
/// * `output_ptr` must either be null or a valid buffer of `output_len` bytes. It must remain valid
/// until the overlapped operation has completed.
pub unsafe fn device_io_control_buffer_async(
device: &DeviceHandle,
ioctl_code: u32,
input: Option<&[MaybeUninit<u8>]>,
output_ptr: *mut u8,
output_len: u32,
overlapped: *mut OVERLAPPED,
) -> Result<(), io::Error> {
let input_ptr = match input {
Some(input) => input.as_ptr() as *mut _,
None => ptr::null_mut(),
};
let input_len = input.map(|input| input.len()).unwrap_or(0);
let result = unsafe {
DeviceIoControl(
device.as_raw_handle() as HANDLE,
ioctl_code,
input_ptr,
u32::try_from(input_len).map_err(|_error| {
io::Error::new(io::ErrorKind::InvalidInput, "the input buffer is too large")
})?,
output_ptr as *mut _,
output_len,
ptr::null_mut(),
overlapped,
)
};
if result != 0 {
return Err(io::Error::new(
io::ErrorKind::Other,
"Expected pending operation",
));
}
let last_error = io::Error::last_os_error();
if last_error.raw_os_error() != Some(ERROR_IO_PENDING as i32) {
return Err(last_error);
}
Ok(())
}
/// Retrieves the result of an overlapped operation. On success, this returns
/// the number of bytes transferred. For device I/O, this is the number of bytes
/// written to the output buffer.
///
/// # Panics
///
/// This function will panic if `overlapped` does not contain an event.
pub fn get_overlapped_result(
device: &DeviceHandle,
overlapped: &mut Overlapped,
) -> io::Result<u32> {
let event = overlapped.get_event().unwrap();
// SAFETY: This is a valid event object.
unsafe { wait_for_single_object(event.as_raw(), None) }?;
// SAFETY: The handle and overlapped object are valid.
let mut returned_bytes = 0u32;
let result = unsafe {
GetOverlappedResult(
device.as_raw_handle() as HANDLE,
overlapped.as_mut_ptr(),
&mut returned_bytes,
0,
)
};
if result == 0 {
return Err(io::Error::last_os_error());
}
Ok(returned_bytes)
}
/// Waits for an object to be signaled, or until a timeout interval has elapsed.
///
/// # Safety
///
/// * `object` must be a valid object that can be signaled, such as an event object.
pub unsafe fn wait_for_single_object(object: HANDLE, timeout: Option<Duration>) -> io::Result<()> {
let timeout = match timeout {
Some(timeout) => u32::try_from(timeout.as_millis()).map_err(|_error| {
io::Error::new(io::ErrorKind::InvalidInput, "the duration is too long")
})?,
None => INFINITE,
};
let result = unsafe { WaitForSingleObject(object, timeout) };
match result {
WAIT_OBJECT_0 => Ok(()),
WAIT_FAILED => Err(io::Error::last_os_error()),
WAIT_ABANDONED => Err(io::Error::new(io::ErrorKind::Other, "abandoned mutex")),
error => Err(io::Error::from_raw_os_error(error as i32)),
}
}
/// Waits for one or several objects to be signaled. On success, this returns a pointer to an
/// object in `objects` that was signaled.
///
/// # Safety
///
/// * `objects` must be a slice of valid objects that can be signaled, such as event objects.
pub unsafe fn wait_for_multiple_objects(objects: &[HANDLE], wait_all: bool) -> io::Result<HANDLE> {
unsafe {
let objects_len = u32::try_from(objects.len())
.map_err(|_error| io::Error::new(io::ErrorKind::InvalidInput, "too many objects"))?;
let result = WaitForMultipleObjects(
objects_len,
objects.as_ptr(),
if wait_all { 1 } else { 0 },
INFINITE,
);
let signaled_index = if result < objects_len {
result
} else if result >= WAIT_ABANDONED_0 && result < WAIT_ABANDONED_0 + objects_len {
return Err(io::Error::new(io::ErrorKind::Other, "abandoned mutex"));
} else {
return Err(io::Error::last_os_error());
};
Ok(objects[usize::try_from(signaled_index).expect("usize must be larger than u32")])
}
}
/// Reads the value from `buffer`, zeroing any remaining bytes.
///
/// # Safety
///
/// The caller must ensure that `T` is initialized by the byte buffer.
///
/// # Panics
///
/// This panics if `buffer` is larger than `T`.
unsafe fn deserialize_buffer<T>(buffer: &[u8]) -> T {
assert!(buffer.len() <= mem::size_of::<T>());
let mut instance = MaybeUninit::zeroed();
unsafe {
ptr::copy_nonoverlapping(
buffer.as_ptr(),
instance.as_mut_ptr() as *mut u8,
buffer.len(),
);
instance.assume_init()
}
}
fn buffer_to_osstring(buffer: &[u8]) -> OsString {
let mut out_buf = vec![0u16; (buffer.len() + 1) / mem::size_of::<u16>()];
// SAFETY: `out_buf` contains enough bytes to store all of `buffer`.
unsafe {
ptr::copy_nonoverlapping(
buffer as *const _ as *const u16,
out_buf.as_mut_ptr(),
out_buf.len(),
)
};
OsStringExt::from_wide(&out_buf)
}
/// Inserts a string into `buffer` at a given `byte_offset`.
///
/// # Panics