Skip to content

Commit 2fac7fa

Browse files
kentslaneyjimblandy
authored andcommitted
[naga] Correct override resolution in array lengths.
When the user provides values for a module's overrides, rather than replacing override-sized array types with ordinary array types (which could require adjusting type handles throughout the module), instead edit all overrides to have initializers that are fully-evaluated constant expressions. Then, change all backends to handle override-sized arrays by retrieving their overrides' values. For arrays whose sizes are override expressions, not simple references to a specific override's value, let front ends built array types that refer to anonymous overrides whose initializers are the necessary expression. This means that all arrays whose sizes are override expressions are references to some `Override`. Remove `naga::PendingArraySize`, and let `ArraySize::Pending` hold a `Handle<Override>` in all cases. Expand `tests/gpu-tests/shader/array_size_overrides.rs` to include the test case that motivated this approach.
1 parent 4e14f20 commit 2fac7fa

25 files changed

+353
-260
lines changed

CHANGELOG.md

+1
Original file line numberDiff line numberDiff line change
@@ -199,6 +199,7 @@ By @Vecvec in [#6905](https://github.com/gfx-rs/wgpu/pull/6905), [#7086](https:/
199199
- Forward '--keep-coordinate-space' flag to GLSL backend in naga-cli. By @cloone8 in [#7206](https://github.com/gfx-rs/wgpu/pull/7206).
200200
- Allow template lists to have a trailing comma. By @KentSlaney in [#7142](https://github.com/gfx-rs/wgpu/pull/7142).
201201
- Allow WGSL const declarations to have abstract types. By @jamienicol in [#7055](https://github.com/gfx-rs/wgpu/pull/7055) and [#7222](https://github.com/gfx-rs/wgpu/pull/7222).
202+
- Allows override-sized arrays to resolve to the same size without causing the type arena to panic. By @KentSlaney in [#7082](https://github.com/gfx-rs/wgpu/pull/7082).
202203
203204
#### General
204205

naga/src/arena/mod.rs

+12
Original file line numberDiff line numberDiff line change
@@ -102,6 +102,18 @@ impl<T> Arena<T> {
102102
.map(|(i, v)| unsafe { (Handle::from_usize_unchecked(i), v) })
103103
}
104104

105+
/// Returns an iterator over the items stored in this arena, returning both
106+
/// the item's handle and a reference to it.
107+
pub fn iter_mut_span(
108+
&mut self,
109+
) -> impl DoubleEndedIterator<Item = (Handle<T>, &mut T, &Span)> + ExactSizeIterator {
110+
self.data
111+
.iter_mut()
112+
.zip(self.span_info.iter())
113+
.enumerate()
114+
.map(|(i, (v, span))| unsafe { (Handle::from_usize_unchecked(i), v, span) })
115+
}
116+
105117
/// Drains the arena, returning an iterator over the items stored.
106118
pub fn drain(&mut self) -> impl DoubleEndedIterator<Item = (Handle<T>, T, Span)> {
107119
let arena = core::mem::take(self);

naga/src/back/glsl/mod.rs

+10-15
Original file line numberDiff line numberDiff line change
@@ -539,6 +539,8 @@ pub enum Error {
539539
/// [`crate::Sampling::First`] is unsupported.
540540
#[error("`{:?}` sampling is unsupported", crate::Sampling::First)]
541541
FirstSamplingNotSupported,
542+
#[error(transparent)]
543+
ResolveArraySizeError(#[from] proc::ResolveArraySizeError),
542544
}
543545

544546
/// Binary operation with a different logic on the GLSL side.
@@ -612,10 +614,6 @@ impl<'a, W: Write> Writer<'a, W> {
612614
pipeline_options: &'a PipelineOptions,
613615
policies: proc::BoundsCheckPolicies,
614616
) -> Result<Self, Error> {
615-
if !module.overrides.is_empty() {
616-
return Err(Error::Override);
617-
}
618-
619617
// Check if the requested version is supported
620618
if !options.version.is_supported() {
621619
log::error!("Version {}", options.version);
@@ -1013,13 +1011,12 @@ impl<'a, W: Write> Writer<'a, W> {
10131011
write!(self.out, "[")?;
10141012

10151013
// Write the array size
1016-
// Writes nothing if `ArraySize::Dynamic`
1017-
match size {
1018-
crate::ArraySize::Constant(size) => {
1014+
// Writes nothing if `IndexableLength::Dynamic`
1015+
match size.resolve(self.module.to_ctx())? {
1016+
proc::IndexableLength::Known(size) => {
10191017
write!(self.out, "{size}")?;
10201018
}
1021-
crate::ArraySize::Pending(_) => unreachable!(),
1022-
crate::ArraySize::Dynamic => (),
1019+
proc::IndexableLength::Dynamic => (),
10231020
}
10241021

10251022
write!(self.out, "]")?;
@@ -2759,7 +2756,9 @@ impl<'a, W: Write> Writer<'a, W> {
27592756
write_expression(self, value)?;
27602757
write!(self.out, ")")?
27612758
}
2762-
_ => unreachable!(),
2759+
_ => {
2760+
return Err(Error::Override);
2761+
}
27632762
}
27642763

27652764
Ok(())
@@ -4574,12 +4573,8 @@ impl<'a, W: Write> Writer<'a, W> {
45744573
write!(self.out, ")")?;
45754574
}
45764575
TypeInner::Array { base, size, .. } => {
4577-
let count = match size
4578-
.to_indexable_length(self.module)
4579-
.expect("Bad array size")
4580-
{
4576+
let count = match size.resolve(self.module.to_ctx())? {
45814577
proc::IndexableLength::Known(count) => count,
4582-
proc::IndexableLength::Pending => unreachable!(),
45834578
proc::IndexableLength::Dynamic => return Ok(()),
45844579
};
45854580
self.write_type(base)?;

naga/src/back/hlsl/conv.rs

+8-9
Original file line numberDiff line numberDiff line change
@@ -54,7 +54,7 @@ impl crate::TypeInner {
5454
}
5555
}
5656

57-
pub(super) fn size_hlsl(&self, gctx: crate::proc::GlobalCtx) -> u32 {
57+
pub(super) fn size_hlsl(&self, gctx: crate::proc::GlobalCtx) -> Result<u32, Error> {
5858
match *self {
5959
Self::Matrix {
6060
columns,
@@ -63,19 +63,18 @@ impl crate::TypeInner {
6363
} => {
6464
let stride = Alignment::from(rows) * scalar.width as u32;
6565
let last_row_size = rows as u32 * scalar.width as u32;
66-
((columns as u32 - 1) * stride) + last_row_size
66+
Ok(((columns as u32 - 1) * stride) + last_row_size)
6767
}
6868
Self::Array { base, size, stride } => {
69-
let count = match size {
70-
crate::ArraySize::Constant(size) => size.get(),
69+
let count = match size.resolve(gctx)? {
70+
crate::proc::IndexableLength::Known(size) => size,
7171
// A dynamically-sized array has to have at least one element
72-
crate::ArraySize::Pending(_) => unreachable!(),
73-
crate::ArraySize::Dynamic => 1,
72+
crate::proc::IndexableLength::Dynamic => 1,
7473
};
75-
let last_el_size = gctx.types[base].inner.size_hlsl(gctx);
76-
((count - 1) * stride) + last_el_size
74+
let last_el_size = gctx.types[base].inner.size_hlsl(gctx)?;
75+
Ok(((count - 1) * stride) + last_el_size)
7776
}
78-
_ => self.size(gctx),
77+
_ => Ok(self.size(gctx)),
7978
}
8079
}
8180

naga/src/back/hlsl/mod.rs

+2
Original file line numberDiff line numberDiff line change
@@ -442,6 +442,8 @@ pub enum Error {
442442
Custom(String),
443443
#[error("overrides should not be present at this stage")]
444444
Override,
445+
#[error(transparent)]
446+
ResolveArraySizeError(#[from] proc::ResolveArraySizeError),
445447
}
446448

447449
#[derive(PartialEq, Eq, Hash)]

naga/src/back/hlsl/writer.rs

+7-11
Original file line numberDiff line numberDiff line change
@@ -268,10 +268,6 @@ impl<'a, W: fmt::Write> super::Writer<'a, W> {
268268
module_info: &valid::ModuleInfo,
269269
fragment_entry_point: Option<&FragmentEntryPoint<'_>>,
270270
) -> Result<super::ReflectionInfo, Error> {
271-
if !module.overrides.is_empty() {
272-
return Err(Error::Override);
273-
}
274-
275271
self.reset(module);
276272

277273
// Write special constants, if needed
@@ -1129,12 +1125,11 @@ impl<'a, W: fmt::Write> super::Writer<'a, W> {
11291125
) -> BackendResult {
11301126
write!(self.out, "[")?;
11311127

1132-
match size {
1133-
crate::ArraySize::Constant(size) => {
1128+
match size.resolve(module.to_ctx())? {
1129+
proc::IndexableLength::Known(size) => {
11341130
write!(self.out, "{size}")?;
11351131
}
1136-
crate::ArraySize::Pending(_) => unreachable!(),
1137-
crate::ArraySize::Dynamic => unreachable!(),
1132+
proc::IndexableLength::Dynamic => unreachable!(),
11381133
}
11391134

11401135
write!(self.out, "]")?;
@@ -1179,7 +1174,7 @@ impl<'a, W: fmt::Write> super::Writer<'a, W> {
11791174
}
11801175
}
11811176
let ty_inner = &module.types[member.ty].inner;
1182-
last_offset = member.offset + ty_inner.size_hlsl(module.to_ctx());
1177+
last_offset = member.offset + ty_inner.size_hlsl(module.to_ctx())?;
11831178

11841179
// The indentation is only for readability
11851180
write!(self.out, "{}", back::INDENT)?;
@@ -2701,7 +2696,9 @@ impl<'a, W: fmt::Write> super::Writer<'a, W> {
27012696
write_expression(self, value)?;
27022697
write!(self.out, ").{number_of_components}")?
27032698
}
2704-
_ => unreachable!(),
2699+
_ => {
2700+
return Err(Error::Override);
2701+
}
27052702
}
27062703

27072704
Ok(())
@@ -2971,7 +2968,6 @@ impl<'a, W: fmt::Write> super::Writer<'a, W> {
29712968
index::IndexableLength::Known(limit) => {
29722969
write!(self.out, "{}u", limit - 1)?;
29732970
}
2974-
index::IndexableLength::Pending => unreachable!(),
29752971
index::IndexableLength::Dynamic => unreachable!(),
29762972
}
29772973
write!(self.out, ")")?;

naga/src/back/msl/mod.rs

+2
Original file line numberDiff line numberDiff line change
@@ -182,6 +182,8 @@ pub enum Error {
182182
Override,
183183
#[error("bitcasting to {0:?} is not supported")]
184184
UnsupportedBitCast(crate::TypeInner),
185+
#[error(transparent)]
186+
ResolveArraySizeError(#[from] crate::proc::ResolveArraySizeError),
185187
}
186188

187189
#[derive(Clone, Debug, PartialEq, thiserror::Error)]

naga/src/back/msl/writer.rs

+8-17
Original file line numberDiff line numberDiff line change
@@ -1563,7 +1563,9 @@ impl<W: Write> Writer<W> {
15631563
put_expression(self, ctx, value)?;
15641564
write!(self.out, ")")?;
15651565
}
1566-
_ => unreachable!(),
1566+
_ => {
1567+
return Err(Error::Override);
1568+
}
15671569
}
15681570

15691571
Ok(())
@@ -2612,7 +2614,6 @@ impl<W: Write> Writer<W> {
26122614
self.out.write_str(") < ")?;
26132615
match length {
26142616
index::IndexableLength::Known(value) => write!(self.out, "{value}")?,
2615-
index::IndexableLength::Pending => unreachable!(),
26162617
index::IndexableLength::Dynamic => {
26172618
let global =
26182619
context.function.originating_global(base).ok_or_else(|| {
@@ -2749,7 +2750,7 @@ impl<W: Write> Writer<W> {
27492750
) -> BackendResult {
27502751
let accessing_wrapped_array = match *base_ty {
27512752
crate::TypeInner::Array {
2752-
size: crate::ArraySize::Constant(_),
2753+
size: crate::ArraySize::Constant(_) | crate::ArraySize::Pending(_),
27532754
..
27542755
} => true,
27552756
_ => false,
@@ -2777,7 +2778,6 @@ impl<W: Write> Writer<W> {
27772778
index::IndexableLength::Known(limit) => {
27782779
write!(self.out, "{}u", limit - 1)?;
27792780
}
2780-
index::IndexableLength::Pending => unreachable!(),
27812781
index::IndexableLength::Dynamic => {
27822782
let global = context.function.originating_global(base).ok_or_else(|| {
27832783
Error::GenericValidation("Could not find originating global".into())
@@ -3795,10 +3795,6 @@ impl<W: Write> Writer<W> {
37953795
options: &Options,
37963796
pipeline_options: &PipelineOptions,
37973797
) -> Result<TranslationInfo, Error> {
3798-
if !module.overrides.is_empty() {
3799-
return Err(Error::Override);
3800-
}
3801-
38023798
self.names.clear();
38033799
self.namer.reset(
38043800
module,
@@ -3995,8 +3991,8 @@ impl<W: Write> Writer<W> {
39953991
first_time: false,
39963992
};
39973993

3998-
match size {
3999-
crate::ArraySize::Constant(size) => {
3994+
match size.resolve(module.to_ctx())? {
3995+
proc::IndexableLength::Known(size) => {
40003996
writeln!(self.out, "struct {name} {{")?;
40013997
writeln!(
40023998
self.out,
@@ -4008,10 +4004,7 @@ impl<W: Write> Writer<W> {
40084004
)?;
40094005
writeln!(self.out, "}};")?;
40104006
}
4011-
crate::ArraySize::Pending(_) => {
4012-
unreachable!()
4013-
}
4014-
crate::ArraySize::Dynamic => {
4007+
proc::IndexableLength::Dynamic => {
40154008
writeln!(self.out, "typedef {base_name} {name}[1];")?;
40164009
}
40174010
}
@@ -6694,10 +6687,8 @@ mod workgroup_mem_init {
66946687
writeln!(self.out, ", 0, {NAMESPACE}::memory_order_relaxed);")?;
66956688
}
66966689
crate::TypeInner::Array { base, size, .. } => {
6697-
let count = match size.to_indexable_length(module).expect("Bad array size")
6698-
{
6690+
let count = match size.resolve(module.to_ctx())? {
66996691
proc::IndexableLength::Known(count) => count,
6700-
proc::IndexableLength::Pending => unreachable!(),
67016692
proc::IndexableLength::Dynamic => unreachable!(),
67026693
};
67036694

0 commit comments

Comments
 (0)