#[cfg(not(feature = "smaa_luts"))]
use crate::tonemapping::lut_placeholder;
use crate::{
core_2d::graph::{Core2d, Node2d},
core_3d::graph::{Core3d, Node3d},
};
use bevy_app::{App, Plugin};
#[cfg(feature = "smaa_luts")]
use bevy_asset::load_internal_binary_asset;
use bevy_asset::{load_internal_asset, Handle};
use bevy_derive::{Deref, DerefMut};
use bevy_ecs::{
component::Component,
entity::Entity,
query::{QueryItem, With},
reflect::ReflectComponent,
schedule::IntoSystemConfigs as _,
system::{lifetimeless::Read, Commands, Query, Res, ResMut, Resource},
world::{FromWorld, World},
};
use bevy_image::{BevyDefault, Image};
use bevy_math::{vec4, Vec4};
use bevy_reflect::{std_traits::ReflectDefault, Reflect};
use bevy_render::{
camera::ExtractedCamera,
extract_component::{ExtractComponent, ExtractComponentPlugin},
render_asset::RenderAssets,
render_graph::{
NodeRunError, RenderGraphApp as _, RenderGraphContext, ViewNode, ViewNodeRunner,
},
render_resource::{
binding_types::{sampler, texture_2d, uniform_buffer},
AddressMode, BindGroup, BindGroupEntries, BindGroupLayout, BindGroupLayoutEntries,
CachedRenderPipelineId, ColorTargetState, ColorWrites, CompareFunction, DepthStencilState,
DynamicUniformBuffer, Extent3d, FilterMode, FragmentState, LoadOp, MultisampleState,
Operations, PipelineCache, PrimitiveState, RenderPassColorAttachment,
RenderPassDepthStencilAttachment, RenderPassDescriptor, RenderPipeline,
RenderPipelineDescriptor, SamplerBindingType, SamplerDescriptor, Shader, ShaderDefVal,
ShaderStages, ShaderType, SpecializedRenderPipeline, SpecializedRenderPipelines,
StencilFaceState, StencilOperation, StencilState, StoreOp, TextureDescriptor,
TextureDimension, TextureFormat, TextureSampleType, TextureUsages, TextureView,
VertexState,
},
renderer::{RenderContext, RenderDevice, RenderQueue},
texture::{CachedTexture, GpuImage, TextureCache},
view::{ExtractedView, ViewTarget},
Render, RenderApp, RenderSet,
};
use bevy_utils::prelude::default;
const SMAA_SHADER_HANDLE: Handle<Shader> = Handle::weak_from_u128(12247928498010601081);
const SMAA_AREA_LUT_TEXTURE_HANDLE: Handle<Image> = Handle::weak_from_u128(15283551734567401670);
const SMAA_SEARCH_LUT_TEXTURE_HANDLE: Handle<Image> = Handle::weak_from_u128(3187314362190283210);
pub struct SmaaPlugin;
#[derive(Clone, Copy, Default, Component, Reflect, ExtractComponent)]
#[reflect(Component, Default)]
#[doc(alias = "SubpixelMorphologicalAntiAliasing")]
pub struct Smaa {
pub preset: SmaaPreset,
}
#[deprecated(since = "0.15.0", note = "Renamed to `Smaa`")]
pub type SmaaSettings = Smaa;
#[derive(Clone, Copy, Reflect, Default, PartialEq, Eq, Hash)]
#[reflect(Default)]
pub enum SmaaPreset {
Low,
Medium,
#[default]
High,
Ultra,
}
#[derive(Resource)]
pub struct SmaaPipelines {
edge_detection: SmaaEdgeDetectionPipeline,
blending_weight_calculation: SmaaBlendingWeightCalculationPipeline,
neighborhood_blending: SmaaNeighborhoodBlendingPipeline,
}
struct SmaaEdgeDetectionPipeline {
postprocess_bind_group_layout: BindGroupLayout,
edge_detection_bind_group_layout: BindGroupLayout,
}
struct SmaaBlendingWeightCalculationPipeline {
postprocess_bind_group_layout: BindGroupLayout,
blending_weight_calculation_bind_group_layout: BindGroupLayout,
}
struct SmaaNeighborhoodBlendingPipeline {
postprocess_bind_group_layout: BindGroupLayout,
neighborhood_blending_bind_group_layout: BindGroupLayout,
}
#[derive(Clone, PartialEq, Eq, Hash)]
pub struct SmaaNeighborhoodBlendingPipelineKey {
texture_format: TextureFormat,
preset: SmaaPreset,
}
#[derive(Component)]
pub struct ViewSmaaPipelines {
edge_detection_pipeline_id: CachedRenderPipelineId,
blending_weight_calculation_pipeline_id: CachedRenderPipelineId,
neighborhood_blending_pipeline_id: CachedRenderPipelineId,
}
#[derive(Default)]
pub struct SmaaNode;
#[derive(Clone, Copy, ShaderType)]
pub struct SmaaInfoUniform {
pub rt_metrics: Vec4,
}
#[derive(Clone, Copy, Deref, DerefMut, Component)]
pub struct SmaaInfoUniformOffset(pub u32);
#[derive(Resource, Default, Deref, DerefMut)]
pub struct SmaaInfoUniformBuffer(pub DynamicUniformBuffer<SmaaInfoUniform>);
#[derive(Component)]
pub struct SmaaTextures {
pub edge_detection_color_texture: CachedTexture,
pub edge_detection_stencil_texture: CachedTexture,
pub blend_texture: CachedTexture,
}
#[derive(Component)]
pub struct SmaaBindGroups {
pub edge_detection_bind_group: BindGroup,
pub blending_weight_calculation_bind_group: BindGroup,
pub neighborhood_blending_bind_group: BindGroup,
}
#[derive(Resource, Default)]
pub struct SmaaSpecializedRenderPipelines {
edge_detection: SpecializedRenderPipelines<SmaaEdgeDetectionPipeline>,
blending_weight_calculation: SpecializedRenderPipelines<SmaaBlendingWeightCalculationPipeline>,
neighborhood_blending: SpecializedRenderPipelines<SmaaNeighborhoodBlendingPipeline>,
}
impl Plugin for SmaaPlugin {
fn build(&self, app: &mut App) {
load_internal_asset!(app, SMAA_SHADER_HANDLE, "smaa.wgsl", Shader::from_wgsl);
#[cfg(feature = "smaa_luts")]
load_internal_binary_asset!(
app,
SMAA_AREA_LUT_TEXTURE_HANDLE,
"SMAAAreaLUT.ktx2",
|bytes, _: String| Image::from_buffer(
#[cfg(all(debug_assertions, feature = "dds"))]
"SMAAAreaLUT".to_owned(),
bytes,
bevy_image::ImageType::Format(bevy_image::ImageFormat::Ktx2),
bevy_image::CompressedImageFormats::NONE,
false,
bevy_image::ImageSampler::Default,
bevy_asset::RenderAssetUsages::RENDER_WORLD,
)
.expect("Failed to load SMAA area LUT")
);
#[cfg(feature = "smaa_luts")]
load_internal_binary_asset!(
app,
SMAA_SEARCH_LUT_TEXTURE_HANDLE,
"SMAASearchLUT.ktx2",
|bytes, _: String| Image::from_buffer(
#[cfg(all(debug_assertions, feature = "dds"))]
"SMAASearchLUT".to_owned(),
bytes,
bevy_image::ImageType::Format(bevy_image::ImageFormat::Ktx2),
bevy_image::CompressedImageFormats::NONE,
false,
bevy_image::ImageSampler::Default,
bevy_asset::RenderAssetUsages::RENDER_WORLD,
)
.expect("Failed to load SMAA search LUT")
);
#[cfg(not(feature = "smaa_luts"))]
app.world_mut()
.resource_mut::<bevy_asset::Assets<Image>>()
.insert(SMAA_AREA_LUT_TEXTURE_HANDLE.id(), lut_placeholder());
#[cfg(not(feature = "smaa_luts"))]
app.world_mut()
.resource_mut::<bevy_asset::Assets<Image>>()
.insert(SMAA_SEARCH_LUT_TEXTURE_HANDLE.id(), lut_placeholder());
app.add_plugins(ExtractComponentPlugin::<Smaa>::default())
.register_type::<Smaa>();
let Some(render_app) = app.get_sub_app_mut(RenderApp) else {
return;
};
render_app
.init_resource::<SmaaSpecializedRenderPipelines>()
.init_resource::<SmaaInfoUniformBuffer>()
.add_systems(
Render,
(
prepare_smaa_pipelines.in_set(RenderSet::Prepare),
prepare_smaa_uniforms.in_set(RenderSet::PrepareResources),
prepare_smaa_textures.in_set(RenderSet::PrepareResources),
prepare_smaa_bind_groups.in_set(RenderSet::PrepareBindGroups),
),
)
.add_render_graph_node::<ViewNodeRunner<SmaaNode>>(Core3d, Node3d::Smaa)
.add_render_graph_edges(
Core3d,
(
Node3d::Tonemapping,
Node3d::Smaa,
Node3d::EndMainPassPostProcessing,
),
)
.add_render_graph_node::<ViewNodeRunner<SmaaNode>>(Core2d, Node2d::Smaa)
.add_render_graph_edges(
Core2d,
(
Node2d::Tonemapping,
Node2d::Smaa,
Node2d::EndMainPassPostProcessing,
),
);
}
fn finish(&self, app: &mut App) {
if let Some(render_app) = app.get_sub_app_mut(RenderApp) {
render_app.init_resource::<SmaaPipelines>();
}
}
}
impl FromWorld for SmaaPipelines {
fn from_world(world: &mut World) -> Self {
let render_device = world.resource::<RenderDevice>();
let postprocess_bind_group_layout = render_device.create_bind_group_layout(
"SMAA postprocess bind group layout",
&BindGroupLayoutEntries::sequential(
ShaderStages::FRAGMENT,
(
texture_2d(TextureSampleType::Float { filterable: true }),
uniform_buffer::<SmaaInfoUniform>(true)
.visibility(ShaderStages::VERTEX_FRAGMENT),
),
),
);
let edge_detection_bind_group_layout = render_device.create_bind_group_layout(
"SMAA edge detection bind group layout",
&BindGroupLayoutEntries::sequential(
ShaderStages::FRAGMENT,
(sampler(SamplerBindingType::Filtering),),
),
);
let blending_weight_calculation_bind_group_layout = render_device.create_bind_group_layout(
"SMAA blending weight calculation bind group layout",
&BindGroupLayoutEntries::sequential(
ShaderStages::FRAGMENT,
(
texture_2d(TextureSampleType::Float { filterable: true }), sampler(SamplerBindingType::Filtering), texture_2d(TextureSampleType::Float { filterable: true }), texture_2d(TextureSampleType::Float { filterable: true }), ),
),
);
let neighborhood_blending_bind_group_layout = render_device.create_bind_group_layout(
"SMAA neighborhood blending bind group layout",
&BindGroupLayoutEntries::sequential(
ShaderStages::FRAGMENT,
(
texture_2d(TextureSampleType::Float { filterable: true }),
sampler(SamplerBindingType::Filtering),
),
),
);
SmaaPipelines {
edge_detection: SmaaEdgeDetectionPipeline {
postprocess_bind_group_layout: postprocess_bind_group_layout.clone(),
edge_detection_bind_group_layout,
},
blending_weight_calculation: SmaaBlendingWeightCalculationPipeline {
postprocess_bind_group_layout: postprocess_bind_group_layout.clone(),
blending_weight_calculation_bind_group_layout,
},
neighborhood_blending: SmaaNeighborhoodBlendingPipeline {
postprocess_bind_group_layout,
neighborhood_blending_bind_group_layout,
},
}
}
}
impl SpecializedRenderPipeline for SmaaEdgeDetectionPipeline {
type Key = SmaaPreset;
fn specialize(&self, preset: Self::Key) -> RenderPipelineDescriptor {
let shader_defs = vec!["SMAA_EDGE_DETECTION".into(), preset.shader_def()];
let stencil_face_state = StencilFaceState {
compare: CompareFunction::Always,
fail_op: StencilOperation::Replace,
depth_fail_op: StencilOperation::Replace,
pass_op: StencilOperation::Replace,
};
RenderPipelineDescriptor {
label: Some("SMAA edge detection".into()),
layout: vec![
self.postprocess_bind_group_layout.clone(),
self.edge_detection_bind_group_layout.clone(),
],
vertex: VertexState {
shader: SMAA_SHADER_HANDLE,
shader_defs: shader_defs.clone(),
entry_point: "edge_detection_vertex_main".into(),
buffers: vec![],
},
fragment: Some(FragmentState {
shader: SMAA_SHADER_HANDLE,
shader_defs,
entry_point: "luma_edge_detection_fragment_main".into(),
targets: vec![Some(ColorTargetState {
format: TextureFormat::Rg8Unorm,
blend: None,
write_mask: ColorWrites::ALL,
})],
}),
push_constant_ranges: vec![],
primitive: PrimitiveState::default(),
depth_stencil: Some(DepthStencilState {
format: TextureFormat::Stencil8,
depth_write_enabled: false,
depth_compare: CompareFunction::Always,
stencil: StencilState {
front: stencil_face_state,
back: stencil_face_state,
read_mask: 1,
write_mask: 1,
},
bias: default(),
}),
multisample: MultisampleState::default(),
zero_initialize_workgroup_memory: false,
}
}
}
impl SpecializedRenderPipeline for SmaaBlendingWeightCalculationPipeline {
type Key = SmaaPreset;
fn specialize(&self, preset: Self::Key) -> RenderPipelineDescriptor {
let shader_defs = vec![
"SMAA_BLENDING_WEIGHT_CALCULATION".into(),
preset.shader_def(),
];
let stencil_face_state = StencilFaceState {
compare: CompareFunction::Equal,
fail_op: StencilOperation::Keep,
depth_fail_op: StencilOperation::Keep,
pass_op: StencilOperation::Keep,
};
RenderPipelineDescriptor {
label: Some("SMAA blending weight calculation".into()),
layout: vec![
self.postprocess_bind_group_layout.clone(),
self.blending_weight_calculation_bind_group_layout.clone(),
],
vertex: VertexState {
shader: SMAA_SHADER_HANDLE,
shader_defs: shader_defs.clone(),
entry_point: "blending_weight_calculation_vertex_main".into(),
buffers: vec![],
},
fragment: Some(FragmentState {
shader: SMAA_SHADER_HANDLE,
shader_defs,
entry_point: "blending_weight_calculation_fragment_main".into(),
targets: vec![Some(ColorTargetState {
format: TextureFormat::Rgba8Unorm,
blend: None,
write_mask: ColorWrites::ALL,
})],
}),
push_constant_ranges: vec![],
primitive: PrimitiveState::default(),
depth_stencil: Some(DepthStencilState {
format: TextureFormat::Stencil8,
depth_write_enabled: false,
depth_compare: CompareFunction::Always,
stencil: StencilState {
front: stencil_face_state,
back: stencil_face_state,
read_mask: 1,
write_mask: 1,
},
bias: default(),
}),
multisample: MultisampleState::default(),
zero_initialize_workgroup_memory: false,
}
}
}
impl SpecializedRenderPipeline for SmaaNeighborhoodBlendingPipeline {
type Key = SmaaNeighborhoodBlendingPipelineKey;
fn specialize(&self, key: Self::Key) -> RenderPipelineDescriptor {
let shader_defs = vec!["SMAA_NEIGHBORHOOD_BLENDING".into(), key.preset.shader_def()];
RenderPipelineDescriptor {
label: Some("SMAA neighborhood blending".into()),
layout: vec![
self.postprocess_bind_group_layout.clone(),
self.neighborhood_blending_bind_group_layout.clone(),
],
vertex: VertexState {
shader: SMAA_SHADER_HANDLE,
shader_defs: shader_defs.clone(),
entry_point: "neighborhood_blending_vertex_main".into(),
buffers: vec![],
},
fragment: Some(FragmentState {
shader: SMAA_SHADER_HANDLE,
shader_defs,
entry_point: "neighborhood_blending_fragment_main".into(),
targets: vec![Some(ColorTargetState {
format: key.texture_format,
blend: None,
write_mask: ColorWrites::ALL,
})],
}),
push_constant_ranges: vec![],
primitive: PrimitiveState::default(),
depth_stencil: None,
multisample: MultisampleState::default(),
zero_initialize_workgroup_memory: false,
}
}
}
fn prepare_smaa_pipelines(
mut commands: Commands,
pipeline_cache: Res<PipelineCache>,
mut specialized_render_pipelines: ResMut<SmaaSpecializedRenderPipelines>,
smaa_pipelines: Res<SmaaPipelines>,
view_targets: Query<(Entity, &ExtractedView, &Smaa)>,
) {
for (entity, view, smaa) in &view_targets {
let edge_detection_pipeline_id = specialized_render_pipelines.edge_detection.specialize(
&pipeline_cache,
&smaa_pipelines.edge_detection,
smaa.preset,
);
let blending_weight_calculation_pipeline_id = specialized_render_pipelines
.blending_weight_calculation
.specialize(
&pipeline_cache,
&smaa_pipelines.blending_weight_calculation,
smaa.preset,
);
let neighborhood_blending_pipeline_id = specialized_render_pipelines
.neighborhood_blending
.specialize(
&pipeline_cache,
&smaa_pipelines.neighborhood_blending,
SmaaNeighborhoodBlendingPipelineKey {
texture_format: if view.hdr {
ViewTarget::TEXTURE_FORMAT_HDR
} else {
TextureFormat::bevy_default()
},
preset: smaa.preset,
},
);
commands.entity(entity).insert(ViewSmaaPipelines {
edge_detection_pipeline_id,
blending_weight_calculation_pipeline_id,
neighborhood_blending_pipeline_id,
});
}
}
fn prepare_smaa_uniforms(
mut commands: Commands,
render_device: Res<RenderDevice>,
render_queue: Res<RenderQueue>,
view_targets: Query<(Entity, &ExtractedView), With<Smaa>>,
mut smaa_info_buffer: ResMut<SmaaInfoUniformBuffer>,
) {
smaa_info_buffer.clear();
for (entity, view) in &view_targets {
let offset = smaa_info_buffer.push(&SmaaInfoUniform {
rt_metrics: vec4(
1.0 / view.viewport.z as f32,
1.0 / view.viewport.w as f32,
view.viewport.z as f32,
view.viewport.w as f32,
),
});
commands
.entity(entity)
.insert(SmaaInfoUniformOffset(offset));
}
smaa_info_buffer.write_buffer(&render_device, &render_queue);
}
fn prepare_smaa_textures(
mut commands: Commands,
render_device: Res<RenderDevice>,
mut texture_cache: ResMut<TextureCache>,
view_targets: Query<(Entity, &ExtractedCamera), (With<ExtractedView>, With<Smaa>)>,
) {
for (entity, camera) in &view_targets {
let Some(texture_size) = camera.physical_target_size else {
continue;
};
let texture_size = Extent3d {
width: texture_size.x,
height: texture_size.y,
depth_or_array_layers: 1,
};
let edge_detection_color_texture = texture_cache.get(
&render_device,
TextureDescriptor {
label: Some("SMAA edge detection color texture"),
size: texture_size,
mip_level_count: 1,
sample_count: 1,
dimension: TextureDimension::D2,
format: TextureFormat::Rg8Unorm,
usage: TextureUsages::TEXTURE_BINDING | TextureUsages::RENDER_ATTACHMENT,
view_formats: &[],
},
);
let edge_detection_stencil_texture = texture_cache.get(
&render_device,
TextureDescriptor {
label: Some("SMAA edge detection stencil texture"),
size: texture_size,
mip_level_count: 1,
sample_count: 1,
dimension: TextureDimension::D2,
format: TextureFormat::Stencil8,
usage: TextureUsages::RENDER_ATTACHMENT,
view_formats: &[],
},
);
let blend_texture = texture_cache.get(
&render_device,
TextureDescriptor {
label: Some("SMAA blend texture"),
size: texture_size,
mip_level_count: 1,
sample_count: 1,
dimension: TextureDimension::D2,
format: TextureFormat::Rgba8Unorm,
usage: TextureUsages::TEXTURE_BINDING | TextureUsages::RENDER_ATTACHMENT,
view_formats: &[],
},
);
commands.entity(entity).insert(SmaaTextures {
edge_detection_color_texture,
edge_detection_stencil_texture,
blend_texture,
});
}
}
fn prepare_smaa_bind_groups(
mut commands: Commands,
render_device: Res<RenderDevice>,
smaa_pipelines: Res<SmaaPipelines>,
images: Res<RenderAssets<GpuImage>>,
view_targets: Query<(Entity, &SmaaTextures), (With<ExtractedView>, With<Smaa>)>,
) {
let (Some(search_texture), Some(area_texture)) = (
images.get(&SMAA_SEARCH_LUT_TEXTURE_HANDLE),
images.get(&SMAA_AREA_LUT_TEXTURE_HANDLE),
) else {
return;
};
for (entity, smaa_textures) in &view_targets {
let sampler = render_device.create_sampler(&SamplerDescriptor {
label: Some("SMAA sampler"),
address_mode_u: AddressMode::ClampToEdge,
address_mode_v: AddressMode::ClampToEdge,
address_mode_w: AddressMode::ClampToEdge,
mag_filter: FilterMode::Linear,
min_filter: FilterMode::Linear,
..default()
});
commands.entity(entity).insert(SmaaBindGroups {
edge_detection_bind_group: render_device.create_bind_group(
Some("SMAA edge detection bind group"),
&smaa_pipelines
.edge_detection
.edge_detection_bind_group_layout,
&BindGroupEntries::sequential((&sampler,)),
),
blending_weight_calculation_bind_group: render_device.create_bind_group(
Some("SMAA blending weight calculation bind group"),
&smaa_pipelines
.blending_weight_calculation
.blending_weight_calculation_bind_group_layout,
&BindGroupEntries::sequential((
&smaa_textures.edge_detection_color_texture.default_view,
&sampler,
&search_texture.texture_view,
&area_texture.texture_view,
)),
),
neighborhood_blending_bind_group: render_device.create_bind_group(
Some("SMAA neighborhood blending bind group"),
&smaa_pipelines
.neighborhood_blending
.neighborhood_blending_bind_group_layout,
&BindGroupEntries::sequential((
&smaa_textures.blend_texture.default_view,
&sampler,
)),
),
});
}
}
impl ViewNode for SmaaNode {
type ViewQuery = (
Read<ViewTarget>,
Read<ViewSmaaPipelines>,
Read<SmaaInfoUniformOffset>,
Read<SmaaTextures>,
Read<SmaaBindGroups>,
);
fn run<'w>(
&self,
_: &mut RenderGraphContext,
render_context: &mut RenderContext<'w>,
(
view_target,
view_pipelines,
view_smaa_uniform_offset,
smaa_textures,
view_smaa_bind_groups,
): QueryItem<'w, Self::ViewQuery>,
world: &'w World,
) -> Result<(), NodeRunError> {
let pipeline_cache = world.resource::<PipelineCache>();
let smaa_pipelines = world.resource::<SmaaPipelines>();
let smaa_info_uniform_buffer = world.resource::<SmaaInfoUniformBuffer>();
let (
Some(edge_detection_pipeline),
Some(blending_weight_calculation_pipeline),
Some(neighborhood_blending_pipeline),
) = (
pipeline_cache.get_render_pipeline(view_pipelines.edge_detection_pipeline_id),
pipeline_cache
.get_render_pipeline(view_pipelines.blending_weight_calculation_pipeline_id),
pipeline_cache.get_render_pipeline(view_pipelines.neighborhood_blending_pipeline_id),
)
else {
return Ok(());
};
let postprocess = view_target.post_process_write();
let (source, destination) = (postprocess.source, postprocess.destination);
perform_edge_detection(
render_context,
smaa_pipelines,
smaa_textures,
view_smaa_bind_groups,
smaa_info_uniform_buffer,
view_smaa_uniform_offset,
edge_detection_pipeline,
source,
);
perform_blending_weight_calculation(
render_context,
smaa_pipelines,
smaa_textures,
view_smaa_bind_groups,
smaa_info_uniform_buffer,
view_smaa_uniform_offset,
blending_weight_calculation_pipeline,
source,
);
perform_neighborhood_blending(
render_context,
smaa_pipelines,
view_smaa_bind_groups,
smaa_info_uniform_buffer,
view_smaa_uniform_offset,
neighborhood_blending_pipeline,
source,
destination,
);
Ok(())
}
}
#[allow(clippy::too_many_arguments)]
fn perform_edge_detection(
render_context: &mut RenderContext,
smaa_pipelines: &SmaaPipelines,
smaa_textures: &SmaaTextures,
view_smaa_bind_groups: &SmaaBindGroups,
smaa_info_uniform_buffer: &SmaaInfoUniformBuffer,
view_smaa_uniform_offset: &SmaaInfoUniformOffset,
edge_detection_pipeline: &RenderPipeline,
source: &TextureView,
) {
let postprocess_bind_group = render_context.render_device().create_bind_group(
None,
&smaa_pipelines.edge_detection.postprocess_bind_group_layout,
&BindGroupEntries::sequential((source, &**smaa_info_uniform_buffer)),
);
let pass_descriptor = RenderPassDescriptor {
label: Some("SMAA edge detection pass"),
color_attachments: &[Some(RenderPassColorAttachment {
view: &smaa_textures.edge_detection_color_texture.default_view,
resolve_target: None,
ops: default(),
})],
depth_stencil_attachment: Some(RenderPassDepthStencilAttachment {
view: &smaa_textures.edge_detection_stencil_texture.default_view,
depth_ops: None,
stencil_ops: Some(Operations {
load: LoadOp::Clear(0),
store: StoreOp::Store,
}),
}),
timestamp_writes: None,
occlusion_query_set: None,
};
let mut render_pass = render_context
.command_encoder()
.begin_render_pass(&pass_descriptor);
render_pass.set_pipeline(edge_detection_pipeline);
render_pass.set_bind_group(0, &postprocess_bind_group, &[**view_smaa_uniform_offset]);
render_pass.set_bind_group(1, &view_smaa_bind_groups.edge_detection_bind_group, &[]);
render_pass.set_stencil_reference(1);
render_pass.draw(0..3, 0..1);
}
#[allow(clippy::too_many_arguments)]
fn perform_blending_weight_calculation(
render_context: &mut RenderContext,
smaa_pipelines: &SmaaPipelines,
smaa_textures: &SmaaTextures,
view_smaa_bind_groups: &SmaaBindGroups,
smaa_info_uniform_buffer: &SmaaInfoUniformBuffer,
view_smaa_uniform_offset: &SmaaInfoUniformOffset,
blending_weight_calculation_pipeline: &RenderPipeline,
source: &TextureView,
) {
let postprocess_bind_group = render_context.render_device().create_bind_group(
None,
&smaa_pipelines
.blending_weight_calculation
.postprocess_bind_group_layout,
&BindGroupEntries::sequential((source, &**smaa_info_uniform_buffer)),
);
let pass_descriptor = RenderPassDescriptor {
label: Some("SMAA blending weight calculation pass"),
color_attachments: &[Some(RenderPassColorAttachment {
view: &smaa_textures.blend_texture.default_view,
resolve_target: None,
ops: default(),
})],
depth_stencil_attachment: Some(RenderPassDepthStencilAttachment {
view: &smaa_textures.edge_detection_stencil_texture.default_view,
depth_ops: None,
stencil_ops: Some(Operations {
load: LoadOp::Load,
store: StoreOp::Discard,
}),
}),
timestamp_writes: None,
occlusion_query_set: None,
};
let mut render_pass = render_context
.command_encoder()
.begin_render_pass(&pass_descriptor);
render_pass.set_pipeline(blending_weight_calculation_pipeline);
render_pass.set_bind_group(0, &postprocess_bind_group, &[**view_smaa_uniform_offset]);
render_pass.set_bind_group(
1,
&view_smaa_bind_groups.blending_weight_calculation_bind_group,
&[],
);
render_pass.set_stencil_reference(1);
render_pass.draw(0..3, 0..1);
}
#[allow(clippy::too_many_arguments)]
fn perform_neighborhood_blending(
render_context: &mut RenderContext,
smaa_pipelines: &SmaaPipelines,
view_smaa_bind_groups: &SmaaBindGroups,
smaa_info_uniform_buffer: &SmaaInfoUniformBuffer,
view_smaa_uniform_offset: &SmaaInfoUniformOffset,
neighborhood_blending_pipeline: &RenderPipeline,
source: &TextureView,
destination: &TextureView,
) {
let postprocess_bind_group = render_context.render_device().create_bind_group(
None,
&smaa_pipelines
.neighborhood_blending
.postprocess_bind_group_layout,
&BindGroupEntries::sequential((source, &**smaa_info_uniform_buffer)),
);
let pass_descriptor = RenderPassDescriptor {
label: Some("SMAA neighborhood blending pass"),
color_attachments: &[Some(RenderPassColorAttachment {
view: destination,
resolve_target: None,
ops: default(),
})],
depth_stencil_attachment: None,
timestamp_writes: None,
occlusion_query_set: None,
};
let mut neighborhood_blending_render_pass = render_context
.command_encoder()
.begin_render_pass(&pass_descriptor);
neighborhood_blending_render_pass.set_pipeline(neighborhood_blending_pipeline);
neighborhood_blending_render_pass.set_bind_group(
0,
&postprocess_bind_group,
&[**view_smaa_uniform_offset],
);
neighborhood_blending_render_pass.set_bind_group(
1,
&view_smaa_bind_groups.neighborhood_blending_bind_group,
&[],
);
neighborhood_blending_render_pass.draw(0..3, 0..1);
}
impl SmaaPreset {
fn shader_def(&self) -> ShaderDefVal {
match *self {
SmaaPreset::Low => "SMAA_PRESET_LOW".into(),
SmaaPreset::Medium => "SMAA_PRESET_MEDIUM".into(),
SmaaPreset::High => "SMAA_PRESET_HIGH".into(),
SmaaPreset::Ultra => "SMAA_PRESET_ULTRA".into(),
}
}
}