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
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
|
// SPDX-License-Identifier: GPL-2.0-only OR MIT
//! Top-level GPU manager
//!
//! This module is the root of all GPU firmware management for a given driver instance. It is
//! responsible for initialization, owning the top-level managers (events, UAT, etc.), and
//! communicating with the raw RtKit endpoints to send and receive messages to/from the GPU
//! firmware.
//!
//! It is also the point where diverging driver firmware/GPU variants (using the versions macro)
//! are unified, so that the top level of the driver itself (in `driver`) does not have to concern
//! itself with version dependence.
use core::any::Any;
use core::sync::atomic::{AtomicBool, AtomicU64, Ordering};
use core::time::Duration;
use kernel::{
delay::coarse_sleep,
error::code::*,
macros::versions,
prelude::*,
soc::apple::rtkit,
sync::{smutex::Mutex, Arc, Guard, UniqueArc},
time,
types::ForeignOwnable,
};
use crate::alloc::Allocator;
use crate::box_in_place;
use crate::debug::*;
use crate::driver::AsahiDevice;
use crate::fw::channels::PipeType;
use crate::fw::types::U64;
use crate::{
alloc, buffer, channel, event, fw, gem, hw, initdata, mem, mmu, queue, regs, workqueue,
};
const DEBUG_CLASS: DebugFlags = DebugFlags::Gpu;
/// Firmware endpoint for init & incoming notifications.
const EP_FIRMWARE: u8 = 0x20;
/// Doorbell endpoint for work/message submissions.
const EP_DOORBELL: u8 = 0x21;
/// Initialize the GPU firmware.
const MSG_INIT: u64 = 0x81 << 48;
const INIT_DATA_MASK: u64 = (1 << 44) - 1;
/// TX channel doorbell.
const MSG_TX_DOORBELL: u64 = 0x83 << 48;
/// Firmware control channel doorbell.
const MSG_FWCTL: u64 = 0x84 << 48;
// /// Halt the firmware (?).
// const MSG_HALT: u64 = 0x85 << 48;
/// Receive channel doorbell notification.
const MSG_RX_DOORBELL: u64 = 0x42 << 48;
/// Doorbell number for firmware kicks/wakeups.
const DOORBELL_KICKFW: u64 = 0x10;
/// Doorbell number for device control channel kicks.
const DOORBELL_DEVCTRL: u64 = 0x11;
// Upper kernel half VA address ranges.
/// Private (cached) firmware structure VA range base.
const IOVA_KERN_PRIV_BASE: u64 = 0xffffffa000000000;
/// Private (cached) firmware structure VA range top.
const IOVA_KERN_PRIV_TOP: u64 = 0xffffffa7ffffffff;
/// Shared (uncached) firmware structure VA range base.
const IOVA_KERN_SHARED_BASE: u64 = 0xffffffa800000000;
/// Shared (uncached) firmware structure VA range top.
const IOVA_KERN_SHARED_TOP: u64 = 0xffffffa9ffffffff;
/// Shared (uncached) read-only firmware structure VA range base.
const IOVA_KERN_SHARED_RO_BASE: u64 = 0xffffffaa00000000;
/// Shared (uncached) read-only firmware structure VA range top.
const IOVA_KERN_SHARED_RO_TOP: u64 = 0xffffffabffffffff;
/// GPU/FW shared structure VA range base.
const IOVA_KERN_GPU_BASE: u64 = 0xffffffaf00000000;
/// GPU/FW shared structure VA range top.
const IOVA_KERN_GPU_TOP: u64 = 0xffffffafffffffff;
/// Timeout for entering the halt state after a fault or request.
const HALT_ENTER_TIMEOUT_MS: u64 = 100;
/// Global allocators used for kernel-half structures.
pub(crate) struct KernelAllocators {
pub(crate) private: alloc::DefaultAllocator,
pub(crate) shared: alloc::DefaultAllocator,
pub(crate) shared_ro: alloc::DefaultAllocator,
pub(crate) gpu: alloc::DefaultAllocator,
}
/// Receive (GPU->driver) ring buffer channels.
#[versions(AGX)]
struct RxChannels {
event: channel::EventChannel,
fw_log: channel::FwLogChannel,
ktrace: channel::KTraceChannel,
stats: channel::StatsChannel::ver,
}
/// GPU work submission pipe channels (driver->GPU).
#[versions(AGX)]
struct PipeChannels {
pub(crate) vtx: Vec<Mutex<channel::PipeChannel::ver>>,
pub(crate) frag: Vec<Mutex<channel::PipeChannel::ver>>,
pub(crate) comp: Vec<Mutex<channel::PipeChannel::ver>>,
}
/// Misc command transmit (driver->GPU) channels.
#[versions(AGX)]
struct TxChannels {
pub(crate) device_control: channel::DeviceControlChannel::ver,
}
/// Number of work submission pipes per type, one for each priority level.
const NUM_PIPES: usize = 4;
/// A generic monotonically incrementing ID used to uniquely identify object instances within the
/// driver.
pub(crate) struct ID(AtomicU64);
impl ID {
/// Create a new ID counter with a given value.
fn new(val: u64) -> ID {
ID(AtomicU64::new(val))
}
/// Fetch the next unique ID.
pub(crate) fn next(&self) -> u64 {
self.0.fetch_add(1, Ordering::Relaxed)
}
}
impl Default for ID {
/// IDs default to starting at 2, as 0/1 are considered reserved for the system.
fn default() -> Self {
Self::new(2)
}
}
/// A guard representing one active submission on the GPU. When dropped, decrements the active
/// submission count.
pub(crate) struct OpGuard(Arc<dyn GpuManagerPriv>);
impl Drop for OpGuard {
fn drop(&mut self) {
self.0.end_op();
}
}
/// Set of global sequence IDs used in the driver.
#[derive(Default)]
pub(crate) struct SequenceIDs {
/// `File` instance ID.
pub(crate) file: ID,
/// `Vm` instance ID.
pub(crate) vm: ID,
/// Submission instance ID.
pub(crate) submission: ID,
/// `Queue` instance ID.
pub(crate) queue: ID,
}
/// Top-level GPU manager that owns all the global state relevant to the driver instance.
#[versions(AGX)]
pub(crate) struct GpuManager {
dev: AsahiDevice,
cfg: &'static hw::HwConfig,
dyncfg: Box<hw::DynConfig>,
pub(crate) initdata: Box<fw::types::GpuObject<fw::initdata::InitData::ver>>,
uat: Box<mmu::Uat>,
crashed: AtomicBool,
alloc: Mutex<KernelAllocators>,
io_mappings: Vec<mmu::Mapping>,
rtkit: Mutex<Option<Box<rtkit::RtKit<GpuManager::ver>>>>,
rx_channels: Mutex<Box<RxChannels::ver>>,
tx_channels: Mutex<Box<TxChannels::ver>>,
fwctl_channel: Mutex<Box<channel::FwCtlChannel>>,
pipes: PipeChannels::ver,
event_manager: Arc<event::EventManager>,
buffer_mgr: buffer::BufferManager,
ids: SequenceIDs,
}
/// Trait used to abstract the firmware/GPU-dependent variants of the GpuManager.
pub(crate) trait GpuManager: Send + Sync {
/// Cast as an Any type.
fn as_any(&self) -> &dyn Any;
/// Cast Arc<Self> as an Any type.
fn arc_as_any(self: Arc<Self>) -> Arc<dyn Any + Sync + Send>;
/// Initialize the GPU.
fn init(&self) -> Result;
/// Update the GPU globals from global info
///
/// TODO: Unclear what can and cannot be updated like this.
fn update_globals(&self);
/// Get a reference to the KernelAllocators.
fn alloc(&self) -> Guard<'_, Mutex<KernelAllocators>>;
/// Create a new `Vm` given a unique `File` ID.
fn new_vm(&self, file_id: u64) -> Result<mmu::Vm>;
/// Bind a `Vm` to an available slot and return the `VmBind`.
fn bind_vm(&self, vm: &mmu::Vm) -> Result<mmu::VmBind>;
/// Create a new user command queue.
fn new_queue(
&self,
vm: mmu::Vm,
ualloc: Arc<Mutex<alloc::DefaultAllocator>>,
ualloc_priv: Arc<Mutex<alloc::DefaultAllocator>>,
priority: u32,
caps: u32,
) -> Result<Box<dyn queue::Queue>>;
/// Return a reference to the global `SequenceIDs` instance.
fn ids(&self) -> &SequenceIDs;
/// Kick the firmware (wake it up if asleep).
///
/// This should be useful to reduce latency on work submission, so we can ask the firmware to
/// wake up while we do some preparatory work for the work submission.
fn kick_firmware(&self) -> Result;
/// Invalidate a GPU scheduler context. Must be called before the relevant structures are freed.
fn invalidate_context(
&self,
context: &fw::types::GpuObject<fw::workqueue::GpuContextData>,
) -> Result;
/// Flush the entire firmware cache.
///
/// TODO: Does this actually work?
fn flush_fw_cache(&self) -> Result;
/// Handle a GPU work timeout event.
fn handle_timeout(&self, counter: u32, event_slot: u32);
/// Handle a GPU fault event.
fn handle_fault(&self);
/// Wait for the GPU to become idle and power off.
fn wait_for_poweroff(&self, timeout: usize) -> Result;
/// Send a firmware control command (secure cache flush).
fn fwctl(&self, msg: fw::channels::FwCtlMsg) -> Result;
/// Get the static GPU configuration for this SoC.
fn get_cfg(&self) -> &'static hw::HwConfig;
/// Get the dynamic GPU configuration for this SoC.
fn get_dyncfg(&self) -> &hw::DynConfig;
}
/// Private generic trait for functions that don't need to escape this module.
trait GpuManagerPriv {
/// Decrement the pending submission counter.
fn end_op(&self);
}
#[versions(AGX)]
#[vtable]
impl rtkit::Operations for GpuManager::ver {
type Data = Arc<GpuManager::ver>;
type Buffer = gem::ObjectRef;
fn recv_message(data: <Self::Data as ForeignOwnable>::Borrowed<'_>, ep: u8, msg: u64) {
let dev = &data.dev;
//dev_info!(dev, "RtKit message: {:#x}:{:#x}\n", ep, msg);
if ep != EP_FIRMWARE || msg != MSG_RX_DOORBELL {
dev_err!(dev, "Unknown message: {:#x}:{:#x}\n", ep, msg);
return;
}
let mut ch = data.rx_channels.lock();
ch.fw_log.poll();
ch.ktrace.poll();
ch.stats.poll();
ch.event.poll();
}
fn crashed(data: <Self::Data as ForeignOwnable>::Borrowed<'_>) {
let dev = &data.dev;
dev_err!(dev, "GPU firmware crashed, failing all jobs\n");
data.crashed.store(true, Ordering::Relaxed);
data.event_manager.fail_all(workqueue::WorkError::NoDevice);
}
fn shmem_alloc(
data: <Self::Data as ForeignOwnable>::Borrowed<'_>,
size: usize,
) -> Result<Self::Buffer> {
let dev = &data.dev;
mod_dev_dbg!(dev, "shmem_alloc() {:#x} bytes\n", size);
let mut obj = gem::new_kernel_object(dev, size)?;
obj.vmap()?;
let iova = obj.map_into(data.uat.kernel_vm())?;
mod_dev_dbg!(dev, "shmem_alloc() -> VA {:#x}\n", iova);
Ok(obj)
}
}
#[versions(AGX)]
impl GpuManager::ver {
/// Create a new GpuManager of this version/GPU combination.
#[inline(never)]
pub(crate) fn new(
dev: &AsahiDevice,
res: ®s::Resources,
cfg: &'static hw::HwConfig,
) -> Result<Arc<GpuManager::ver>> {
let uat = Self::make_uat(dev, cfg)?;
let dyncfg = Self::make_dyncfg(dev, res, cfg, &uat)?;
let mut alloc = KernelAllocators {
private: alloc::DefaultAllocator::new(
dev,
uat.kernel_vm(),
IOVA_KERN_PRIV_BASE,
IOVA_KERN_PRIV_TOP,
0x80,
mmu::PROT_FW_PRIV_RW,
1024 * 1024,
true,
fmt!("Kernel Private"),
true,
)?,
shared: alloc::DefaultAllocator::new(
dev,
uat.kernel_vm(),
IOVA_KERN_SHARED_BASE,
IOVA_KERN_SHARED_TOP,
0x80,
mmu::PROT_FW_SHARED_RW,
1024 * 1024,
true,
fmt!("Kernel Shared"),
false,
)?,
shared_ro: alloc::DefaultAllocator::new(
dev,
uat.kernel_vm(),
IOVA_KERN_SHARED_RO_BASE,
IOVA_KERN_SHARED_RO_TOP,
0x80,
mmu::PROT_FW_SHARED_RO,
64 * 1024,
true,
fmt!("Kernel RO Shared"),
false,
)?,
gpu: alloc::DefaultAllocator::new(
dev,
uat.kernel_vm(),
IOVA_KERN_GPU_BASE,
IOVA_KERN_GPU_TOP,
0x80,
mmu::PROT_GPU_FW_SHARED_RW,
64 * 1024,
true,
fmt!("Kernel GPU Shared"),
false,
)?,
};
let event_manager = Self::make_event_manager(&mut alloc)?;
let initdata = Self::make_initdata(cfg, &dyncfg, &mut alloc)?;
let mut mgr = Self::make_mgr(dev, cfg, dyncfg, uat, alloc, event_manager, initdata)?;
{
let fwctl = mgr.fwctl_channel.lock();
let p_fwctl = fwctl.to_raw();
core::mem::drop(fwctl);
mgr.initdata.fw_status.with_mut(|raw, _inner| {
raw.fwctl_channel = p_fwctl;
});
}
{
let txc = mgr.tx_channels.lock();
let p_device_control = txc.device_control.to_raw();
core::mem::drop(txc);
let rxc = mgr.rx_channels.lock();
let p_event = rxc.event.to_raw();
let p_fw_log = rxc.fw_log.to_raw();
let p_ktrace = rxc.ktrace.to_raw();
let p_stats = rxc.stats.to_raw();
let p_fwlog_buf = rxc.fw_log.get_buf();
core::mem::drop(rxc);
mgr.initdata.runtime_pointers.with_mut(|raw, _inner| {
raw.device_control = p_device_control;
raw.event = p_event;
raw.fw_log = p_fw_log;
raw.ktrace = p_ktrace;
raw.stats = p_stats;
raw.fwlog_buf = Some(p_fwlog_buf);
});
}
let mut p_pipes: Vec<fw::initdata::raw::PipeChannels::ver> = Vec::new();
for ((v, f), c) in mgr
.pipes
.vtx
.iter()
.zip(&mgr.pipes.frag)
.zip(&mgr.pipes.comp)
{
p_pipes.try_push(fw::initdata::raw::PipeChannels::ver {
vtx: v.lock().to_raw(),
frag: f.lock().to_raw(),
comp: c.lock().to_raw(),
})?;
}
mgr.initdata.runtime_pointers.with_mut(|raw, _inner| {
for (i, p) in p_pipes.into_iter().enumerate() {
raw.pipes[i].vtx = p.vtx;
raw.pipes[i].frag = p.frag;
raw.pipes[i].comp = p.comp;
}
});
for (i, map) in cfg.io_mappings.iter().enumerate() {
if let Some(map) = map.as_ref() {
mgr.iomap(i, map)?;
}
}
let mgr = Arc::from(mgr);
let rtkit = Box::try_new(rtkit::RtKit::<GpuManager::ver>::new(
dev,
None,
0,
mgr.clone(),
)?)?;
*mgr.rtkit.lock() = Some(rtkit);
{
let mut rxc = mgr.rx_channels.lock();
rxc.event.set_manager(mgr.clone());
}
Ok(mgr)
}
/// Build the entire GPU InitData structure tree and return it as a boxed GpuObject.
fn make_initdata(
cfg: &'static hw::HwConfig,
dyncfg: &hw::DynConfig,
alloc: &mut KernelAllocators,
) -> Result<Box<fw::types::GpuObject<fw::initdata::InitData::ver>>> {
let mut builder = initdata::InitDataBuilder::ver::new(alloc, cfg, dyncfg);
builder.build()
}
/// Create a fresh boxed Uat instance.
///
/// Force disable inlining to avoid blowing up the stack.
#[inline(never)]
fn make_uat(dev: &AsahiDevice, cfg: &'static hw::HwConfig) -> Result<Box<mmu::Uat>> {
Ok(Box::try_new(mmu::Uat::new(dev, cfg)?)?)
}
/// Actually create the final GpuManager instance, as a UniqueArc.
///
/// Force disable inlining to avoid blowing up the stack.
#[inline(never)]
fn make_mgr(
dev: &AsahiDevice,
cfg: &'static hw::HwConfig,
dyncfg: Box<hw::DynConfig>,
uat: Box<mmu::Uat>,
mut alloc: KernelAllocators,
event_manager: Arc<event::EventManager>,
initdata: Box<fw::types::GpuObject<fw::initdata::InitData::ver>>,
) -> Result<UniqueArc<GpuManager::ver>> {
let mut pipes = PipeChannels::ver {
vtx: Vec::new(),
frag: Vec::new(),
comp: Vec::new(),
};
for _i in 0..=NUM_PIPES - 1 {
pipes
.vtx
.try_push(Mutex::new(channel::PipeChannel::ver::new(dev, &mut alloc)?))?;
pipes
.frag
.try_push(Mutex::new(channel::PipeChannel::ver::new(dev, &mut alloc)?))?;
pipes
.comp
.try_push(Mutex::new(channel::PipeChannel::ver::new(dev, &mut alloc)?))?;
}
UniqueArc::try_new(GpuManager::ver {
dev: dev.clone(),
cfg,
dyncfg,
initdata,
uat,
io_mappings: Vec::new(),
rtkit: Mutex::new(None),
crashed: AtomicBool::new(false),
rx_channels: Mutex::new(box_in_place!(RxChannels::ver {
event: channel::EventChannel::new(dev, &mut alloc, event_manager.clone())?,
fw_log: channel::FwLogChannel::new(dev, &mut alloc)?,
ktrace: channel::KTraceChannel::new(dev, &mut alloc)?,
stats: channel::StatsChannel::ver::new(dev, &mut alloc)?,
})?),
tx_channels: Mutex::new(Box::try_new(TxChannels::ver {
device_control: channel::DeviceControlChannel::ver::new(dev, &mut alloc)?,
})?),
fwctl_channel: Mutex::new(Box::try_new(channel::FwCtlChannel::new(dev, &mut alloc)?)?),
pipes,
event_manager,
buffer_mgr: buffer::BufferManager::new()?,
alloc: Mutex::new(alloc),
ids: Default::default(),
})
}
/// Fetch and validate the GPU dynamic configuration from the device tree and hardware.
///
/// Force disable inlining to avoid blowing up the stack.
#[inline(never)]
fn make_dyncfg(
dev: &AsahiDevice,
res: ®s::Resources,
cfg: &'static hw::HwConfig,
uat: &mmu::Uat,
) -> Result<Box<hw::DynConfig>> {
let gpu_id = res.get_gpu_id()?;
dev_info!(dev, "GPU Information:\n");
dev_info!(
dev,
" Type: {:?}{:?}\n",
gpu_id.gpu_gen,
gpu_id.gpu_variant
);
dev_info!(dev, " Max dies: {}\n", gpu_id.max_dies);
dev_info!(dev, " Clusters: {}\n", gpu_id.num_clusters);
dev_info!(
dev,
" Cores: {} ({})\n",
gpu_id.num_cores,
gpu_id.num_cores * gpu_id.num_clusters
);
dev_info!(
dev,
" Frags: {} ({})\n",
gpu_id.num_frags,
gpu_id.num_frags * gpu_id.num_clusters
);
dev_info!(
dev,
" GPs: {} ({})\n",
gpu_id.num_gps,
gpu_id.num_gps * gpu_id.num_clusters
);
dev_info!(dev, " Core masks: {:#x?}\n", gpu_id.core_masks);
dev_info!(dev, " Active cores: {}\n", gpu_id.total_active_cores);
dev_info!(dev, "Getting configuration from device tree...\n");
let pwr_cfg = hw::PwrConfig::load(dev, cfg)?;
dev_info!(dev, "Dynamic configuration fetched\n");
if gpu_id.gpu_gen != cfg.gpu_gen || gpu_id.gpu_variant != cfg.gpu_variant {
dev_err!(
dev,
"GPU type mismatch (expected {:?}{:?}, found {:?}{:?})\n",
cfg.gpu_gen,
cfg.gpu_variant,
gpu_id.gpu_gen,
gpu_id.gpu_variant
);
return Err(EIO);
}
if gpu_id.num_clusters > cfg.max_num_clusters {
dev_err!(
dev,
"Too many clusters ({} > {})\n",
gpu_id.num_clusters,
cfg.max_num_clusters
);
return Err(EIO);
}
if gpu_id.num_cores > cfg.max_num_cores {
dev_err!(
dev,
"Too many cores ({} > {})\n",
gpu_id.num_cores,
cfg.max_num_cores
);
return Err(EIO);
}
if gpu_id.num_frags > cfg.max_num_frags {
dev_err!(
dev,
"Too many frags ({} > {})\n",
gpu_id.num_frags,
cfg.max_num_frags
);
return Err(EIO);
}
if gpu_id.num_gps > cfg.max_num_gps {
dev_err!(
dev,
"Too many GPs ({} > {})\n",
gpu_id.num_gps,
cfg.max_num_gps
);
return Err(EIO);
}
Ok(Box::try_new(hw::DynConfig {
pwr: pwr_cfg,
uat_ttb_base: uat.ttb_base(),
id: gpu_id,
})?)
}
/// Create the global GPU event manager, and return an `Arc<>` to it.
fn make_event_manager(alloc: &mut KernelAllocators) -> Result<Arc<event::EventManager>> {
Arc::try_new(event::EventManager::new(alloc)?)
}
/// Create a new MMIO mapping and add it to the mappings list in initdata at the specified
/// index.
fn iomap(&mut self, index: usize, map: &hw::IOMapping) -> Result {
let off = map.base & mmu::UAT_PGMSK;
let base = map.base - off;
let end = (map.base + map.size + mmu::UAT_PGMSK) & !mmu::UAT_PGMSK;
let mapping = self
.uat
.kernel_vm()
.map_io(base, end - base, map.writable)?;
self.initdata.runtime_pointers.hwdata_b.with_mut(|raw, _| {
raw.io_mappings[index] = fw::initdata::raw::IOMapping {
phys_addr: U64(map.base as u64),
virt_addr: U64((mapping.iova() + off) as u64),
size: map.size as u32,
range_size: map.range_size as u32,
readwrite: U64(map.writable as u64),
};
});
self.io_mappings.try_push(mapping)?;
Ok(())
}
/// Mark work associated with currently in-progress event slots as failed, after a fault or
/// timeout.
fn mark_pending_events(&self, culprit_slot: Option<u32>, error: workqueue::WorkError) {
dev_err!(self.dev, " Pending events:\n");
self.initdata.globals.with(|raw, _inner| {
for i in raw.pending_stamps.iter() {
let info = i.info.load(Ordering::Relaxed);
let wait_value = i.wait_value.load(Ordering::Relaxed);
if info & 1 != 0 {
let slot = info >> 3;
let flags = info & 0x7;
dev_err!(
self.dev,
" [{}] flags={} value={:#x}\n",
slot,
flags,
wait_value
);
let error = if culprit_slot.is_some() && culprit_slot != Some(slot) {
workqueue::WorkError::Killed
} else {
error
};
self.event_manager.mark_error(slot, wait_value, error);
i.info.store(0, Ordering::Relaxed);
i.wait_value.store(0, Ordering::Relaxed);
}
}
});
}
/// Fetch the GPU MMU fault information from the hardware registers.
fn get_fault_info(&self) -> Option<regs::FaultInfo> {
let data = self.dev.data();
let res = match data.resources() {
Some(res) => res,
None => {
dev_err!(self.dev, " Failed to acquire resources\n");
return None;
}
};
let info = res.get_fault_info();
if info.is_some() {
dev_err!(self.dev, " Fault info: {:#x?}\n", info.as_ref().unwrap());
}
info
}
/// Resume the GPU firmware after it halts (due to a timeout, fault, or request).
fn recover(&self) {
self.initdata.fw_status.with(|raw, _inner| {
let halt_count = raw.flags.halt_count.load(Ordering::Relaxed);
let mut halted = raw.flags.halted.load(Ordering::Relaxed);
dev_err!(self.dev, " Halt count: {}\n", halt_count);
dev_err!(self.dev, " Halted: {}\n", halted);
if halted == 0 {
let timeout = time::ktime_get() + Duration::from_millis(HALT_ENTER_TIMEOUT_MS);
while time::ktime_get() < timeout {
halted = raw.flags.halted.load(Ordering::Relaxed);
if halted != 0 {
break;
}
mem::sync();
}
halted = raw.flags.halted.load(Ordering::Relaxed);
}
if debug_enabled(DebugFlags::NoGpuRecovery) {
dev_crit!(self.dev, " GPU recovery is disabled, wedging forever!\n");
} else if halted != 0 {
dev_err!(self.dev, " Attempting recovery...\n");
raw.flags.halted.store(0, Ordering::SeqCst);
raw.flags.resume.store(1, Ordering::SeqCst);
} else {
dev_err!(self.dev, " Cannot recover.\n");
}
});
}
/// Return the packed GPU enabled core masks.
// Only used for some versions
#[allow(dead_code)]
pub(crate) fn core_masks_packed(&self) -> &[u32] {
self.dyncfg.id.core_masks_packed.as_slice()
}
/// Kick a submission pipe for a submitted job to tell the firmware to start processing it.
pub(crate) fn run_job(&self, job: workqueue::JobSubmission::ver<'_>) -> Result {
mod_dev_dbg!(self.dev, "GPU: run_job\n");
let pipe_type = job.pipe_type();
mod_dev_dbg!(self.dev, "GPU: run_job: pipe_type={:?}\n", pipe_type);
let pipes = match pipe_type {
PipeType::Vertex => &self.pipes.vtx,
PipeType::Fragment => &self.pipes.frag,
PipeType::Compute => &self.pipes.comp,
};
let index: usize = job.priority() as usize;
let mut pipe = pipes.get(index).ok_or(EIO)?.lock();
mod_dev_dbg!(self.dev, "GPU: run_job: run()\n");
job.run(&mut pipe);
mod_dev_dbg!(self.dev, "GPU: run_job: ring doorbell\n");
let mut guard = self.rtkit.lock();
let rtk = guard.as_mut().unwrap();
rtk.send_message(
EP_DOORBELL,
MSG_TX_DOORBELL | pipe_type as u64 | ((index as u64) << 2),
)?;
mod_dev_dbg!(self.dev, "GPU: run_job: done\n");
Ok(())
}
pub(crate) fn is_crashed(&self) -> bool {
self.crashed.load(Ordering::Relaxed)
}
pub(crate) fn start_op(self: &Arc<GpuManager::ver>) -> Result<OpGuard> {
if self.is_crashed() {
return Err(ENODEV);
}
let val = self
.initdata
.globals
.with(|raw, _inner| raw.pending_submissions.fetch_add(1, Ordering::Acquire));
mod_dev_dbg!(self.dev, "OP start (pending: {})\n", val + 1);
self.kick_firmware()?;
Ok(OpGuard(self.clone()))
}
}
#[versions(AGX)]
impl GpuManager for GpuManager::ver {
fn as_any(&self) -> &dyn Any {
self
}
fn arc_as_any(self: Arc<Self>) -> Arc<dyn Any + Sync + Send> {
self as Arc<dyn Any + Sync + Send>
}
fn init(&self) -> Result {
self.tx_channels.lock().device_control.send(
&fw::channels::DeviceControlMsg::ver::Initialize(Default::default()),
);
let initdata = self.initdata.gpu_va().get();
let mut guard = self.rtkit.lock();
let rtk = guard.as_mut().unwrap();
rtk.boot()?;
rtk.start_endpoint(EP_FIRMWARE)?;
rtk.start_endpoint(EP_DOORBELL)?;
rtk.send_message(EP_FIRMWARE, MSG_INIT | (initdata & INIT_DATA_MASK))?;
rtk.send_message(EP_DOORBELL, MSG_TX_DOORBELL | DOORBELL_DEVCTRL)?;
core::mem::drop(guard);
self.kick_firmware()?;
Ok(())
}
fn update_globals(&self) {
let mut timeout: u32 = 2;
if debug_enabled(DebugFlags::WaitForPowerOff) {
timeout = 0;
} else if debug_enabled(DebugFlags::KeepGpuPowered) {
timeout = 5000;
}
self.initdata.globals.with(|raw, _inner| {
raw.idle_off_delay_ms.store(timeout, Ordering::Relaxed);
});
}
fn alloc(&self) -> Guard<'_, Mutex<KernelAllocators>> {
let mut guard = self.alloc.lock();
let (garbage_count, garbage_bytes) = guard.private.garbage();
if garbage_bytes > 1024 * 1024 {
mod_dev_dbg!(
self.dev,
"Collecting kalloc garbage ({} objects, {} bytes)\n",
garbage_count,
garbage_bytes
);
if self.flush_fw_cache().is_err() {
dev_err!(self.dev, "Failed to flush FW cache\n");
} else {
guard.private.collect_garbage(garbage_count);
}
}
guard
}
fn new_vm(&self, file_id: u64) -> Result<mmu::Vm> {
self.uat.new_vm(self.ids.vm.next(), file_id)
}
fn bind_vm(&self, vm: &mmu::Vm) -> Result<mmu::VmBind> {
self.uat.bind(vm)
}
fn new_queue(
&self,
vm: mmu::Vm,
ualloc: Arc<Mutex<alloc::DefaultAllocator>>,
ualloc_priv: Arc<Mutex<alloc::DefaultAllocator>>,
priority: u32,
caps: u32,
) -> Result<Box<dyn queue::Queue>> {
let mut kalloc = self.alloc();
let id = self.ids.queue.next();
Ok(Box::try_new(queue::Queue::ver::new(
&self.dev,
vm,
&mut kalloc,
ualloc,
ualloc_priv,
self.event_manager.clone(),
&self.buffer_mgr,
id,
priority,
caps,
)?)?)
}
fn kick_firmware(&self) -> Result {
if self.is_crashed() {
return Err(ENODEV);
}
let mut guard = self.rtkit.lock();
let rtk = guard.as_mut().unwrap();
rtk.send_message(EP_DOORBELL, MSG_TX_DOORBELL | DOORBELL_KICKFW)?;
Ok(())
}
fn invalidate_context(
&self,
context: &fw::types::GpuObject<fw::workqueue::GpuContextData>,
) -> Result {
mod_dev_dbg!(
self.dev,
"Invalidating GPU context @ {:?}\n",
context.weak_pointer()
);
if self.is_crashed() {
return Err(ENODEV);
}
let mut guard = self.alloc.lock();
let (garbage_count, _) = guard.private.garbage();
let dc = context.with(
|raw, _inner| fw::channels::DeviceControlMsg::ver::DestroyContext {
unk_4: 0,
ctx_23: raw.unk_23,
__pad0: Default::default(),
unk_c: 0,
unk_10: 0,
ctx_0: raw.unk_0,
ctx_1: raw.unk_1,
ctx_4: raw.unk_4,
__pad1: Default::default(),
unk_18: 0,
gpu_context: Some(context.weak_pointer()),
__pad2: Default::default(),
},
);
mod_dev_dbg!(self.dev, "Context invalidation command: {:?}\n", &dc);
let mut txch = self.tx_channels.lock();
let token = txch.device_control.send(&dc);
{
let mut guard = self.rtkit.lock();
let rtk = guard.as_mut().unwrap();
rtk.send_message(EP_DOORBELL, MSG_TX_DOORBELL | DOORBELL_DEVCTRL)?;
}
txch.device_control.wait_for(token)?;
mod_dev_dbg!(
self.dev,
"GPU context invalidated: {:?}\n",
context.weak_pointer()
);
// The invalidation does a cache flush, so it is okay to collect garbage
guard.private.collect_garbage(garbage_count);
Ok(())
}
fn flush_fw_cache(&self) -> Result {
mod_dev_dbg!(self.dev, "Flushing coprocessor data cache\n");
if self.is_crashed() {
return Err(ENODEV);
}
// ctx_0 == 0xff or ctx_1 == 0xff cause no effect on context,
// but this command does a full cache flush too, so abuse it
// for that.
let dc = fw::channels::DeviceControlMsg::ver::DestroyContext {
unk_4: 0,
ctx_23: 0,
__pad0: Default::default(),
unk_c: 0,
unk_10: 0,
ctx_0: 0xff,
ctx_1: 0xff,
ctx_4: 0,
__pad1: Default::default(),
unk_18: 0,
gpu_context: None,
__pad2: Default::default(),
};
let mut txch = self.tx_channels.lock();
let token = txch.device_control.send(&dc);
{
let mut guard = self.rtkit.lock();
let rtk = guard.as_mut().unwrap();
rtk.send_message(EP_DOORBELL, MSG_TX_DOORBELL | DOORBELL_DEVCTRL)?;
}
txch.device_control.wait_for(token)?;
Ok(())
}
fn ids(&self) -> &SequenceIDs {
&self.ids
}
fn handle_timeout(&self, counter: u32, event_slot: u32) {
dev_err!(self.dev, " (\\________/) \n");
dev_err!(self.dev, " | | \n");
dev_err!(self.dev, "'.| \\ , / |.'\n");
dev_err!(self.dev, "--| / (( \\ |--\n");
dev_err!(self.dev, ".'| _-_- |'.\n");
dev_err!(self.dev, " |________| \n");
dev_err!(self.dev, "** GPU timeout nya~!!!!! **\n");
dev_err!(self.dev, " Event slot: {}\n", event_slot);
dev_err!(self.dev, " Timeout count: {}\n", counter);
// If we have fault info, consider it a fault.
let error = match self.get_fault_info() {
Some(info) => workqueue::WorkError::Fault(info),
None => workqueue::WorkError::Timeout,
};
self.mark_pending_events(Some(event_slot), error);
self.recover();
}
fn handle_fault(&self) {
dev_err!(self.dev, " (\\________/) \n");
dev_err!(self.dev, " | | \n");
dev_err!(self.dev, "'.| \\ , / |.'\n");
dev_err!(self.dev, "--| / (( \\ |--\n");
dev_err!(self.dev, ".'| _-_- |'.\n");
dev_err!(self.dev, " |________| \n");
dev_err!(self.dev, "GPU fault nya~!!!!!\n");
let error = match self.get_fault_info() {
Some(info) => workqueue::WorkError::Fault(info),
None => workqueue::WorkError::Unknown,
};
self.mark_pending_events(None, error);
self.recover();
}
fn wait_for_poweroff(&self, timeout: usize) -> Result {
self.initdata.runtime_pointers.hwdata_a.with(|raw, _inner| {
for _i in 0..timeout {
if raw.pwr_status.load(Ordering::Relaxed) == 4 {
return Ok(());
}
coarse_sleep(Duration::from_millis(1));
}
Err(ETIMEDOUT)
})
}
fn fwctl(&self, msg: fw::channels::FwCtlMsg) -> Result {
if self.is_crashed() {
return Err(ENODEV);
}
let mut fwctl = self.fwctl_channel.lock();
let token = fwctl.send(&msg);
{
let mut guard = self.rtkit.lock();
let rtk = guard.as_mut().unwrap();
rtk.send_message(EP_DOORBELL, MSG_FWCTL)?;
}
fwctl.wait_for(token)?;
Ok(())
}
fn get_cfg(&self) -> &'static hw::HwConfig {
self.cfg
}
fn get_dyncfg(&self) -> &hw::DynConfig {
&self.dyncfg
}
}
#[versions(AGX)]
impl GpuManagerPriv for GpuManager::ver {
fn end_op(&self) {
let val = self
.initdata
.globals
.with(|raw, _inner| raw.pending_submissions.fetch_sub(1, Ordering::Release));
mod_dev_dbg!(self.dev, "OP end (pending: {})\n", val - 1);
}
}
|