use std::env;
use std::fs::File;
use std::io::{Error as IoError, Read, Result as IoResult, Seek, SeekFrom, Write};
use std::ops::{Deref, Index};
use std::os::unix::io::{AsRawFd, FromRawFd, RawFd};
use std::time::{SystemTime, UNIX_EPOCH};
use nix::errno::Errno;
use nix::fcntl;
use nix::sys::{mman, stat};
use nix::unistd;
#[cfg(target_os = "linux")]
use {nix::sys::memfd, std::ffi::CStr};
use wayland_client::protocol::wl_buffer::WlBuffer;
use wayland_client::protocol::wl_shm::{Format, WlShm};
use wayland_client::protocol::wl_shm_pool::WlShmPool;
use wayland_client::{Attached, Main};
use xcursor::parser as xparser;
use xcursor::CursorTheme as XCursorTheme;
use xparser::Image as XCursorImage;
pub struct CursorTheme {
name: String,
cursors: Vec<Cursor>,
size: u32,
pool: Main<WlShmPool>,
pool_size: i32,
file: File,
}
impl CursorTheme {
pub fn load(size: u32, shm: &Attached<WlShm>) -> Self {
CursorTheme::load_or("default", size, shm)
}
pub fn load_or(name: &str, mut size: u32, shm: &Attached<WlShm>) -> Self {
let name_string = String::from(name);
let name = &env::var("XCURSOR_THEME").unwrap_or(name_string);
if let Ok(var) = env::var("XCURSOR_SIZE") {
if let Ok(int) = var.parse() {
size = int;
}
}
CursorTheme::load_from_name(name, size, shm)
}
pub fn load_from_name(name: &str, size: u32, shm: &Attached<WlShm>) -> Self {
const INITIAL_POOL_SIZE: i32 = 16 * 16 * 4;
let mem_fd = create_shm_fd().expect("Shm fd allocation failed");
let mut file = unsafe { File::from_raw_fd(mem_fd) };
file.set_len(INITIAL_POOL_SIZE as u64).expect("Failed to set buffer length");
file.write_all(&[0; INITIAL_POOL_SIZE as usize]).expect("Write to shm fd failed");
file.flush().expect("Flush on shm fd failed");
let pool = shm.create_pool(file.as_raw_fd(), INITIAL_POOL_SIZE);
let name = String::from(name);
CursorTheme { name, file, size, pool, pool_size: INITIAL_POOL_SIZE, cursors: Vec::new() }
}
pub fn get_cursor(&mut self, name: &str) -> Option<&Cursor> {
match self.cursors.iter().position(|cursor| cursor.name == name) {
Some(i) => Some(&self.cursors[i]),
None => {
let cursor = self.load_cursor(name, self.size)?;
self.cursors.push(cursor);
self.cursors.iter().last()
}
}
}
fn load_cursor(&mut self, name: &str, size: u32) -> Option<Cursor> {
let icon_path = XCursorTheme::load(&self.name).load_icon(name)?;
let mut icon_file = File::open(icon_path).ok()?;
let mut buf = Vec::new();
let images = {
icon_file.read_to_end(&mut buf).ok()?;
xparser::parse_xcursor(&buf)?
};
Some(Cursor::new(name, self, &images, size))
}
fn grow(&mut self, size: i32) {
if size > self.pool_size {
self.file.set_len(size as u64).expect("Failed to set new buffer length");
self.pool.resize(size);
self.pool_size = size;
}
}
}
#[derive(Clone)]
pub struct Cursor {
name: String,
images: Vec<CursorImageBuffer>,
total_duration: u32,
}
impl Cursor {
fn new(name: &str, theme: &mut CursorTheme, images: &[XCursorImage], size: u32) -> Self {
let mut total_duration = 0;
let images: Vec<CursorImageBuffer> = Cursor::nearest_images(size, images)
.map(|image| {
let buffer = CursorImageBuffer::new(theme, image);
total_duration += buffer.delay;
buffer
})
.collect();
Cursor { total_duration, name: String::from(name), images }
}
fn nearest_images(size: u32, images: &[XCursorImage]) -> impl Iterator<Item = &XCursorImage> {
let nearest_image =
images.iter().min_by_key(|image| (size as i32 - image.size as i32).abs()).unwrap();
images.iter().filter(move |image| {
image.width == nearest_image.width && image.height == nearest_image.height
})
}
pub fn frame_and_duration(&self, mut millis: u32) -> FrameAndDuration {
millis %= self.total_duration;
let mut res = 0;
for (i, img) in self.images.iter().enumerate() {
if millis < img.delay {
res = i;
break;
}
millis -= img.delay;
}
FrameAndDuration { frame_index: res, frame_duration: millis }
}
pub fn image_count(&self) -> usize {
self.images.len()
}
}
impl Index<usize> for Cursor {
type Output = CursorImageBuffer;
fn index(&self, index: usize) -> &Self::Output {
&self.images[index]
}
}
#[derive(Clone)]
pub struct CursorImageBuffer {
buffer: WlBuffer,
delay: u32,
xhot: u32,
yhot: u32,
width: u32,
height: u32,
}
impl CursorImageBuffer {
fn new(theme: &mut CursorTheme, image: &XCursorImage) -> Self {
let buf = &image.pixels_rgba;
let offset = theme.file.seek(SeekFrom::End(0)).unwrap();
let new_size = offset + buf.len() as u64;
theme.grow(new_size as i32);
theme.file.write_all(&buf).unwrap();
let buffer = theme.pool.create_buffer(
offset as i32,
image.width as i32,
image.height as i32,
(image.width * 4) as i32,
Format::Argb8888,
);
buffer.quick_assign(|_, _, _| {});
CursorImageBuffer {
buffer: buffer.detach(),
delay: image.delay,
xhot: image.xhot,
yhot: image.yhot,
width: image.width,
height: image.height,
}
}
pub fn dimensions(&self) -> (u32, u32) {
(self.width, self.height)
}
pub fn hotspot(&self) -> (u32, u32) {
(self.xhot, self.yhot)
}
pub fn delay(&self) -> u32 {
self.delay
}
}
impl Deref for CursorImageBuffer {
type Target = WlBuffer;
fn deref(&self) -> &WlBuffer {
&self.buffer
}
}
#[derive(Debug, Clone, Eq, PartialEq)]
pub struct FrameAndDuration {
pub frame_index: usize,
pub frame_duration: u32,
}
fn create_shm_fd() -> IoResult<RawFd> {
#[cfg(target_os = "linux")]
loop {
match memfd::memfd_create(
CStr::from_bytes_with_nul(b"wayland-cursor-rs\0").unwrap(),
memfd::MemFdCreateFlag::MFD_CLOEXEC,
) {
Ok(fd) => return Ok(fd),
Err(nix::Error::Sys(Errno::EINTR)) => continue,
Err(nix::Error::Sys(Errno::ENOSYS)) => break,
Err(nix::Error::Sys(errno)) => return Err(IoError::from(errno)),
Err(err) => unreachable!(err),
}
}
let sys_time = SystemTime::now();
let mut mem_file_handle = format!(
"/wayland-cursor-rs-{}",
sys_time.duration_since(UNIX_EPOCH).unwrap().subsec_nanos()
);
loop {
match mman::shm_open(
mem_file_handle.as_str(),
fcntl::OFlag::O_CREAT
| fcntl::OFlag::O_EXCL
| fcntl::OFlag::O_RDWR
| fcntl::OFlag::O_CLOEXEC,
stat::Mode::S_IRUSR | stat::Mode::S_IWUSR,
) {
Ok(fd) => match mman::shm_unlink(mem_file_handle.as_str()) {
Ok(_) => return Ok(fd),
Err(nix::Error::Sys(errno)) => match unistd::close(fd) {
Ok(_) => return Err(IoError::from(errno)),
Err(nix::Error::Sys(errno)) => return Err(IoError::from(errno)),
Err(err) => panic!("{}", err),
},
Err(err) => panic!("{}", err),
},
Err(nix::Error::Sys(Errno::EEXIST)) => {
mem_file_handle = format!(
"/wayland-cursor-rs-{}",
sys_time.duration_since(UNIX_EPOCH).unwrap().subsec_nanos()
);
continue;
}
Err(nix::Error::Sys(Errno::EINTR)) => continue,
Err(nix::Error::Sys(errno)) => return Err(IoError::from(errno)),
Err(err) => unreachable!(err),
}
}
}