use crate::{
error::{InitError, SwResultExt},
util, Rect, SoftBufferError,
};
use raw_window_handle::{HasDisplayHandle, HasWindowHandle, RawDisplayHandle, RawWindowHandle};
use std::{
cell::RefCell,
num::{NonZeroI32, NonZeroU32},
rc::Rc,
};
use wayland_client::{
backend::{Backend, ObjectId},
globals::{registry_queue_init, GlobalListContents},
protocol::{wl_registry, wl_shm, wl_surface},
Connection, Dispatch, EventQueue, Proxy, QueueHandle,
};
mod buffer;
use buffer::WaylandBuffer;
struct State;
pub struct WaylandDisplayImpl<D: ?Sized> {
conn: Option<Connection>,
event_queue: RefCell<EventQueue<State>>,
qh: QueueHandle<State>,
shm: wl_shm::WlShm,
_display: D,
}
impl<D: HasDisplayHandle + ?Sized> WaylandDisplayImpl<D> {
pub(crate) fn new(display: D) -> Result<Self, InitError<D>>
where
D: Sized,
{
let raw = display.display_handle()?.as_raw();
let wayland_handle = match raw {
RawDisplayHandle::Wayland(w) => w.display,
_ => return Err(InitError::Unsupported(display)),
};
let backend = unsafe { Backend::from_foreign_display(wayland_handle.as_ptr().cast()) };
let conn = Connection::from_backend(backend);
let (globals, event_queue) =
registry_queue_init(&conn).swbuf_err("Failed to make round trip to server")?;
let qh = event_queue.handle();
let shm: wl_shm::WlShm = globals
.bind(&qh, 1..=1, ())
.swbuf_err("Failed to instantiate Wayland Shm")?;
Ok(Self {
conn: Some(conn),
event_queue: RefCell::new(event_queue),
qh,
shm,
_display: display,
})
}
fn conn(&self) -> &Connection {
self.conn.as_ref().unwrap()
}
}
impl<D: ?Sized> Drop for WaylandDisplayImpl<D> {
fn drop(&mut self) {
self.conn = None;
}
}
pub struct WaylandImpl<D: ?Sized, W: ?Sized> {
display: Rc<WaylandDisplayImpl<D>>,
surface: Option<wl_surface::WlSurface>,
buffers: Option<(WaylandBuffer, WaylandBuffer)>,
size: Option<(NonZeroI32, NonZeroI32)>,
window_handle: W,
}
impl<D: HasDisplayHandle + ?Sized, W: HasWindowHandle> WaylandImpl<D, W> {
pub(crate) fn new(window: W, display: Rc<WaylandDisplayImpl<D>>) -> Result<Self, InitError<W>> {
let raw = window.window_handle()?.as_raw();
let wayland_handle = match raw {
RawWindowHandle::Wayland(w) => w.surface,
_ => return Err(InitError::Unsupported(window)),
};
let surface_id = unsafe {
ObjectId::from_ptr(
wl_surface::WlSurface::interface(),
wayland_handle.as_ptr().cast(),
)
}
.swbuf_err("Failed to create proxy for surface ID.")?;
let surface = wl_surface::WlSurface::from_id(display.conn(), surface_id)
.swbuf_err("Failed to create proxy for surface ID.")?;
Ok(Self {
display,
surface: Some(surface),
buffers: Default::default(),
size: None,
window_handle: window,
})
}
#[inline]
pub fn window(&self) -> &W {
&self.window_handle
}
pub fn resize(&mut self, width: NonZeroU32, height: NonZeroU32) -> Result<(), SoftBufferError> {
self.size = Some(
(|| {
let width = NonZeroI32::try_from(width).ok()?;
let height = NonZeroI32::try_from(height).ok()?;
Some((width, height))
})()
.ok_or(SoftBufferError::SizeOutOfRange { width, height })?,
);
Ok(())
}
pub fn buffer_mut(&mut self) -> Result<BufferImpl<'_, D, W>, SoftBufferError> {
let (width, height) = self
.size
.expect("Must set size of surface before calling `buffer_mut()`");
if let Some((_front, back)) = &mut self.buffers {
if !back.released() {
let mut event_queue = self.display.event_queue.borrow_mut();
while !back.released() {
event_queue.blocking_dispatch(&mut State).map_err(|err| {
SoftBufferError::PlatformError(
Some("Wayland dispatch failure".to_string()),
Some(Box::new(err)),
)
})?;
}
}
back.resize(width.get(), height.get());
} else {
self.buffers = Some((
WaylandBuffer::new(
&self.display.shm,
width.get(),
height.get(),
&self.display.qh,
),
WaylandBuffer::new(
&self.display.shm,
width.get(),
height.get(),
&self.display.qh,
),
));
};
let age = self.buffers.as_mut().unwrap().1.age;
Ok(BufferImpl {
stack: util::BorrowStack::new(self, |buffer| {
Ok(unsafe { buffer.buffers.as_mut().unwrap().1.mapped_mut() })
})?,
age,
})
}
pub fn fetch(&mut self) -> Result<Vec<u32>, SoftBufferError> {
Err(SoftBufferError::Unimplemented)
}
fn present_with_damage(&mut self, damage: &[Rect]) -> Result<(), SoftBufferError> {
let _ = self
.display
.event_queue
.borrow_mut()
.dispatch_pending(&mut State);
if let Some((front, back)) = &mut self.buffers {
std::mem::swap(front, back);
front.age = 1;
if back.age != 0 {
back.age += 1;
}
front.attach(self.surface.as_ref().unwrap());
if self.surface().version() < 4 {
self.surface().damage(0, 0, i32::MAX, i32::MAX);
} else {
for rect in damage {
let (x, y, width, height) = (|| {
Some((
i32::try_from(rect.x).ok()?,
i32::try_from(rect.y).ok()?,
i32::try_from(rect.width.get()).ok()?,
i32::try_from(rect.height.get()).ok()?,
))
})()
.ok_or(SoftBufferError::DamageOutOfRange { rect: *rect })?;
self.surface().damage_buffer(x, y, width, height);
}
}
self.surface().commit();
}
let _ = self.display.event_queue.borrow_mut().flush();
Ok(())
}
fn surface(&self) -> &wl_surface::WlSurface {
self.surface.as_ref().unwrap()
}
}
impl<D: ?Sized, W: ?Sized> Drop for WaylandImpl<D, W> {
fn drop(&mut self) {
self.surface = None;
}
}
pub struct BufferImpl<'a, D: ?Sized, W> {
stack: util::BorrowStack<'a, WaylandImpl<D, W>, [u32]>,
age: u8,
}
impl<'a, D: HasDisplayHandle + ?Sized, W: HasWindowHandle> BufferImpl<'a, D, W> {
#[inline]
pub fn pixels(&self) -> &[u32] {
self.stack.member()
}
#[inline]
pub fn pixels_mut(&mut self) -> &mut [u32] {
self.stack.member_mut()
}
pub fn age(&self) -> u8 {
self.age
}
pub fn present_with_damage(self, damage: &[Rect]) -> Result<(), SoftBufferError> {
self.stack.into_container().present_with_damage(damage)
}
pub fn present(self) -> Result<(), SoftBufferError> {
let imp = self.stack.into_container();
let (width, height) = imp
.size
.expect("Must set size of surface before calling `present()`");
imp.present_with_damage(&[Rect {
x: 0,
y: 0,
width: width.try_into().unwrap(),
height: height.try_into().unwrap(),
}])
}
}
impl Dispatch<wl_registry::WlRegistry, GlobalListContents> for State {
fn event(
_: &mut State,
_: &wl_registry::WlRegistry,
_: wl_registry::Event,
_: &GlobalListContents,
_: &Connection,
_: &QueueHandle<State>,
) {
}
}
impl Dispatch<wl_shm::WlShm, ()> for State {
fn event(
_: &mut State,
_: &wl_shm::WlShm,
_: wl_shm::Event,
_: &(),
_: &Connection,
_: &QueueHandle<State>,
) {
}
}