forked from processing/libprocessing
-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathgraphics.rs
More file actions
755 lines (655 loc) · 22 KB
/
graphics.rs
File metadata and controls
755 lines (655 loc) · 22 KB
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
//! A graphics object is the core rendering context in Processing, responsible for managing the
//! draw state and recording draw commands to be executed each frame.
//!
//! In Bevy terms, a graphics object is represented as an entity with a camera component
//! configured to render to a specific surface (either a window or an offscreen image).
use bevy::{
camera::{
CameraMainTextureUsages, CameraOutputMode, CameraProjection, ClearColorConfig, Hdr,
ImageRenderTarget, MsaaWriteback, Projection, RenderTarget, visibility::RenderLayers,
},
core_pipeline::tonemapping::Tonemapping,
ecs::{entity::EntityHashMap, query::QueryEntityError},
math::{Mat4, Vec3A},
prelude::*,
render::{
Render, RenderSystems,
render_resource::{
CommandEncoderDescriptor, Extent3d, MapMode, Origin3d, PollType, TexelCopyBufferInfo,
TexelCopyBufferLayout, TexelCopyTextureInfo, TextureFormat, TextureUsages,
},
renderer::{RenderDevice, RenderQueue},
sync_world::MainEntity,
view::{ViewTarget, prepare_view_targets},
},
window::WindowRef,
};
use processing_core::error::{ProcessingError, Result};
use crate::{
Flush,
image::{Image, create_readback_buffer, pixel_size, pixels_to_bytes},
render::{
RenderState,
command::{CommandBuffer, DrawCommand},
},
surface::Surface,
};
pub struct GraphicsPlugin;
impl Plugin for GraphicsPlugin {
fn build(&self, app: &mut App) {
app.init_resource::<RenderLayersManager>();
let (tx, rx) = crossbeam_channel::unbounded::<(Entity, ViewTarget)>();
app.init_resource::<GraphicsTargets>()
.insert_resource(GraphicsTargetReceiver(rx))
.add_systems(First, update_view_targets);
let render_app = app.sub_app_mut(bevy::render::RenderApp);
render_app
.add_systems(
Render,
send_view_targets
.in_set(RenderSystems::PrepareViews)
.after(prepare_view_targets),
)
.insert_resource(GraphicsTargetSender(tx));
}
}
#[derive(Component)]
pub struct Graphics {
readback_buffer: bevy::render::render_resource::Buffer,
pub texture_format: TextureFormat,
pub size: Extent3d,
}
// We store a mapping of graphics target entities to their GPU `ViewTarget`s. In the
// Processing API, graphics *are* images, so we need to be able to look up the `ViewTarget` for a
// given graphics entity when referencing it as an image.
#[derive(Resource, Deref, DerefMut, Default)]
pub struct GraphicsTargets(EntityHashMap<ViewTarget>);
#[derive(Resource, Deref, DerefMut)]
pub struct GraphicsTargetReceiver(crossbeam_channel::Receiver<(Entity, ViewTarget)>);
#[derive(Resource, Deref, DerefMut)]
pub struct GraphicsTargetSender(crossbeam_channel::Sender<(Entity, ViewTarget)>);
fn send_view_targets(
view_targets: Query<(MainEntity, &ViewTarget), Changed<ViewTarget>>,
sender: Res<GraphicsTargetSender>,
) {
for (main_entity, view_target) in view_targets.iter() {
sender
.send((main_entity, view_target.clone()))
.expect("Failed to send updated view target");
}
}
pub fn update_view_targets(
mut graphics_targets: ResMut<GraphicsTargets>,
receiver: Res<GraphicsTargetReceiver>,
) {
while let Ok((entity, view_target)) = receiver.0.try_recv() {
graphics_targets.insert(entity, view_target);
}
}
macro_rules! graphics_mut {
($app:expr, $entity:expr) => {
$app.world_mut()
.get_entity_mut($entity)
.map_err(|_| ProcessingError::GraphicsNotFound)?
};
}
#[derive(Component)]
pub struct SurfaceSize(pub u32, pub u32);
/// Custom orthographic projection for Processing's coordinate system.
/// Origin at top-left, Y-axis down, in pixel units (aka screen space).
#[derive(Debug, Clone, Reflect)]
#[reflect(Default)]
pub struct ProcessingProjection {
pub width: f32,
pub height: f32,
pub near: f32,
pub far: f32,
}
impl Default for ProcessingProjection {
fn default() -> Self {
Self {
width: 1.0,
height: 1.0,
near: 0.0,
far: 1000.0,
}
}
}
impl CameraProjection for ProcessingProjection {
fn get_clip_from_view(&self) -> Mat4 {
Mat4::orthographic_rh(
0.0,
self.width,
self.height, // bottom = height
0.0, // top = 0
self.near,
self.far,
)
}
fn get_clip_from_view_for_sub(&self, _sub_view: &bevy::camera::SubCameraView) -> Mat4 {
// TODO: implement sub-view support if needed (probably not)
self.get_clip_from_view()
}
fn update(&mut self, width: f32, height: f32) {
self.width = width;
self.height = height;
}
fn far(&self) -> f32 {
self.far
}
fn get_frustum_corners(&self, z_near: f32, z_far: f32) -> [Vec3A; 8] {
// order: bottom-right, top-right, top-left, bottom-left for near, then far
let near_center = Vec3A::new(self.width / 2.0, self.height / 2.0, z_near);
let far_center = Vec3A::new(self.width / 2.0, self.height / 2.0, z_far);
let half_width = self.width / 2.0;
let half_height = self.height / 2.0;
[
// near plane
near_center + Vec3A::new(half_width, half_height, 0.0), // bottom-right
near_center + Vec3A::new(half_width, -half_height, 0.0), // top-right
near_center + Vec3A::new(-half_width, -half_height, 0.0), // top-left
near_center + Vec3A::new(-half_width, half_height, 0.0), // bottom-left
// far plane
far_center + Vec3A::new(half_width, half_height, 0.0), // bottom-right
far_center + Vec3A::new(half_width, -half_height, 0.0), // top-right
far_center + Vec3A::new(-half_width, -half_height, 0.0), // top-left
far_center + Vec3A::new(-half_width, half_height, 0.0), // bottom-left
]
}
}
pub fn create(
In((width, height, surface_entity, texture_format)): In<(u32, u32, Entity, TextureFormat)>,
mut commands: Commands,
mut layer_manager: ResMut<RenderLayersManager>,
p_images: Query<&Image, With<Surface>>,
render_device: Res<RenderDevice>,
) -> Result<Entity> {
// find the surface entity, if it is an image, we will render to that image
// otherwise we will render to the window
let target = match p_images.get(surface_entity) {
Ok(p_image) => RenderTarget::Image(ImageRenderTarget::from(p_image.handle.clone())),
Err(QueryEntityError::QueryDoesNotMatch(..)) => {
RenderTarget::Window(WindowRef::Entity(surface_entity))
}
Err(_) => return Err(ProcessingError::SurfaceNotFound),
};
// allocate a new render layer for this graphics entity, which ensures that anything
// drawn to this camera will only be visible to this camera
let render_layer = layer_manager.allocate();
let size = Extent3d {
width,
height,
depth_or_array_layers: 1,
};
let readback_buffer = create_readback_buffer(
&render_device,
width,
height,
texture_format,
"Graphics Readback Buffer",
)
.expect("Failed to create readback buffer");
let is_hdr = matches!(
texture_format,
TextureFormat::Rgba16Float | TextureFormat::Rgba32Float
);
let mut entity_commands = commands.spawn((
Camera3d::default(),
Camera {
// always load the previous frame (provides sketch like behavior)
clear_color: ClearColorConfig::None,
// TODO: toggle this conditionally based on whether we need to write back MSAA
// when doing manual pixel updates
msaa_writeback: MsaaWriteback::Off,
..default()
},
target,
// tonemapping prevents color accurate readback, so we disable it
Tonemapping::None,
// we need to be able to write to the texture
CameraMainTextureUsages::default().with(TextureUsages::COPY_DST),
Projection::custom(ProcessingProjection {
width: width as f32,
height: height as f32,
near: 0.0,
far: 1000.0,
}),
Msaa::Off,
Transform::from_xyz(0.0, 0.0, 999.9),
render_layer,
CommandBuffer::new(),
RenderState::default(),
SurfaceSize(width, height),
Graphics {
readback_buffer,
texture_format,
size,
},
));
// only enable Hdr for floating-point texture formats
if is_hdr {
entity_commands.insert(Hdr);
}
let entity = entity_commands.id();
Ok(entity)
}
#[allow(dead_code)]
pub fn resize(
In((entity, width, height)): In<(Entity, u32, u32)>,
mut graphics_query: Query<&mut Projection>,
) -> Result<()> {
let mut projection = graphics_query
.get_mut(entity)
.map_err(|_| ProcessingError::GraphicsNotFound)?;
if let Projection::Custom(ref mut custom_proj) = *projection {
custom_proj.update(width as f32, height as f32);
Ok(())
} else {
panic!(
"Expected custom projection for Processing graphics entity, this should not happen. If you are seeing this message, please report a bug."
);
}
}
pub fn mode_3d(
In(entity): In<Entity>,
mut projections: Query<&mut Projection>,
mut transforms: Query<&mut Transform>,
sizes: Query<&SurfaceSize>,
) -> Result<()> {
let SurfaceSize(width, height) = sizes
.get(entity)
.map_err(|_| ProcessingError::GraphicsNotFound)?;
let width = *width as f32;
let height = *height as f32;
let fov = std::f32::consts::PI / 3.0; // 60 degrees
let aspect = width / height;
let camera_z = (height / 2.0) / (fov / 2.0).tan();
let near = camera_z / 10.0;
let far = camera_z * 10.0;
// TODO: Setting this as a default, but we need to think about API around
// a user defined value
let near_clip_plane = vec4(0.0, 0.0, -1.0, -near);
let mut projection = projections
.get_mut(entity)
.map_err(|_| ProcessingError::GraphicsNotFound)?;
*projection = Projection::Perspective(PerspectiveProjection {
fov,
aspect_ratio: aspect,
near,
far,
near_clip_plane,
});
let mut transform = transforms
.get_mut(entity)
.map_err(|_| ProcessingError::GraphicsNotFound)?;
*transform = Transform::from_xyz(0.0, 0.0, camera_z).looking_at(Vec3::ZERO, Vec3::Y);
Ok(())
}
pub fn mode_2d(
In(entity): In<Entity>,
mut projections: Query<&mut Projection>,
mut transforms: Query<&mut Transform>,
sizes: Query<&SurfaceSize>,
) -> Result<()> {
let SurfaceSize(width, height) = sizes
.get(entity)
.map_err(|_| ProcessingError::GraphicsNotFound)?;
let mut projection = projections
.get_mut(entity)
.map_err(|_| ProcessingError::GraphicsNotFound)?;
*projection = Projection::custom(ProcessingProjection {
width: *width as f32,
height: *height as f32,
near: 0.0,
far: 1000.0,
});
let mut transform = transforms
.get_mut(entity)
.map_err(|_| ProcessingError::GraphicsNotFound)?;
*transform = Transform::from_xyz(0.0, 0.0, 999.9);
Ok(())
}
pub fn perspective(
In((
entity,
PerspectiveProjection {
fov,
aspect_ratio,
near,
far,
near_clip_plane,
},
)): In<(Entity, PerspectiveProjection)>,
mut projections: Query<&mut Projection>,
) -> Result<()> {
let mut projection = projections
.get_mut(entity)
.map_err(|_| ProcessingError::GraphicsNotFound)?;
*projection = Projection::Perspective(PerspectiveProjection {
fov,
aspect_ratio,
near,
far,
near_clip_plane,
});
Ok(())
}
pub struct OrthoArgs {
pub left: f32,
pub right: f32,
pub bottom: f32,
pub top: f32,
pub near: f32,
pub far: f32,
}
pub fn ortho(
In((
entity,
OrthoArgs {
left,
right,
bottom,
top,
near,
far,
},
)): In<(Entity, OrthoArgs)>,
mut projections: Query<&mut Projection>,
) -> Result<()> {
let mut projection = projections
.get_mut(entity)
.map_err(|_| ProcessingError::GraphicsNotFound)?;
// we need a custom projection to support processing's coordinate system
// but this is in effect an orthographic projection with the given bounds
*projection = Projection::custom(ProcessingProjection {
width: right - left,
height: top - bottom,
near,
far,
});
Ok(())
}
pub fn destroy(
In(entity): In<Entity>,
mut commands: Commands,
mut layer_manager: ResMut<RenderLayersManager>,
graphics_query: Query<&RenderLayers>,
) -> Result<()> {
let Ok(render_layers) = graphics_query.get(entity) else {
return Err(ProcessingError::GraphicsNotFound);
};
layer_manager.free(render_layers.clone());
commands.entity(entity).despawn();
Ok(())
}
pub fn begin_draw(In(entity): In<Entity>, mut state_query: Query<&mut RenderState>) -> Result<()> {
let mut state = state_query
.get_mut(entity)
.map_err(|_| ProcessingError::GraphicsNotFound)?;
state.reset();
Ok(())
}
pub fn flush(app: &mut App, entity: Entity) -> Result<()> {
graphics_mut!(app, entity).insert(Flush);
app.update();
graphics_mut!(app, entity).remove::<Flush>();
// ensure graphics targets are available immediately after flush
app.world_mut()
.run_system_cached(update_view_targets)
.expect("Failed to run update_view_targets");
Ok(())
}
pub fn present(app: &mut App, entity: Entity) -> Result<()> {
graphics_mut!(app, entity)
.get_mut::<Camera>()
.ok_or(ProcessingError::GraphicsNotFound)?
.output_mode = CameraOutputMode::Write {
blend_state: None,
clear_color: ClearColorConfig::None,
};
flush(app, entity)?;
graphics_mut!(app, entity)
.get_mut::<Camera>()
.ok_or(ProcessingError::GraphicsNotFound)?
.output_mode = CameraOutputMode::Skip;
Ok(())
}
/// End the current draw
pub fn end_draw(app: &mut App, entity: Entity) -> Result<()> {
present(app, entity)
}
pub fn record_command(
In((graphics_entity, cmd)): In<(Entity, DrawCommand)>,
mut graphics_query: Query<&mut CommandBuffer>,
) -> Result<()> {
let mut command_buffer = graphics_query
.get_mut(graphics_entity)
.map_err(|_| ProcessingError::GraphicsNotFound)?;
command_buffer.push(cmd);
Ok(())
}
pub struct ReadbackData {
pub bytes: Vec<u8>,
pub format: TextureFormat,
pub width: u32,
pub height: u32,
}
pub fn readback_raw(
In(entity): In<Entity>,
graphics_query: Query<&Graphics>,
graphics_targets: Res<GraphicsTargets>,
render_device: Res<RenderDevice>,
render_queue: Res<RenderQueue>,
) -> Result<ReadbackData> {
let graphics = graphics_query
.get(entity)
.map_err(|_| ProcessingError::GraphicsNotFound)?;
let view_target = graphics_targets
.get(&entity)
.ok_or(ProcessingError::GraphicsNotFound)?;
let texture = view_target.main_texture();
let mut encoder = render_device.create_command_encoder(&CommandEncoderDescriptor::default());
let px_size = pixel_size(graphics.texture_format)?;
let padded_bytes_per_row =
RenderDevice::align_copy_bytes_per_row(graphics.size.width as usize * px_size);
encoder.copy_texture_to_buffer(
texture.as_image_copy(),
TexelCopyBufferInfo {
buffer: &graphics.readback_buffer,
layout: TexelCopyBufferLayout {
offset: 0,
bytes_per_row: Some(
std::num::NonZero::<u32>::new(padded_bytes_per_row as u32)
.unwrap()
.into(),
),
rows_per_image: None,
},
},
graphics.size,
);
render_queue.submit(std::iter::once(encoder.finish()));
let buffer_slice = graphics.readback_buffer.slice(..);
let (s, r) = crossbeam_channel::bounded(1);
buffer_slice.map_async(MapMode::Read, move |r| match r {
Ok(r) => s.send(r).expect("Failed to send map update"),
Err(err) => panic!("Failed to map buffer {err}"),
});
render_device
.poll(PollType::wait_indefinitely())
.expect("Failed to poll device for map async");
r.recv().expect("Failed to receive the map_async message");
let data = buffer_slice.get_mapped_range().to_vec();
graphics.readback_buffer.unmap();
// strip row padding
let bytes_per_row = graphics.size.width as usize * px_size;
let unpadded = if padded_bytes_per_row != bytes_per_row {
data.chunks_exact(padded_bytes_per_row)
.take(graphics.size.height as usize)
.flat_map(|row| &row[..bytes_per_row])
.copied()
.collect()
} else {
data
};
Ok(ReadbackData {
bytes: unpadded,
format: graphics.texture_format,
width: graphics.size.width,
height: graphics.size.height,
})
}
pub fn update_region_write(
In((entity, x, y, width, height, data, px_size)): In<(
Entity,
u32,
u32,
u32,
u32,
Vec<u8>,
u32,
)>,
graphics_query: Query<&Graphics>,
graphics_targets: Res<GraphicsTargets>,
render_queue: Res<RenderQueue>,
) -> Result<()> {
let graphics = graphics_query
.get(entity)
.map_err(|_| ProcessingError::GraphicsNotFound)?;
// bounds check
if x + width > graphics.size.width || y + height > graphics.size.height {
return Err(ProcessingError::InvalidArgument(format!(
"Region ({}, {}, {}, {}) exceeds graphics bounds ({}, {})",
x, y, width, height, graphics.size.width, graphics.size.height
)));
}
let view_target = graphics_targets
.get(&entity)
.ok_or(ProcessingError::GraphicsNotFound)?;
let texture = view_target.main_texture();
let bytes_per_row = width * px_size;
render_queue.write_texture(
TexelCopyTextureInfo {
texture,
mip_level: 0,
origin: Origin3d { x, y, z: 0 },
aspect: Default::default(),
},
&data,
TexelCopyBufferLayout {
offset: 0,
bytes_per_row: Some(bytes_per_row),
rows_per_image: None,
},
Extent3d {
width,
height,
depth_or_array_layers: 1,
},
);
Ok(())
}
pub fn prepare_update_region(
world: &World,
entity: Entity,
width: u32,
height: u32,
pixels: &[LinearRgba],
) -> Result<(Vec<u8>, u32)> {
let expected_count = (width * height) as usize;
if pixels.len() != expected_count {
return Err(ProcessingError::InvalidArgument(format!(
"Expected {} pixels for {}x{} region, got {}",
expected_count,
width,
height,
pixels.len()
)));
}
let graphics = world
.get::<Graphics>(entity)
.ok_or(ProcessingError::GraphicsNotFound)?;
let px_size = pixel_size(graphics.texture_format)? as u32;
let data = pixels_to_bytes(pixels, graphics.texture_format)?;
Ok((data, px_size))
}
#[derive(Resource, Debug, Clone, Reflect)]
pub struct RenderLayersManager {
used: RenderLayers,
next_free: usize,
}
impl Default for RenderLayersManager {
fn default() -> Self {
RenderLayersManager {
used: RenderLayers::none(),
next_free: 1,
}
}
}
impl RenderLayersManager {
pub fn allocate(&mut self) -> RenderLayers {
let layer = self.next_free;
if layer >= Self::max_layer() {
// if the user is hitting this limit, they are probably doing something wrong
// as this is a very large number of layers that would likely cause serious
// performance issues long before reaching this point
panic!(
"Exceeded maximum number of render layers, this should not happen. If you are seeing this message, please report a bug."
);
}
self.used = self.used.clone().with(layer);
self.next_free = (layer + 1..Self::max_layer())
.find(|&l| !self.is_used(l))
.unwrap_or(Self::max_layer());
RenderLayers::none().with(layer)
}
pub fn free(&mut self, layers: RenderLayers) {
for layer in layers.iter() {
if layer == 0 {
continue;
}
self.used = self.used.clone().without(layer);
if layer < self.next_free {
self.next_free = layer;
}
}
}
pub fn is_used(&self, layer: usize) -> bool {
let single = RenderLayers::none().with(layer);
self.used.intersects(&single)
}
const fn max_layer() -> usize {
// an arbitrary limit, in theory we could keep going forever but
// if we reach this point something is probably wrong
4096
}
}
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn test_processing_projection() {
let proj = ProcessingProjection {
width: 800.0,
height: 600.0,
near: 0.1,
far: 1000.0,
};
let clip_matrix = proj.get_clip_from_view();
// Check some values in the matrix to ensure it's correct
// In [0,1] depth orthographic projection, w_axis.z = -near/(far-near)
let expected = -0.1 / (1000.0 - 0.1);
assert!((clip_matrix.w_axis.z - expected).abs() < 1e-6);
}
#[test]
fn test_layer_reservation() {
let mut manager = RenderLayersManager::default();
let layer1 = manager.allocate();
let layer1_clone = layer1.clone();
let layer2 = manager.allocate();
assert_ne!(layer1, layer2);
manager.free(layer1);
let layer3 = manager.allocate();
assert_eq!(layer1_clone, layer3);
}
}