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
use crate::{command::Fence, factory::Factory};
pub type Fences<B> = smallvec::SmallVec<[Fence<B>; 8]>;
#[derive(Debug)]
#[allow(missing_copy_implementations)]
pub struct Frame {
index: u64,
}
impl Frame {
pub fn index(&self) -> u64 {
self.index
}
}
#[derive(Debug)]
#[allow(missing_copy_implementations)]
pub struct CompleteFrame {
index: u64,
}
impl CompleteFrame {
pub fn index(&self) -> u64 {
self.index
}
}
#[derive(Debug)]
pub struct Frames<B: gfx_hal::Backend> {
pending: std::collections::VecDeque<Fences<B>>,
next: Frame,
}
impl<B> Frames<B>
where
B: gfx_hal::Backend,
{
pub fn new() -> Self {
Frames {
pending: Default::default(),
next: Frame { index: 0 },
}
}
pub fn next(&self) -> &Frame {
&self.next
}
pub unsafe fn advance(&mut self, fences: Fences<B>) {
self.pending.push_back(fences);
self.next.index += 1;
}
pub fn complete_upper_bound(&self) -> u64 {
debug_assert!(self.pending.len() as u64 <= self.next.index);
self.next.index - self.pending.len() as u64
}
pub fn complete(&self, index: u64) -> Option<CompleteFrame> {
if self.complete_upper_bound() > index {
Some(CompleteFrame { index })
} else {
None
}
}
pub fn wait_complete(
&mut self,
target: u64,
factory: &Factory<B>,
free: impl FnMut(Fences<B>),
) -> CompleteFrame {
assert!(target <= self.next.index());
if let Some(complete) = self.complete(target) {
complete
} else {
let count = self.pending.len() - (self.next.index() - target - 1) as usize;
let ready = factory.wait_for_fences(
self.pending.iter_mut().take(count).flatten(),
gfx_hal::device::WaitFor::All,
!0,
);
assert_eq!(ready, Ok(true));
self.pending.drain(..count).for_each(free);
CompleteFrame { index: target }
}
}
pub fn dispose(mut self, factory: &mut Factory<B>) {
let ready = factory.wait_for_fences(
self.pending.iter_mut().flatten(),
gfx_hal::device::WaitFor::All,
!0,
);
assert_eq!(ready, Ok(true));
self.pending
.drain(..)
.flatten()
.for_each(|fence| factory.destroy_fence(fence));
}
pub fn range(&self) -> std::ops::Range<u64> {
self.complete_upper_bound()..self.next.index
}
}