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
//! An event related on a game controller.
use std::marker::PhantomData;
use super::{axis::Axis, button::Button};
use crate::{
bind,
event::joystick::{Joystick, JoystickId},
EnumInt,
};
/// An event occurs on inputted from a game controller or changed a game controller.
#[derive(Debug, Clone)]
#[non_exhaustive]
pub enum ControllerEvent<'joystick> {
/// An axis was changed.
Axis {
/// When this event occurred.
timestamp: u32,
/// An id of the joystick having this axis.
id: JoystickId<'joystick>,
/// A changed axis.
axis: Axis,
/// The changed value. The directions "down" and "right" are positive.
value: i16,
},
/// A button was changed.
Button {
/// When this event occurred.
timestamp: u32,
/// An id of the joystick having this button.
id: JoystickId<'joystick>,
/// A changed button.
button: Button,
/// Whether the button was pressed.
is_pressed: bool,
},
/// A game controller was added.
DeviceAdded {
/// When this event occurred.
timestamp: u32,
/// An added joystick.
joystick: Joystick,
},
/// The game controller was removed.
DeviceRemoved {
/// When this event occurred.
timestamp: u32,
/// The id of the removed joystick.
id: JoystickId<'joystick>,
},
/// The game controller was remapped.
DeviceRemapped {
/// When this event occurred.
timestamp: u32,
/// The id of the remapped joystick.
id: JoystickId<'joystick>,
},
}
impl From<bind::SDL_ControllerAxisEvent> for ControllerEvent<'_> {
fn from(raw: bind::SDL_ControllerAxisEvent) -> Self {
Self::Axis {
timestamp: raw.timestamp,
id: JoystickId {
id: raw.which as u32,
_phantom: PhantomData,
},
axis: Axis::from_raw(raw.axis as bind::SDL_GameControllerAxis).unwrap(),
value: raw.value,
}
}
}
impl From<bind::SDL_ControllerButtonEvent> for ControllerEvent<'_> {
fn from(raw: bind::SDL_ControllerButtonEvent) -> Self {
Self::Button {
timestamp: raw.timestamp,
id: JoystickId {
id: raw.which as u32,
_phantom: PhantomData,
},
button: Button::from_raw(raw.button as bind::SDL_GameControllerButton).unwrap(),
is_pressed: raw.state as u32 == bind::SDL_PRESSED,
}
}
}
impl From<bind::SDL_ControllerDeviceEvent> for ControllerEvent<'_> {
fn from(raw: bind::SDL_ControllerDeviceEvent) -> Self {
let id = JoystickId {
id: raw.which as u32,
_phantom: PhantomData,
};
match raw.type_ as EnumInt {
bind::SDL_CONTROLLERDEVICEADDED => Self::DeviceAdded {
timestamp: raw.timestamp,
joystick: Joystick::from_id(id).unwrap(),
},
bind::SDL_CONTROLLERDEVICEREMOVED => Self::DeviceRemoved {
timestamp: raw.timestamp,
id,
},
bind::SDL_CONTROLLERDEVICEREMAPPED => Self::DeviceRemapped {
timestamp: raw.timestamp,
id,
},
_ => unreachable!(),
}
}
}