wayland_bridge/
compositor.rs

1// Copyright 2018 The Fuchsia Authors. All rights reserved.
2// Use of this source code is governed by a BSD-style license that can be
3// found in the LICENSE file.
4
5use crate::buffer::{Buffer, ImageInstanceId};
6use crate::client::{Client, TaskQueue};
7use crate::display::Callback;
8use crate::object::{NewObjectExt, ObjectRef, RequestReceiver};
9use crate::scenic::FlatlandPtr;
10use crate::subcompositor::Subsurface;
11use crate::xdg_shell::XdgSurface;
12use anyhow::{format_err, Error};
13use fidl_fuchsia_math::{Rect, RectF, Size, SizeU, Vec_};
14use fidl_fuchsia_ui_composition::{BlendMode, TransformId};
15use std::mem;
16use std::sync::atomic::{AtomicUsize, Ordering};
17use wayland_server_protocol::{
18    WlBufferEvent, WlCompositor, WlCompositorRequest, WlRegion, WlRegionRequest, WlSurface,
19    WlSurfaceRequest,
20};
21use zx::{self as zx, HandleBased};
22use {fuchsia_async as fasync, fuchsia_trace as ftrace, fuchsia_wayland_core as wl};
23
24static NEXT_IMAGE_INSTANCE_ID: AtomicUsize = AtomicUsize::new(1);
25
26/// An implementation of the wl_compositor global.
27pub struct Compositor;
28
29impl Compositor {
30    /// Creates a new `Compositor`.
31    pub fn new() -> Self {
32        Self
33    }
34}
35
36impl RequestReceiver<WlCompositor> for Compositor {
37    fn receive(
38        _this: ObjectRef<Self>,
39        request: WlCompositorRequest,
40        client: &mut Client,
41    ) -> Result<(), Error> {
42        match request {
43            WlCompositorRequest::CreateSurface { id } => {
44                let surface_id = id.id();
45                id.implement(client, Surface::new(surface_id))?;
46            }
47            WlCompositorRequest::CreateRegion { id } => {
48                id.implement(client, Region { rects: vec![] })?;
49            }
50        }
51        Ok(())
52    }
53}
54
55/// A `SurfaceNode` manages the set of flatland resources associated with a
56/// surface.
57struct SurfaceNode {
58    /// The flatland instance that can be used to create flatland entities.
59    pub flatland: FlatlandPtr,
60    /// The flatland transform that represents this surface. Views can present this
61    /// surface by placeing this transform in their view hierarchy.
62    pub transform_id: TransformId,
63}
64
65impl SurfaceNode {
66    pub fn new(flatland: FlatlandPtr) -> Self {
67        let transform_id = flatland.borrow_mut().alloc_transform_id();
68        flatland.borrow().proxy().create_transform(&transform_id).expect("fidl error");
69        Self { flatland, transform_id }
70    }
71}
72
73#[derive(Debug, Copy, Clone, PartialEq)]
74pub struct ViewportCropParams {
75    pub x: f32,
76    pub y: f32,
77    pub width: f32,
78    pub height: f32,
79}
80
81#[derive(Debug, Copy, Clone, PartialEq)]
82pub struct ViewportScaleParams {
83    pub width: i32,
84    pub height: i32,
85}
86
87#[derive(Debug, Copy, Clone, PartialEq)]
88pub enum SurfaceRelation {
89    Above,
90    Below,
91}
92
93#[derive(Debug, Copy, Clone, PartialEq)]
94pub struct PlaceSubsurfaceParams {
95    pub subsurface: ObjectRef<Subsurface>,
96    pub sibling: ObjectRef<Surface>,
97    pub relation: SurfaceRelation,
98}
99
100pub enum SurfaceCommand {
101    AttachBuffer(BufferAttachment),
102    ClearBuffer,
103    Frame(ObjectRef<Callback>),
104    SetOpaqueRegion(Region),
105    SetViewportCropParams(ViewportCropParams),
106    ClearViewportCropParams,
107    SetViewportScaleParams(ViewportScaleParams),
108    ClearViewportScaleParams,
109    SetWindowGeometry(Rect),
110    SetPosition(i32, i32),
111    AddSubsurface(ObjectRef<Surface>, ObjectRef<Subsurface>),
112    PlaceSubsurface(PlaceSubsurfaceParams),
113}
114
115/// A Surface is the object backing wl_surface protocol objects.
116///
117/// A Surface alone is not of much use until it's been assigned a role. Surface
118/// roles are assigned implicitly when binding the role object to the surface.
119///
120/// For example, the request wl_shell::get_shell_surface(new_id, object<wl_surface>)
121/// will create a new wl_shell_surface object for the provided surface. When
122/// this happens we assign the `wl_shell_surface` role to the underlying
123/// `wl_surface` object. Once a surface has been assigned a role, it is an error
124/// to attempt to assign it a different role.
125pub struct Surface {
126    /// The current size of this surface as determined by the currently attached
127    /// buffer and scale.
128    ///
129    /// If no buffer is currently associated with this surface the size will be
130    /// (0, 0).
131    size: Size,
132
133    /// The position of this surface with its parent.
134    ///
135    /// If this surface has no parent, its position will be (0, 0).
136    position: (i32, i32),
137
138    /// The relative z-ordering of this surface relative to other subsurfaces.
139    ///
140    /// Surfaces with a higher z-order will be drawn over surfaces with a lower
141    /// z-order.
142    ///
143    /// TODO: This is sufficient to implement a single wl_surface with an
144    /// arbitrary number of wl_subsurfaces. We'll need to make this more
145    /// intelligent to handle the case of nested subsurfaces (that is, a sub-
146    /// surface that has child subsurfaces itself).
147    z_order: usize,
148
149    /// The assgned role for this surface. This is set to `None` on creation
150    /// and is implicitly set when creating the role object.
151    ///
152    /// Ex:
153    ///
154    ///   xdg_shell::get_xdg_surface(new_id<xdg_surface>, object<wl_surface>)
155    ///
156    /// The above request in the xdg_shell interface creates a new xdg_surface
157    /// object for the provided wl_surface. This request would assign the
158    /// xdg_surface role to the wl_surface.
159    role: Option<SurfaceRole>,
160
161    /// The opaque region for this surface.
162    ///
163    /// This determines what blend mode to use for surface.
164    opaque_region: Region,
165
166    /// The crop parameters are set by a wp_viweport::set_source request.
167    ///
168    /// If set, this determines how a surface should be cropped to the viewport.
169    crop_params: Option<ViewportCropParams>,
170
171    /// The scale parameters are set by a wp_viweport::set_destination request.
172    ///
173    /// If set, this determines how a surface should be scaled to the viewport.
174    scale_params: Option<ViewportScaleParams>,
175
176    /// Callbacks set by the client for redraw hints.
177    frame_callbacks: Vec<ObjectRef<Callback>>,
178
179    /// The set of scenic node resources that implement this surface. Initially
180    /// this is `None` and becomes populated when a scenic session has been
181    /// associated with the surface (see `Surface::set_session`).
182    ///
183    /// For a surface to be presented, it must have an assigned scenic session
184    /// and this node must be included in a scenic resource tree that is mapped
185    /// to a View (see XdgToplevel).
186    node: Option<SurfaceNode>,
187
188    /// The window geometry defines the portion of the surface that should be
189    /// considered the primary window region. Portions of the surface outside
190    /// of the window geometry may contain additional detail and/or client-side
191    /// decorations.
192    ///
193    /// If unset then the entire surface bounds will be used as the window
194    /// geometry.
195    window_geometry: Option<Rect>,
196
197    /// The set of commands that have been queued up, pending the next commit.
198    pending_commands: Vec<SurfaceCommand>,
199
200    /// The set of active subsurfaces attached to this surface.
201    ///
202    /// The first element of the tuple is the wl_surface id for the surface. The
203    /// second tuple element is the wl_subsurface id of the subsurface. The
204    /// parent will be inserted into this vector with `None` for the subsurface
205    /// ref, which enables this vector to track the current subsurface ordering
206    /// of all subsurfaces and the parent.
207    subsurfaces: Vec<(ObjectRef<Surface>, Option<ObjectRef<Subsurface>>)>,
208
209    /// Parent and offset that can be set using aura shell interface.
210    parent: Option<ObjectRef<Surface>>,
211    offset: Option<(i32, i32)>,
212
213    /// Frame callbacks for next present.
214    present_callbacks: Vec<ObjectRef<Callback>>,
215
216    /// Present credits that determine if we are allowed to present.
217    present_credits: u32,
218
219    /// Set after we tried to Present but had no remaining credits. This is used
220    /// to trigger a present as soon as we a credit.
221    present_needed: bool,
222
223    /// Frame callbacks for OnNextFrameBegin event.
224    on_next_frame_begin_callbacks: Vec<ObjectRef<Callback>>,
225
226    /// Global identifier for image instances used by this surface.
227    image_instance_id: ImageInstanceId,
228
229    /// The current content of this surface as determined by the currently attached
230    /// buffer.
231    content: Option<BufferAttachment>,
232}
233
234impl Surface {
235    /// Enqueues a command for this surface to take effect on the next call to
236    /// wl_surface::commit.
237    pub fn enqueue(&mut self, command: SurfaceCommand) {
238        self.pending_commands.push(command);
239    }
240
241    pub fn detach_subsurface(&mut self, subsurface_ref: ObjectRef<Subsurface>) {
242        if let Some(index) = self.subsurfaces.iter().position(|x| x.1 == Some(subsurface_ref)) {
243            self.subsurfaces.remove(index);
244        }
245    }
246
247    /// Assigns a role to this surface.
248    ///
249    /// The role can be updated as long as the type of role remains the same,
250    /// it is an error to set a different type of role for that same surface.
251    pub fn set_role(&mut self, role: SurfaceRole) -> Result<(), Error> {
252        ftrace::duration!(c"wayland", c"Surface::set_role");
253        // The role is valid unless a different role has been assigned before.
254        let valid_role = match &self.role {
255            Some(SurfaceRole::XdgSurface(_)) => match role {
256                SurfaceRole::XdgSurface(_) => true,
257                _ => false,
258            },
259            Some(SurfaceRole::Subsurface(_)) => match role {
260                SurfaceRole::Subsurface(_) => true,
261                _ => false,
262            },
263            _ => true,
264        };
265        if valid_role {
266            self.role = Some(role);
267            Ok(())
268        } else {
269            Err(format_err!(
270                "Attemping to reassign surface role from {:?} to {:?}",
271                self.role,
272                role
273            ))
274        }
275    }
276
277    pub fn set_parent_and_offset(&mut self, parent: Option<ObjectRef<Surface>>, x: i32, y: i32) {
278        self.parent = parent;
279        self.offset = Some((x, y));
280    }
281
282    pub fn window_geometry(&self) -> Rect {
283        if let Some(window_geometry) = self.window_geometry.as_ref() {
284            Rect { ..*window_geometry }
285        } else {
286            Rect { x: 0, y: 0, width: self.size.width, height: self.size.height }
287        }
288    }
289
290    pub fn offset(&self) -> Option<(i32, i32)> {
291        self.offset
292    }
293
294    // TODO: Determine correct error handling.
295    fn commit_subsurfaces(
296        client: &mut Client,
297        callbacks: &mut Vec<ObjectRef<Callback>>,
298        subsurfaces: &[(ObjectRef<Surface>, Option<ObjectRef<Subsurface>>)],
299    ) -> Result<(), Error> {
300        ftrace::duration!(c"wayland", c"Surface::commit_subsurfaces");
301        for (index, entry) in subsurfaces.iter().enumerate() {
302            entry.0.get_mut(client)?.z_order = index;
303            if let Some(subsurface_ref) = entry.1 {
304                if subsurface_ref.get(client)?.is_sync() {
305                    // Get pending commands from subsurface
306                    let mut pending_state = subsurface_ref.get_mut(client)?.take_pending_state();
307                    let task_queue = client.task_queue();
308                    let surface_ref = subsurface_ref.get(client)?.surface();
309                    let surface = surface_ref.get_mut(client)?;
310                    surface.pending_commands.append(&mut pending_state.0);
311                    callbacks.append(&mut pending_state.1);
312                    surface.commit_self(task_queue, callbacks)?;
313                }
314            }
315        }
316
317        Ok(())
318    }
319
320    pub fn hit_test(
321        &self,
322        x: f32,
323        y: f32,
324        client: &Client,
325    ) -> Option<(ObjectRef<Self>, (i32, i32))> {
326        // Iterate over subsurfaces, starting with the top-most surface.
327        for (surface_ref, _) in self.subsurfaces.iter().rev() {
328            if let Some(surface) = surface_ref.try_get(client) {
329                let (x1, y1, x2, y2) = {
330                    let geometry = surface.window_geometry();
331                    (
332                        surface.position.0,
333                        surface.position.1,
334                        surface.position.0 + geometry.width,
335                        surface.position.1 + geometry.height,
336                    )
337                };
338                if x >= x1 as f32 && y >= y1 as f32 && x <= x2 as f32 && y <= y2 as f32 {
339                    return Some((*surface_ref, surface.position));
340                }
341            }
342        }
343
344        None
345    }
346
347    /// Creates a new `Surface`.
348    pub fn new(id: wl::ObjectId) -> Self {
349        Surface {
350            size: Size { width: 0, height: 0 },
351            position: (0, 0),
352            z_order: 0,
353            role: None,
354            opaque_region: Region { rects: vec![] },
355            crop_params: None,
356            scale_params: None,
357            frame_callbacks: vec![],
358            node: None,
359            window_geometry: None,
360            parent: None,
361            offset: None,
362            pending_commands: Vec::new(),
363            subsurfaces: vec![(id.into(), None)],
364            present_callbacks: vec![],
365            present_credits: 1,
366            present_needed: false,
367            on_next_frame_begin_callbacks: vec![],
368            image_instance_id: NEXT_IMAGE_INSTANCE_ID.fetch_add(1, Ordering::Relaxed),
369            content: None,
370        }
371    }
372
373    /// Assigns the Flatland instance for this surface.
374    ///
375    /// When a surface is initially created, it has no Flatland instance. Since
376    /// the instance is used to create the Flatland resources backing the surface,
377    /// a wl_surface _must_ have an assigned an instance before it is committed.
378    ///
379    /// Ex: for xdg_toplevel surfaces, the a new instance will be created for
380    /// each toplevel.
381    ///
382    /// It is an error to call `set_flatland` multiple times for the same
383    /// surface.
384    pub fn set_flatland(&mut self, flatland: FlatlandPtr) -> Result<(), Error> {
385        ftrace::duration!(c"wayland", c"Surface::set_flatland");
386        if self.node.is_some() {
387            Err(format_err!("Changing the Flatland instance for a surface is not supported"))
388        } else {
389            self.node = Some(SurfaceNode::new(flatland));
390            Ok(())
391        }
392    }
393
394    pub fn clear_flatland(&mut self) {
395        self.node = None;
396    }
397
398    pub fn flatland(&self) -> Option<FlatlandPtr> {
399        self.node.as_ref().map(|n| n.flatland.clone())
400    }
401
402    /// Returns a reference to the `TransformId` for this surface.
403    pub fn transform(&self) -> Option<&TransformId> {
404        self.node.as_ref().map(|n| &n.transform_id)
405    }
406
407    pub fn take_on_next_frame_begin_callbacks(&mut self) -> Vec<ObjectRef<Callback>> {
408        mem::replace(&mut self.on_next_frame_begin_callbacks, vec![])
409    }
410
411    /// Updates the current surface state by applying a single `SurfaceCommand`.
412    fn apply(&mut self, command: SurfaceCommand) -> Result<(), Error> {
413        match command {
414            SurfaceCommand::AttachBuffer(attachment) => {
415                self.content = Some(attachment);
416            }
417            SurfaceCommand::ClearBuffer => {}
418            SurfaceCommand::Frame(callback) => {
419                self.frame_callbacks.push(callback);
420            }
421            SurfaceCommand::SetOpaqueRegion(region) => {
422                self.opaque_region = region;
423            }
424            SurfaceCommand::SetViewportCropParams(params) => {
425                self.crop_params = Some(params);
426            }
427            SurfaceCommand::ClearViewportCropParams => {
428                self.crop_params = None;
429            }
430            SurfaceCommand::SetViewportScaleParams(params) => {
431                self.scale_params = Some(params);
432            }
433            SurfaceCommand::ClearViewportScaleParams => {
434                self.scale_params = None;
435            }
436            SurfaceCommand::SetWindowGeometry(geometry) => {
437                self.window_geometry = Some(geometry);
438            }
439            SurfaceCommand::SetPosition(x, y) => {
440                self.position = (x, y);
441            }
442            SurfaceCommand::AddSubsurface(surface_ref, subsurface_ref) => {
443                self.subsurfaces.push((surface_ref, Some(subsurface_ref)));
444            }
445            SurfaceCommand::PlaceSubsurface(params) => {
446                let sibling_index = if let Some(index) =
447                    self.subsurfaces.iter().position(|x| x.0 == params.sibling)
448                {
449                    index
450                } else {
451                    return Err(format_err!("Invalid sibling id {}", params.sibling.id()));
452                };
453                let sibling_entry = self.subsurfaces.remove(sibling_index);
454                let anchor_index = if let Some(index) =
455                    self.subsurfaces.iter().position(|x| x.1 == Some(params.subsurface))
456                {
457                    index
458                } else {
459                    return Err(format_err!("Invalid subsurface id {}", params.subsurface.id()));
460                };
461
462                let new_index = match params.relation {
463                    SurfaceRelation::Below => anchor_index,
464                    SurfaceRelation::Above => anchor_index + 1,
465                };
466                self.subsurfaces.insert(new_index, sibling_entry);
467            }
468        };
469        Ok(())
470    }
471
472    /// Performs the logic to commit the local state of this surface.
473    ///
474    /// This will update the scenic Node for this surface.
475    fn commit_self(
476        &mut self,
477        task_queue: TaskQueue,
478        callbacks: &mut Vec<ObjectRef<Callback>>,
479    ) -> Result<(), Error> {
480        ftrace::duration!(c"wayland", c"Surface::commit_self");
481
482        // Save the last buffer ID before applying updates.
483        let last_buffer_id = self.content.as_ref().map(|content| content.id());
484
485        let commands = mem::replace(&mut self.pending_commands, Vec::new());
486        for command in commands {
487            self.apply(command)?;
488        }
489
490        let node = match self.node.as_ref() {
491            Some(node) => node,
492            None => {
493                // This is expected for some surfaces that aren't implemented
494                // yet, like wl_pointer cursor surfaces.
495                println!(
496                    "No flatland instance associated with surface role {:?}; skipping commit",
497                    self.role
498                );
499                return Ok(());
500            }
501        };
502
503        if let Some(content) = &self.content {
504            // Acquire image content. The instance ID ensures that usage of buffer by
505            // another surface will not conflict with this surface.
506            let image_content =
507                content.buffer.image_content(self.image_instance_id, &node.flatland);
508            let image_size = content.buffer.image_size();
509
510            // Set image as content for transform.
511            node.flatland
512                .borrow()
513                .proxy()
514                .set_content(&node.transform_id, &image_content.id)
515                .expect("fidl error");
516
517            // Set image sample region based on current crop params.
518            let sample_region = self.crop_params.map_or(
519                RectF {
520                    x: 0.0,
521                    y: 0.0,
522                    width: image_size.width as f32,
523                    height: image_size.height as f32,
524                },
525                |crop| RectF { x: crop.x, y: crop.y, width: crop.width, height: crop.height },
526            );
527            node.flatland
528                .borrow()
529                .proxy()
530                .set_image_sample_region(&image_content.id, &sample_region)
531                .expect("fidl error");
532
533            // Set destination size based on current scale params.
534            let destination_size = self.scale_params.map_or(
535                SizeU { width: image_size.width as u32, height: image_size.height as u32 },
536                |scale| SizeU { width: scale.width as u32, height: scale.height as u32 },
537            );
538            node.flatland
539                .borrow()
540                .proxy()
541                .set_image_destination_size(&image_content.id, &destination_size)
542                .expect("fidl error");
543
544            // Update surface size. This is used to determine window geometry and blend mode.
545            self.size = Size {
546                width: destination_size.width as i32,
547                height: destination_size.height as i32,
548            };
549
550            // Set blend mode based on the opaque region and if the buffer
551            // has an alpha channel.
552            let blend_mode = if content.buffer.has_alpha() {
553                // Blending is not required if opaque region is set and
554                // matches the size of the surface.
555                if !self.opaque_region.rects.is_empty()
556                    && self.opaque_region.rects.iter().all(|r| {
557                        *r == (
558                            RectKind::Add,
559                            Rect { x: 0, y: 0, width: self.size.width, height: self.size.height },
560                        )
561                    })
562                {
563                    BlendMode::Src
564                } else {
565                    BlendMode::SrcOver
566                }
567            } else {
568                BlendMode::Src
569            };
570            node.flatland
571                .borrow()
572                .proxy()
573                .set_image_blending_function(&image_content.id, blend_mode)
574                .expect("fidl error");
575        }
576
577        let translation = if let Some(window_geometry) = self.window_geometry.as_ref() {
578            Vec_ { x: self.position.0 - window_geometry.x, y: self.position.1 - window_geometry.y }
579        } else {
580            Vec_ { x: self.position.0, y: self.position.1 }
581        };
582        node.flatland
583            .borrow()
584            .proxy()
585            .set_translation(&node.transform_id, &translation)
586            .expect("fidl error");
587
588        // Create and register a release fence to release the last buffer unless
589        // it's the same as the current buffer.
590        // TODO(https://fxbug.dev/42166298): Track multiple usages of the same buffer and only
591        // generate the release event when all usages drop to zero.
592        let buffer_id = self.content.as_ref().map(|content| content.id());
593        if last_buffer_id != buffer_id {
594            if let Some(last_buffer_id) = last_buffer_id {
595                let release_fence = zx::Event::create();
596                node.flatland.borrow_mut().add_release_fence(
597                    release_fence.duplicate_handle(zx::Rights::SAME_RIGHTS).unwrap(),
598                );
599                let task_queue = task_queue;
600                fasync::Task::local(async move {
601                    let _signals =
602                        fasync::OnSignals::new(&release_fence, zx::Signals::EVENT_SIGNALED)
603                            .await
604                            .unwrap();
605                    // Safe to ignore result as EVENT_SIGNALED must have
606                    // been observed if we reached this.
607                    task_queue.post(move |client| {
608                        client.event_queue().post(last_buffer_id, WlBufferEvent::Release)
609                    });
610                })
611                .detach();
612            }
613        }
614
615        callbacks.append(&mut self.frame_callbacks);
616
617        Ok(())
618    }
619
620    fn present_now(&mut self) {
621        ftrace::duration!(c"wayland", c"Surface::present_now");
622        if let Some(flatland) = self.flatland() {
623            // Wayland protocol doesn't provide a mechanism to control presentation time
624            // so we ask Flatland to present contents immediately by specifying a presentation
625            // time of 0.
626            flatland.borrow_mut().present(0);
627            self.present_credits -= 1;
628            self.present_needed = false;
629            let mut callbacks = mem::replace(&mut self.present_callbacks, vec![]);
630            self.on_next_frame_begin_callbacks.append(&mut callbacks);
631        } else {
632            println!("Unable to present surface without a flatland instance.");
633        }
634    }
635
636    pub fn present_internal(this: ObjectRef<Self>, client: &mut Client) {
637        ftrace::duration!(c"wayland", c"Surface::present_internal");
638        if let Some(surface) = this.try_get_mut(client) {
639            if surface.present_credits == 0 {
640                surface.present_needed = true;
641            } else {
642                surface.present_now();
643            }
644        }
645    }
646
647    pub fn present(
648        this: ObjectRef<Self>,
649        client: &mut Client,
650        mut callbacks: Vec<ObjectRef<Callback>>,
651    ) {
652        ftrace::duration!(c"wayland", c"Surface::present");
653        if let Some(surface) = this.try_get_mut(client) {
654            surface.present_callbacks.append(&mut callbacks);
655            if surface.present_credits == 0 {
656                surface.present_needed = true;
657            } else {
658                surface.present_now();
659            }
660        }
661    }
662
663    pub fn add_present_credits(this: ObjectRef<Self>, client: &mut Client, present_credits: u32) {
664        ftrace::duration!(c"wayland", c"Surface::add_present_credits");
665        if let Some(surface) = this.try_get_mut(client) {
666            surface.present_credits += present_credits;
667            // Present immediately if needed.
668            if surface.present_needed && surface.present_credits > 0 {
669                surface.present_now();
670            }
671        }
672    }
673}
674
675impl RequestReceiver<WlSurface> for Surface {
676    fn receive(
677        this: ObjectRef<Self>,
678        request: WlSurfaceRequest,
679        client: &mut Client,
680    ) -> Result<(), Error> {
681        match request {
682            WlSurfaceRequest::Destroy => {
683                client.input_dispatcher.clear_focus_on_surface_destroy(this);
684                client.delete_id(this.id())?;
685            }
686            WlSurfaceRequest::Attach { buffer, .. } => {
687                if buffer == 0 {
688                    this.get_mut(client)?.enqueue(SurfaceCommand::ClearBuffer);
689                } else {
690                    let attachment = BufferAttachment {
691                        buffer_id: buffer,
692                        buffer: client.get_object::<Buffer>(buffer)?.clone(),
693                    };
694                    this.get_mut(client)?.enqueue(SurfaceCommand::AttachBuffer(attachment));
695                }
696            }
697            WlSurfaceRequest::Frame { callback } => {
698                let callback = callback.implement(client, Callback)?;
699                this.get_mut(client)?.enqueue(SurfaceCommand::Frame(callback));
700            }
701            WlSurfaceRequest::Commit => {
702                let mut callbacks = Vec::new();
703                let role = {
704                    if let Some(SurfaceRole::Subsurface(subsurface_ref)) = this.get(client)?.role {
705                        if subsurface_ref.get(client)?.is_sync() {
706                            // We're a sync subsurface. We don't want to commit
707                            // self yet. Rather we extract the current pending
708                            // commands and defer them to be applied when our
709                            // parent is committed.
710                            let commands = {
711                                let surface = this.get_mut(client)?;
712                                mem::replace(&mut surface.pending_commands, Vec::new())
713                            };
714                            subsurface_ref.get_mut(client)?.add_pending_commands(commands);
715                            return Ok(());
716                        }
717                    }
718
719                    // If we're not a sync subsurface, we proceed with committing our
720                    // state.
721                    let task_queue = client.task_queue();
722                    let surface = this.get_mut(client)?;
723                    surface.commit_self(task_queue, &mut callbacks)?;
724                    surface.role
725                };
726
727                // We're applying our state so we need to apply any state associated
728                // with sync subsurfaces.
729                {
730                    // We briefly extract the subsurface vector from the surface
731                    // to allow us to iterate over the subsurfaces to commit.
732                    // We need to perform some mutable operations here (changing
733                    // z-index), so this is safe as long as no new subsurfaces
734                    // are added. That should never happen, and we assert that
735                    // the subsurface vector is indeed empty when we re-insert
736                    // the subsurface vector back into the surface.
737                    let subsurfaces =
738                        mem::replace(&mut this.get_mut(client)?.subsurfaces, Vec::new());
739                    let result =
740                        Self::commit_subsurfaces(client, &mut callbacks, subsurfaces.as_slice());
741                    let subsurfaces =
742                        mem::replace(&mut this.get_mut(client)?.subsurfaces, subsurfaces);
743                    assert!(subsurfaces.is_empty());
744                    result?;
745                }
746
747                // Notify the role objects that there's been a commit. This hook will
748                // return a boolean indicating if the role needs a present. For example,
749                // an xdg_toplevel will need a Present to get its newly updated state
750                // onto the screen, but a sync wl_subsurface wants to defer a present
751                // until its parent state is committed.
752                let needs_present = role
753                    .map(|role| role.finalize_commit(client, &mut callbacks))
754                    .unwrap_or(Ok(false))?;
755
756                // We trigger a present if explicitly requested of if there are any
757                // remaining frame callbacks.
758                if needs_present || !callbacks.is_empty() {
759                    Self::present(this, client, callbacks);
760                }
761            }
762            WlSurfaceRequest::Damage { .. } => {}
763            WlSurfaceRequest::SetOpaqueRegion { region } => {
764                let r = if region == 0 {
765                    Region { rects: vec![] }
766                } else {
767                    client.get_object::<Region>(region)?.clone()
768                };
769                this.get_mut(client)?.enqueue(SurfaceCommand::SetOpaqueRegion(r));
770            }
771            WlSurfaceRequest::SetInputRegion { .. } => {}
772            WlSurfaceRequest::SetBufferTransform { .. } => {}
773            WlSurfaceRequest::SetBufferScale { .. } => {}
774            WlSurfaceRequest::DamageBuffer { .. } => {}
775        }
776        Ok(())
777    }
778}
779
780/// `SurfaceRole` holds the set of every role that can be assigned to a
781/// wl_surface. Each variant will hold an `ObjectRef` to the role object.
782#[derive(Copy, Clone, Debug)]
783pub enum SurfaceRole {
784    /// The surface is an xdg_surface. Note that xdg_surface isn't a role
785    /// itself, but instead maps to sub-roles (ex: xdg_toplevel). We'll let
786    /// the `XdgSurface` handle the xdg sub-roles, however.
787    XdgSurface(ObjectRef<XdgSurface>),
788    Subsurface(ObjectRef<Subsurface>),
789}
790
791impl SurfaceRole {
792    /// Dispatches a commit command to the concrete role objects.
793    fn finalize_commit(
794        &self,
795        client: &mut Client,
796        callbacks: &mut Vec<ObjectRef<Callback>>,
797    ) -> Result<bool, Error> {
798        ftrace::duration!(c"wayland", c"SurfaceRole::commit");
799        match self {
800            SurfaceRole::XdgSurface(xdg_surface_ref) => {
801                XdgSurface::finalize_commit(*xdg_surface_ref, client)
802            }
803            SurfaceRole::Subsurface(subsurface_ref) => {
804                Ok(subsurface_ref.get_mut(client)?.finalize_commit(callbacks))
805            }
806        }
807    }
808}
809
810/// A `BufferAttachment` holds the state of the attached buffer to a `Surface`.
811///
812/// This amount to the set of arguments to the most recently received
813/// `wl_surface::attach` request.
814#[derive(Clone)]
815pub struct BufferAttachment {
816    pub buffer_id: wl::ObjectId,
817    /// The buffer object.
818    pub buffer: Buffer,
819    // TODO(tjdetwiler): Add x, y parameters from wl_surface::attach.
820}
821
822impl BufferAttachment {
823    pub fn id(&self) -> wl::ObjectId {
824        self.buffer_id
825    }
826}
827
828#[derive(PartialEq, Clone, Debug)]
829pub enum RectKind {
830    Add,
831    Subtract,
832}
833
834#[derive(PartialEq, Clone, Debug)]
835pub struct Region {
836    pub rects: Vec<(RectKind, Rect)>,
837}
838
839impl RequestReceiver<WlRegion> for Region {
840    fn receive(
841        this: ObjectRef<Self>,
842        request: WlRegionRequest,
843        client: &mut Client,
844    ) -> Result<(), Error> {
845        match request {
846            WlRegionRequest::Destroy => {
847                client.delete_id(this.id())?;
848            }
849            WlRegionRequest::Add { x, y, width, height } => {
850                let region = this.get_mut(client)?;
851                region.rects.push((RectKind::Add, Rect { x, y, width, height }));
852            }
853            WlRegionRequest::Subtract { x, y, width, height } => {
854                let region = this.get_mut(client)?;
855                region.rects.push((RectKind::Subtract, Rect { x, y, width, height }));
856            }
857        }
858        Ok(())
859    }
860}