sdl3/sdl.rs
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
use libc::c_char;
use std::cell::Cell;
use std::ffi::{CStr, CString, NulError};
use std::os::raw::c_void;
use std::sync::atomic::{AtomicBool, AtomicU32, Ordering};
use sys::init::{
SDL_INIT_AUDIO, SDL_INIT_CAMERA, SDL_INIT_EVENTS, SDL_INIT_GAMEPAD, SDL_INIT_HAPTIC,
SDL_INIT_JOYSTICK, SDL_INIT_SENSOR, SDL_INIT_VIDEO,
};
use crate::sys;
// seems like these are gone?
// #[repr(i32)]
// #[derive(Copy, Clone, Eq, PartialEq, Hash, Debug)]
// pub enum Error {
// NoMemError = sys::SDL_errorcode::SDL_ENOMEM as i32,
// ReadError = SDL_errorcode::SDL_EFREAD as i32,
// WriteError = sys::SDL_errorcode::SDL_EFWRITE as i32,
// SeekError = sys::SDL_errorcode::SDL_EFSEEK as i32,
// UnsupportedError = sys::SDL_errorcode::SDL_UNSUPPORTED as i32,
// }
// impl fmt::Display for Error {
// fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
// use self::Error::*;
//
// match *self {
// NoMemError => write!(f, "Out of memory"),
// ReadError => write!(f, "Error reading from datastream"),
// WriteError => write!(f, "Error writing to datastream"),
// SeekError => write!(f, "Error seeking in datastream"),
// UnsupportedError => write!(f, "Unknown SDL error"),
// }
// }
// }
// impl error::Error for Error {
// fn description(&self) -> &str {
// use self::Error::*;
//
// match *self {
// NoMemError => "out of memory",
// ReadError => "error reading from datastream",
// WriteError => "error writing to datastream",
// SeekError => "error seeking in datastream",
// UnsupportedError => "unknown SDL error",
// }
// }
// }
/// True if the main thread has been declared. The main thread is declared when
/// SDL is first initialized.
static IS_MAIN_THREAD_DECLARED: AtomicBool = AtomicBool::new(false);
/// Number of active `SdlDrop` objects keeping SDL alive.
static SDL_COUNT: AtomicU32 = AtomicU32::new(0);
thread_local! {
/// True if the current thread is the main thread.
static IS_MAIN_THREAD: Cell<bool> = Cell::new(false);
}
/// The SDL context type. Initialize with `sdl3::init()`.
///
/// From a thread-safety perspective, `Sdl` represents the main thread.
/// As such, `Sdl` is a useful type for ensuring that SDL types that can only
/// be used on the main thread are initialized that way.
///
/// For instance, `SDL_PumpEvents()` is not thread safe, and may only be
/// called on the main thread.
/// All functionality that calls `SDL_PumpEvents()` is thus put into an
/// `EventPump` type, which can only be obtained through `Sdl`.
/// This guarantees that the only way to call event-pumping functions is on
/// the main thread.
#[derive(Clone)]
pub struct Sdl {
sdldrop: SdlDrop,
}
impl Sdl {
#[inline]
#[doc(alias = "SDL_Init")]
fn new() -> Result<Sdl, String> {
// Check if we can safely initialize SDL on this thread.
let was_main_thread_declared = IS_MAIN_THREAD_DECLARED.swap(true, Ordering::SeqCst);
IS_MAIN_THREAD.with(|is_main_thread| {
if was_main_thread_declared {
if !is_main_thread.get() {
// Since 'cargo test' runs its tests in a separate thread, we must disable
// this safety check during testing.
if !(cfg!(test) || cfg!(feature = "test-mode")) {
return Err("Cannot initialize `Sdl` from a thread other than the main thread. For testing, you can disable this check with the feature 'test-mode'.".to_owned());
}
}
} else {
is_main_thread.set(true);
}
Ok(())
})?;
// Initialize SDL.
if SDL_COUNT.fetch_add(1, Ordering::Relaxed) == 0 {
let result;
unsafe {
result = sys::init::SDL_Init(0);
}
if !result {
SDL_COUNT.store(0, Ordering::Relaxed);
return Err(get_error());
}
}
Ok(Sdl {
sdldrop: SdlDrop {
_anticonstructor: std::ptr::null_mut(),
},
})
}
/// Initializes the audio subsystem.
#[inline]
pub fn audio(&self) -> Result<AudioSubsystem, String> {
AudioSubsystem::new(self)
}
/// Initializes the event subsystem.
#[inline]
pub fn event(&self) -> Result<EventSubsystem, String> {
EventSubsystem::new(self)
}
/// Initializes the joystick subsystem.
#[inline]
pub fn joystick(&self) -> Result<JoystickSubsystem, String> {
JoystickSubsystem::new(self)
}
/// Initializes the haptic subsystem.
#[inline]
pub fn haptic(&self) -> Result<HapticSubsystem, String> {
HapticSubsystem::new(self)
}
/// Initializes the gamepad subsystem.
#[inline]
pub fn gamepad(&self) -> Result<GamepadSubsystem, String> {
GamepadSubsystem::new(self)
}
/// Initializes the game controller subsystem.
#[inline]
pub fn sensor(&self) -> Result<SensorSubsystem, String> {
SensorSubsystem::new(self)
}
/// Initializes the video subsystem.
#[inline]
pub fn video(&self) -> Result<VideoSubsystem, String> {
VideoSubsystem::new(self)
}
/// Obtains the SDL event pump.
///
/// At most one `EventPump` is allowed to be alive during the program's execution.
/// If this function is called while an `EventPump` instance is alive, the function will return
/// an error.
#[inline]
pub fn event_pump(&self) -> Result<EventPump, String> {
EventPump::new(self)
}
#[inline]
#[doc(hidden)]
pub fn sdldrop(&self) -> SdlDrop {
self.sdldrop.clone()
}
}
/// When SDL is no longer in use, the library is quit.
#[doc(hidden)]
#[derive(Debug)]
pub struct SdlDrop {
// Make it impossible to construct `SdlDrop` without access to this member,
// and opt out of Send and Sync.
_anticonstructor: *mut c_void,
}
impl Clone for SdlDrop {
fn clone(&self) -> SdlDrop {
let prev_count = SDL_COUNT.fetch_add(1, Ordering::Relaxed);
assert!(prev_count > 0);
SdlDrop {
_anticonstructor: std::ptr::null_mut(),
}
}
}
impl Drop for SdlDrop {
#[inline]
#[doc(alias = "SDL_Quit")]
fn drop(&mut self) {
let prev_count = SDL_COUNT.fetch_sub(1, Ordering::Relaxed);
assert!(prev_count > 0);
if prev_count == 1 {
unsafe {
sys::init::SDL_Quit();
}
}
}
}
// No subsystem can implement `Send` because the destructor, `SDL_QuitSubSystem`,
// utilizes non-atomic reference counting and should thus be called on a single thread.
// Some subsystems have functions designed to be thread-safe, such as adding a timer or accessing
// the event queue. These subsystems implement `Sync`.
macro_rules! subsystem {
($name:ident, $flag:expr, $counter:ident, nosync) => {
static $counter: AtomicU32 = AtomicU32::new(0);
#[derive(Debug, Clone)]
pub struct $name {
/// Subsystems cannot be moved or (usually) used on non-main threads.
/// Luckily, Rc restricts use to the main thread.
_subsystem_drop: SubsystemDrop,
}
impl $name {
#[inline]
#[doc(alias = "SDL_InitSubSystem")]
fn new(sdl: &Sdl) -> Result<$name, String> {
if $counter.fetch_add(1, Ordering::Relaxed) == 0 {
let result;
unsafe {
result = sys::init::SDL_InitSubSystem($flag);
}
if !result {
$counter.store(0, Ordering::Relaxed);
return Err(get_error());
}
}
Ok($name {
_subsystem_drop: SubsystemDrop {
_sdldrop: sdl.sdldrop.clone(),
counter: &$counter,
flag: $flag,
},
})
}
/// Obtain an SDL context.
#[inline]
pub fn sdl(&self) -> Sdl {
Sdl {
sdldrop: self._subsystem_drop._sdldrop.clone(),
}
}
}
};
($name:ident, $flag:expr, $counter:ident, sync) => {
subsystem!($name, $flag, $counter, nosync);
unsafe impl Sync for $name {}
};
}
/// When a subsystem is no longer in use (the refcount in an `Rc<SubsystemDrop>` reaches 0),
/// the subsystem is quit.
#[derive(Debug)]
struct SubsystemDrop {
_sdldrop: SdlDrop,
counter: &'static AtomicU32,
flag: u32,
}
impl Clone for SubsystemDrop {
fn clone(&self) -> SubsystemDrop {
let prev_count = self.counter.fetch_add(1, Ordering::Relaxed);
assert!(prev_count > 0);
SubsystemDrop {
_sdldrop: self._sdldrop.clone(),
counter: self.counter,
flag: self.flag,
}
}
}
impl Drop for SubsystemDrop {
#[inline]
#[doc(alias = "SDL_QuitSubSystem")]
fn drop(&mut self) {
let prev_count = self.counter.fetch_sub(1, Ordering::Relaxed);
assert!(prev_count > 0);
if prev_count == 1 {
unsafe {
sys::init::SDL_QuitSubSystem(self.flag);
}
}
}
}
subsystem!(AudioSubsystem, SDL_INIT_AUDIO as u32, AUDIO_COUNT, nosync);
subsystem!(VideoSubsystem, SDL_INIT_VIDEO as u32, VIDEO_COUNT, nosync);
subsystem!(
JoystickSubsystem,
SDL_INIT_JOYSTICK as u32,
JOYSTICK_COUNT,
nosync
);
subsystem!(
HapticSubsystem,
SDL_INIT_HAPTIC as u32,
HAPTIC_COUNT,
nosync
);
subsystem!(
GamepadSubsystem,
SDL_INIT_GAMEPAD as u32,
GAMEPAD_COUNT,
nosync
);
// The event queue can be read from other threads.
subsystem!(EventSubsystem, SDL_INIT_EVENTS as u32, EVENT_COUNT, sync);
subsystem!(
SensorSubsystem,
SDL_INIT_SENSOR as u32,
SENSOR_COUNT,
nosync
);
subsystem!(
CameraSubsystem,
SDL_INIT_CAMERA as u32,
CAMERA_COUNT,
nosync
);
static IS_EVENT_PUMP_ALIVE: AtomicBool = AtomicBool::new(false);
/// A thread-safe type that encapsulates SDL event-pumping functions.
pub struct EventPump {
_event_subsystem: EventSubsystem,
}
impl EventPump {
/// Obtains the SDL event pump.
#[inline]
#[doc(alias = "SDL_InitSubSystem")]
fn new(sdl: &Sdl) -> Result<EventPump, String> {
// Called on the main SDL thread.
if IS_EVENT_PUMP_ALIVE.load(Ordering::Relaxed) {
Err("an `EventPump` instance is already alive - there can only be one `EventPump` in use at a time.".to_owned())
} else {
let _event_subsystem = sdl.event()?;
IS_EVENT_PUMP_ALIVE.store(true, Ordering::Relaxed);
Ok(EventPump { _event_subsystem })
}
}
}
impl Drop for EventPump {
#[inline]
#[doc(alias = "SDL_QuitSubSystem")]
fn drop(&mut self) {
// Called on the main SDL thread.
assert!(IS_EVENT_PUMP_ALIVE.load(Ordering::Relaxed));
IS_EVENT_PUMP_ALIVE.store(false, Ordering::Relaxed);
}
}
/// Get platform name
#[inline]
#[doc(alias = "SDL_GetPlatform")]
pub fn get_platform() -> &'static str {
unsafe {
CStr::from_ptr(sys::platform::SDL_GetPlatform())
.to_str()
.unwrap()
}
}
/// Initializes the SDL library.
/// This must be called before using any other SDL function.
///
/// # Example
/// ```no_run
/// let sdl_context = sdl3::init().unwrap();
/// let mut event_pump = sdl_context.event_pump().unwrap();
///
/// for event in event_pump.poll_iter() {
/// // ...
/// }
///
/// // SDL_Quit() is called here as `sdl_context` is dropped.
/// ```
#[inline]
#[doc(alias = "SDL_GetError")]
pub fn init() -> Result<Sdl, String> {
Sdl::new()
}
pub fn get_error() -> String {
unsafe {
let err = sys::error::SDL_GetError();
CStr::from_ptr(err as *const _).to_str().unwrap().to_owned()
}
}
#[doc(alias = "SDL_SetError")]
pub fn set_error(err: &str) -> Result<(), NulError> {
let c_string = CString::new(err)?;
unsafe {
sys::error::SDL_SetError(
b"%s\0".as_ptr() as *const c_char,
c_string.as_ptr() as *const c_char,
);
}
Ok(())
}
// #[doc(alias = "SDL_Error")]
// pub fn set_error_from_code(err: Error) {
// unsafe {
// sys::error::SDL_Error(transmute(err));
// }
// }
#[doc(alias = "SDL_ClearError")]
pub fn clear_error() {
unsafe {
sys::error::SDL_ClearError();
}
}