pub trait Debug {
// Required method
fn fmt(&self, f: &mut Formatter<'_>) -> Result<(), Error>;
}
Expand description
?
formatting.
Debug
should format the output in a programmer-facing, debugging context.
Generally speaking, you should just derive
a Debug
implementation.
When used with the alternate format specifier #?
, the output is pretty-printed.
For more information on formatters, see the module-level documentation.
This trait can be used with #[derive]
if all fields implement Debug
. When
derive
d for structs, it will use the name of the struct
, then {
, then a
comma-separated list of each field’s name and Debug
value, then }
. For
enum
s, it will use the name of the variant and, if applicable, (
, then the
Debug
values of the fields, then )
.
§Stability
Derived Debug
formats are not stable, and so may change with future Rust
versions. Additionally, Debug
implementations of types provided by the
standard library (std
, core
, alloc
, etc.) are not stable, and
may also change with future Rust versions.
§Examples
Deriving an implementation:
#[derive(Debug)]
struct Point {
x: i32,
y: i32,
}
let origin = Point { x: 0, y: 0 };
assert_eq!(
format!("The origin is: {origin:?}"),
"The origin is: Point { x: 0, y: 0 }",
);
Manually implementing:
use std::fmt;
struct Point {
x: i32,
y: i32,
}
impl fmt::Debug for Point {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
f.debug_struct("Point")
.field("x", &self.x)
.field("y", &self.y)
.finish()
}
}
let origin = Point { x: 0, y: 0 };
assert_eq!(
format!("The origin is: {origin:?}"),
"The origin is: Point { x: 0, y: 0 }",
);
There are a number of helper methods on the Formatter
struct to help you with manual
implementations, such as debug_struct
.
Types that do not wish to use the standard suite of debug representations
provided by the Formatter
trait (debug_struct
, debug_tuple
,
debug_list
, debug_set
, debug_map
) can do something totally custom by
manually writing an arbitrary representation to the Formatter
.
impl fmt::Debug for Point {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
write!(f, "Point [{} {}]", self.x, self.y)
}
}
Debug
implementations using either derive
or the debug builder API
on Formatter
support pretty-printing using the alternate flag: {:#?}
.
Pretty-printing with #?
:
#[derive(Debug)]
struct Point {
x: i32,
y: i32,
}
let origin = Point { x: 0, y: 0 };
let expected = "The origin is: Point {
x: 0,
y: 0,
}";
assert_eq!(format!("The origin is: {origin:#?}"), expected);
Required Methods§
1.0.0 · Sourcefn fmt(&self, f: &mut Formatter<'_>) -> Result<(), Error>
fn fmt(&self, f: &mut Formatter<'_>) -> Result<(), Error>
Formats the value using the given formatter.
§Errors
This function should return Err
if, and only if, the provided Formatter
returns Err
.
String formatting is considered an infallible operation; this function only
returns a Result
because writing to the underlying stream might fail and it must
provide a way to propagate the fact that an error has occurred back up the stack.
§Examples
use std::fmt;
struct Position {
longitude: f32,
latitude: f32,
}
impl fmt::Debug for Position {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
f.debug_tuple("")
.field(&self.longitude)
.field(&self.latitude)
.finish()
}
}
let position = Position { longitude: 1.987, latitude: 2.983 };
assert_eq!(format!("{position:?}"), "(1.987, 2.983)");
assert_eq!(format!("{position:#?}"), "(
1.987,
2.983,
)");
Implementors§
impl Debug for layer_shika::sctk::calloop::Error
impl Debug for layer_shika::sctk::calloop::Mode
impl Debug for PostAction
impl Debug for TimeoutAction
impl Debug for CursorIcon
impl Debug for FrameAction
impl Debug for FrameClick
impl Debug for layer_shika::sctk::csd_frame::ResizeEdge
impl Debug for layer_shika::sctk::protocols::ext::data_control::v1::client::ext_data_control_device_v1::Error
impl Debug for layer_shika::sctk::protocols::ext::data_control::v1::client::ext_data_control_device_v1::Event
impl Debug for layer_shika::sctk::protocols::ext::data_control::v1::client::ext_data_control_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::ext::data_control::v1::client::ext_data_control_offer_v1::Event
impl Debug for layer_shika::sctk::protocols::ext::data_control::v1::client::ext_data_control_source_v1::Error
impl Debug for layer_shika::sctk::protocols::ext::data_control::v1::client::ext_data_control_source_v1::Event
impl Debug for layer_shika::sctk::protocols::ext::foreign_toplevel_list::v1::client::ext_foreign_toplevel_handle_v1::Event
impl Debug for layer_shika::sctk::protocols::ext::foreign_toplevel_list::v1::client::ext_foreign_toplevel_list_v1::Event
impl Debug for layer_shika::sctk::protocols::ext::idle_notify::v1::client::ext_idle_notification_v1::Event
impl Debug for layer_shika::sctk::protocols::ext::idle_notify::v1::client::ext_idle_notifier_v1::Event
impl Debug for layer_shika::sctk::protocols::ext::image_capture_source::v1::client::ext_foreign_toplevel_image_capture_source_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::ext::image_capture_source::v1::client::ext_image_capture_source_v1::Event
impl Debug for layer_shika::sctk::protocols::ext::image_capture_source::v1::client::ext_output_image_capture_source_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::ext::image_copy_capture::v1::client::ext_image_copy_capture_cursor_session_v1::Error
impl Debug for layer_shika::sctk::protocols::ext::image_copy_capture::v1::client::ext_image_copy_capture_cursor_session_v1::Event
impl Debug for layer_shika::sctk::protocols::ext::image_copy_capture::v1::client::ext_image_copy_capture_frame_v1::Error
impl Debug for layer_shika::sctk::protocols::ext::image_copy_capture::v1::client::ext_image_copy_capture_frame_v1::Event
impl Debug for FailureReason
impl Debug for layer_shika::sctk::protocols::ext::image_copy_capture::v1::client::ext_image_copy_capture_manager_v1::Error
impl Debug for layer_shika::sctk::protocols::ext::image_copy_capture::v1::client::ext_image_copy_capture_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::ext::image_copy_capture::v1::client::ext_image_copy_capture_session_v1::Error
impl Debug for layer_shika::sctk::protocols::ext::image_copy_capture::v1::client::ext_image_copy_capture_session_v1::Event
impl Debug for layer_shika::sctk::protocols::ext::session_lock::v1::client::ext_session_lock_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::ext::session_lock::v1::client::ext_session_lock_surface_v1::Error
impl Debug for layer_shika::sctk::protocols::ext::session_lock::v1::client::ext_session_lock_surface_v1::Event
impl Debug for layer_shika::sctk::protocols::ext::session_lock::v1::client::ext_session_lock_v1::Error
impl Debug for layer_shika::sctk::protocols::ext::session_lock::v1::client::ext_session_lock_v1::Event
impl Debug for layer_shika::sctk::protocols::ext::transient_seat::v1::client::ext_transient_seat_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::ext::transient_seat::v1::client::ext_transient_seat_v1::Event
impl Debug for layer_shika::sctk::protocols::ext::workspace::v1::client::ext_workspace_group_handle_v1::Event
impl Debug for layer_shika::sctk::protocols::ext::workspace::v1::client::ext_workspace_handle_v1::Event
impl Debug for layer_shika::sctk::protocols::ext::workspace::v1::client::ext_workspace_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::alpha_modifier::v1::client::wp_alpha_modifier_surface_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::alpha_modifier::v1::client::wp_alpha_modifier_surface_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::alpha_modifier::v1::client::wp_alpha_modifier_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::alpha_modifier::v1::client::wp_alpha_modifier_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::color_management::v1::client::wp_color_management_output_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::color_management::v1::client::wp_color_management_surface_feedback_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::color_management::v1::client::wp_color_management_surface_feedback_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::color_management::v1::client::wp_color_management_surface_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::color_management::v1::client::wp_color_management_surface_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::color_management::v1::client::wp_color_manager_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::color_management::v1::client::wp_color_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::color_management::v1::client::wp_color_manager_v1::Feature
impl Debug for Primaries
impl Debug for RenderIntent
impl Debug for layer_shika::sctk::protocols::wp::color_management::v1::client::wp_color_manager_v1::TransferFunction
impl Debug for layer_shika::sctk::protocols::wp::color_management::v1::client::wp_image_description_creator_icc_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::color_management::v1::client::wp_image_description_creator_icc_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::color_management::v1::client::wp_image_description_creator_params_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::color_management::v1::client::wp_image_description_creator_params_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::color_management::v1::client::wp_image_description_info_v1::Event
impl Debug for Cause
impl Debug for layer_shika::sctk::protocols::wp::color_management::v1::client::wp_image_description_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::color_management::v1::client::wp_image_description_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::color_representation::v1::client::wp_color_representation_manager_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::color_representation::v1::client::wp_color_representation_manager_v1::Event
impl Debug for AlphaMode
impl Debug for ChromaLocation
impl Debug for Coefficients
impl Debug for layer_shika::sctk::protocols::wp::color_representation::v1::client::wp_color_representation_surface_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::color_representation::v1::client::wp_color_representation_surface_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::color_representation::v1::client::wp_color_representation_surface_v1::Range
impl Debug for layer_shika::sctk::protocols::wp::commit_timing::v1::client::wp_commit_timer_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::commit_timing::v1::client::wp_commit_timer_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::commit_timing::v1::client::wp_commit_timing_manager_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::commit_timing::v1::client::wp_commit_timing_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::content_type::v1::client::wp_content_type_manager_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::content_type::v1::client::wp_content_type_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::content_type::v1::client::wp_content_type_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::content_type::v1::client::wp_content_type_v1::Type
impl Debug for layer_shika::sctk::protocols::wp::cursor_shape::v1::client::wp_cursor_shape_device_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::cursor_shape::v1::client::wp_cursor_shape_device_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::cursor_shape::v1::client::wp_cursor_shape_device_v1::Shape
impl Debug for layer_shika::sctk::protocols::wp::cursor_shape::v1::client::wp_cursor_shape_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::drm_lease::v1::client::wp_drm_lease_connector_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::drm_lease::v1::client::wp_drm_lease_device_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::drm_lease::v1::client::wp_drm_lease_request_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::drm_lease::v1::client::wp_drm_lease_request_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::drm_lease::v1::client::wp_drm_lease_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::fifo::v1::client::wp_fifo_manager_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::fifo::v1::client::wp_fifo_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::fifo::v1::client::wp_fifo_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::fifo::v1::client::wp_fifo_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::fractional_scale::v1::client::wp_fractional_scale_manager_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::fractional_scale::v1::client::wp_fractional_scale_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::fractional_scale::v1::client::wp_fractional_scale_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::fullscreen_shell::zv1::client::zwp_fullscreen_shell_mode_feedback_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::fullscreen_shell::zv1::client::zwp_fullscreen_shell_v1::Capability
impl Debug for layer_shika::sctk::protocols::wp::fullscreen_shell::zv1::client::zwp_fullscreen_shell_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::fullscreen_shell::zv1::client::zwp_fullscreen_shell_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::fullscreen_shell::zv1::client::zwp_fullscreen_shell_v1::PresentMethod
impl Debug for layer_shika::sctk::protocols::wp::idle_inhibit::zv1::client::zwp_idle_inhibit_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::idle_inhibit::zv1::client::zwp_idle_inhibitor_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::input_method::zv1::client::zwp_input_method_context_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::input_method::zv1::client::zwp_input_method_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::input_method::zv1::client::zwp_input_panel_surface_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::input_method::zv1::client::zwp_input_panel_surface_v1::Position
impl Debug for layer_shika::sctk::protocols::wp::input_method::zv1::client::zwp_input_panel_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::input_timestamps::zv1::client::zwp_input_timestamps_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::input_timestamps::zv1::client::zwp_input_timestamps_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::keyboard_shortcuts_inhibit::zv1::client::zwp_keyboard_shortcuts_inhibit_manager_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::keyboard_shortcuts_inhibit::zv1::client::zwp_keyboard_shortcuts_inhibit_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::keyboard_shortcuts_inhibit::zv1::client::zwp_keyboard_shortcuts_inhibitor_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::linux_dmabuf::zv1::client::zwp_linux_buffer_params_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::linux_dmabuf::zv1::client::zwp_linux_buffer_params_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::linux_dmabuf::zv1::client::zwp_linux_dmabuf_feedback_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::linux_dmabuf::zv1::client::zwp_linux_dmabuf_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::linux_drm_syncobj::v1::client::wp_linux_drm_syncobj_manager_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::linux_drm_syncobj::v1::client::wp_linux_drm_syncobj_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::linux_drm_syncobj::v1::client::wp_linux_drm_syncobj_surface_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::linux_drm_syncobj::v1::client::wp_linux_drm_syncobj_surface_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::linux_drm_syncobj::v1::client::wp_linux_drm_syncobj_timeline_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::linux_explicit_synchronization::zv1::client::zwp_linux_buffer_release_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::linux_explicit_synchronization::zv1::client::zwp_linux_explicit_synchronization_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::linux_explicit_synchronization::zv1::client::zwp_linux_explicit_synchronization_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::linux_explicit_synchronization::zv1::client::zwp_linux_surface_synchronization_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::linux_explicit_synchronization::zv1::client::zwp_linux_surface_synchronization_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::pointer_constraints::zv1::client::zwp_confined_pointer_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::pointer_constraints::zv1::client::zwp_locked_pointer_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::pointer_constraints::zv1::client::zwp_pointer_constraints_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::pointer_constraints::zv1::client::zwp_pointer_constraints_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::pointer_constraints::zv1::client::zwp_pointer_constraints_v1::Lifetime
impl Debug for layer_shika::sctk::protocols::wp::pointer_gestures::zv1::client::zwp_pointer_gesture_hold_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::pointer_gestures::zv1::client::zwp_pointer_gesture_pinch_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::pointer_gestures::zv1::client::zwp_pointer_gesture_swipe_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::pointer_gestures::zv1::client::zwp_pointer_gestures_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::presentation_time::client::wp_presentation::Error
impl Debug for layer_shika::sctk::protocols::wp::presentation_time::client::wp_presentation::Event
impl Debug for layer_shika::sctk::protocols::wp::presentation_time::client::wp_presentation_feedback::Event
impl Debug for layer_shika::sctk::protocols::wp::primary_selection::zv1::client::zwp_primary_selection_device_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::primary_selection::zv1::client::zwp_primary_selection_device_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::primary_selection::zv1::client::zwp_primary_selection_offer_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::primary_selection::zv1::client::zwp_primary_selection_source_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::relative_pointer::zv1::client::zwp_relative_pointer_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::relative_pointer::zv1::client::zwp_relative_pointer_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::security_context::v1::client::wp_security_context_manager_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::security_context::v1::client::wp_security_context_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::security_context::v1::client::wp_security_context_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::security_context::v1::client::wp_security_context_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::single_pixel_buffer::v1::client::wp_single_pixel_buffer_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::tablet::zv1::client::zwp_tablet_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::tablet::zv1::client::zwp_tablet_seat_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::tablet::zv1::client::zwp_tablet_tool_v1::ButtonState
impl Debug for layer_shika::sctk::protocols::wp::tablet::zv1::client::zwp_tablet_tool_v1::Capability
impl Debug for layer_shika::sctk::protocols::wp::tablet::zv1::client::zwp_tablet_tool_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::tablet::zv1::client::zwp_tablet_tool_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::tablet::zv1::client::zwp_tablet_tool_v1::Type
impl Debug for layer_shika::sctk::protocols::wp::tablet::zv1::client::zwp_tablet_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::tablet::zv2::client::zwp_tablet_manager_v2::Event
impl Debug for layer_shika::sctk::protocols::wp::tablet::zv2::client::zwp_tablet_pad_group_v2::Event
impl Debug for layer_shika::sctk::protocols::wp::tablet::zv2::client::zwp_tablet_pad_ring_v2::Event
impl Debug for layer_shika::sctk::protocols::wp::tablet::zv2::client::zwp_tablet_pad_ring_v2::Source
impl Debug for layer_shika::sctk::protocols::wp::tablet::zv2::client::zwp_tablet_pad_strip_v2::Event
impl Debug for layer_shika::sctk::protocols::wp::tablet::zv2::client::zwp_tablet_pad_strip_v2::Source
impl Debug for layer_shika::sctk::protocols::wp::tablet::zv2::client::zwp_tablet_pad_v2::ButtonState
impl Debug for layer_shika::sctk::protocols::wp::tablet::zv2::client::zwp_tablet_pad_v2::Event
impl Debug for layer_shika::sctk::protocols::wp::tablet::zv2::client::zwp_tablet_seat_v2::Event
impl Debug for layer_shika::sctk::protocols::wp::tablet::zv2::client::zwp_tablet_tool_v2::ButtonState
impl Debug for layer_shika::sctk::protocols::wp::tablet::zv2::client::zwp_tablet_tool_v2::Capability
impl Debug for layer_shika::sctk::protocols::wp::tablet::zv2::client::zwp_tablet_tool_v2::Error
impl Debug for layer_shika::sctk::protocols::wp::tablet::zv2::client::zwp_tablet_tool_v2::Event
impl Debug for layer_shika::sctk::protocols::wp::tablet::zv2::client::zwp_tablet_tool_v2::Type
impl Debug for layer_shika::sctk::protocols::wp::tablet::zv2::client::zwp_tablet_v2::Event
impl Debug for layer_shika::sctk::protocols::wp::tearing_control::v1::client::wp_tearing_control_manager_v1::Error
impl Debug for layer_shika::sctk::protocols::wp::tearing_control::v1::client::wp_tearing_control_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::tearing_control::v1::client::wp_tearing_control_v1::Event
impl Debug for PresentationHint
impl Debug for layer_shika::sctk::protocols::wp::text_input::zv1::client::zwp_text_input_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::text_input::zv1::client::zwp_text_input_v1::ContentPurpose
impl Debug for layer_shika::sctk::protocols::wp::text_input::zv1::client::zwp_text_input_v1::Event
impl Debug for layer_shika::sctk::protocols::wp::text_input::zv1::client::zwp_text_input_v1::PreeditStyle
impl Debug for layer_shika::sctk::protocols::wp::text_input::zv1::client::zwp_text_input_v1::TextDirection
impl Debug for layer_shika::sctk::protocols::wp::text_input::zv3::client::zwp_text_input_manager_v3::Event
impl Debug for ChangeCause
impl Debug for layer_shika::sctk::protocols::wp::text_input::zv3::client::zwp_text_input_v3::ContentPurpose
impl Debug for layer_shika::sctk::protocols::wp::text_input::zv3::client::zwp_text_input_v3::Event
impl Debug for layer_shika::sctk::protocols::wp::viewporter::client::wp_viewport::Error
impl Debug for layer_shika::sctk::protocols::wp::viewporter::client::wp_viewport::Event
impl Debug for layer_shika::sctk::protocols::wp::viewporter::client::wp_viewporter::Error
impl Debug for layer_shika::sctk::protocols::wp::viewporter::client::wp_viewporter::Event
impl Debug for layer_shika::sctk::protocols::xdg::activation::v1::client::xdg_activation_token_v1::Error
impl Debug for layer_shika::sctk::protocols::xdg::activation::v1::client::xdg_activation_token_v1::Event
impl Debug for layer_shika::sctk::protocols::xdg::activation::v1::client::xdg_activation_v1::Event
impl Debug for layer_shika::sctk::protocols::xdg::decoration::zv1::client::zxdg_decoration_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::xdg::decoration::zv1::client::zxdg_toplevel_decoration_v1::Error
impl Debug for layer_shika::sctk::protocols::xdg::decoration::zv1::client::zxdg_toplevel_decoration_v1::Event
impl Debug for layer_shika::sctk::protocols::xdg::decoration::zv1::client::zxdg_toplevel_decoration_v1::Mode
impl Debug for layer_shika::sctk::protocols::xdg::dialog::v1::client::xdg_dialog_v1::Event
impl Debug for layer_shika::sctk::protocols::xdg::dialog::v1::client::xdg_wm_dialog_v1::Error
impl Debug for layer_shika::sctk::protocols::xdg::dialog::v1::client::xdg_wm_dialog_v1::Event
impl Debug for layer_shika::sctk::protocols::xdg::foreign::zv1::client::zxdg_exported_v1::Event
impl Debug for layer_shika::sctk::protocols::xdg::foreign::zv1::client::zxdg_exporter_v1::Event
impl Debug for layer_shika::sctk::protocols::xdg::foreign::zv1::client::zxdg_imported_v1::Event
impl Debug for layer_shika::sctk::protocols::xdg::foreign::zv1::client::zxdg_importer_v1::Event
impl Debug for layer_shika::sctk::protocols::xdg::foreign::zv2::client::zxdg_exported_v2::Event
impl Debug for layer_shika::sctk::protocols::xdg::foreign::zv2::client::zxdg_exporter_v2::Error
impl Debug for layer_shika::sctk::protocols::xdg::foreign::zv2::client::zxdg_exporter_v2::Event
impl Debug for layer_shika::sctk::protocols::xdg::foreign::zv2::client::zxdg_imported_v2::Error
impl Debug for layer_shika::sctk::protocols::xdg::foreign::zv2::client::zxdg_imported_v2::Event
impl Debug for layer_shika::sctk::protocols::xdg::foreign::zv2::client::zxdg_importer_v2::Event
impl Debug for layer_shika::sctk::protocols::xdg::shell::client::xdg_popup::Error
impl Debug for layer_shika::sctk::protocols::xdg::shell::client::xdg_popup::Event
impl Debug for layer_shika::sctk::protocols::xdg::shell::client::xdg_positioner::Anchor
impl Debug for layer_shika::sctk::protocols::xdg::shell::client::xdg_positioner::Error
impl Debug for layer_shika::sctk::protocols::xdg::shell::client::xdg_positioner::Event
impl Debug for layer_shika::sctk::protocols::xdg::shell::client::xdg_positioner::Gravity
impl Debug for layer_shika::sctk::protocols::xdg::shell::client::xdg_surface::Error
impl Debug for layer_shika::sctk::protocols::xdg::shell::client::xdg_surface::Event
impl Debug for layer_shika::sctk::protocols::xdg::shell::client::xdg_toplevel::Error
impl Debug for layer_shika::sctk::protocols::xdg::shell::client::xdg_toplevel::Event
impl Debug for layer_shika::sctk::protocols::xdg::shell::client::xdg_toplevel::ResizeEdge
impl Debug for layer_shika::sctk::protocols::xdg::shell::client::xdg_toplevel::State
impl Debug for WmCapabilities
impl Debug for layer_shika::sctk::protocols::xdg::shell::client::xdg_wm_base::Error
impl Debug for layer_shika::sctk::protocols::xdg::shell::client::xdg_wm_base::Event
impl Debug for layer_shika::sctk::protocols::xdg::system_bell::v1::client::xdg_system_bell_v1::Event
impl Debug for layer_shika::sctk::protocols::xdg::toplevel_drag::v1::client::xdg_toplevel_drag_manager_v1::Error
impl Debug for layer_shika::sctk::protocols::xdg::toplevel_drag::v1::client::xdg_toplevel_drag_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::xdg::toplevel_drag::v1::client::xdg_toplevel_drag_v1::Error
impl Debug for layer_shika::sctk::protocols::xdg::toplevel_drag::v1::client::xdg_toplevel_drag_v1::Event
impl Debug for layer_shika::sctk::protocols::xdg::toplevel_icon::v1::client::xdg_toplevel_icon_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::xdg::toplevel_icon::v1::client::xdg_toplevel_icon_v1::Error
impl Debug for layer_shika::sctk::protocols::xdg::toplevel_icon::v1::client::xdg_toplevel_icon_v1::Event
impl Debug for layer_shika::sctk::protocols::xdg::toplevel_tag::v1::client::xdg_toplevel_tag_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::xdg::xdg_output::zv1::client::zxdg_output_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::xdg::xdg_output::zv1::client::zxdg_output_v1::Event
impl Debug for layer_shika::sctk::protocols::xwayland::keyboard_grab::zv1::client::zwp_xwayland_keyboard_grab_manager_v1::Event
impl Debug for layer_shika::sctk::protocols::xwayland::keyboard_grab::zv1::client::zwp_xwayland_keyboard_grab_v1::Event
impl Debug for layer_shika::sctk::protocols::xwayland::shell::v1::client::xwayland_shell_v1::Error
impl Debug for layer_shika::sctk::protocols::xwayland::shell::v1::client::xwayland_shell_v1::Event
impl Debug for layer_shika::sctk::protocols::xwayland::shell::v1::client::xwayland_surface_v1::Error
impl Debug for layer_shika::sctk::protocols::xwayland::shell::v1::client::xwayland_surface_v1::Event
impl Debug for layer_shika::sctk::protocols_wlr::data_control::v1::client::zwlr_data_control_device_v1::Error
impl Debug for layer_shika::sctk::protocols_wlr::data_control::v1::client::zwlr_data_control_device_v1::Event
impl Debug for layer_shika::sctk::protocols_wlr::data_control::v1::client::zwlr_data_control_manager_v1::Event
impl Debug for layer_shika::sctk::protocols_wlr::data_control::v1::client::zwlr_data_control_offer_v1::Event
impl Debug for layer_shika::sctk::protocols_wlr::data_control::v1::client::zwlr_data_control_source_v1::Error
impl Debug for layer_shika::sctk::protocols_wlr::data_control::v1::client::zwlr_data_control_source_v1::Event
impl Debug for CancelReason
impl Debug for layer_shika::sctk::protocols_wlr::export_dmabuf::v1::client::zwlr_export_dmabuf_frame_v1::Event
impl Debug for layer_shika::sctk::protocols_wlr::export_dmabuf::v1::client::zwlr_export_dmabuf_frame_v1::Flags
impl Debug for layer_shika::sctk::protocols_wlr::export_dmabuf::v1::client::zwlr_export_dmabuf_manager_v1::Event
impl Debug for layer_shika::sctk::protocols_wlr::foreign_toplevel::v1::client::zwlr_foreign_toplevel_handle_v1::Error
impl Debug for layer_shika::sctk::protocols_wlr::foreign_toplevel::v1::client::zwlr_foreign_toplevel_handle_v1::Event
impl Debug for layer_shika::sctk::protocols_wlr::foreign_toplevel::v1::client::zwlr_foreign_toplevel_handle_v1::State
impl Debug for layer_shika::sctk::protocols_wlr::foreign_toplevel::v1::client::zwlr_foreign_toplevel_manager_v1::Event
impl Debug for layer_shika::sctk::protocols_wlr::gamma_control::v1::client::zwlr_gamma_control_manager_v1::Event
impl Debug for layer_shika::sctk::protocols_wlr::gamma_control::v1::client::zwlr_gamma_control_v1::Error
impl Debug for layer_shika::sctk::protocols_wlr::gamma_control::v1::client::zwlr_gamma_control_v1::Event
impl Debug for layer_shika::sctk::protocols_wlr::input_inhibitor::v1::client::zwlr_input_inhibit_manager_v1::Error
impl Debug for layer_shika::sctk::protocols_wlr::input_inhibitor::v1::client::zwlr_input_inhibit_manager_v1::Event
impl Debug for layer_shika::sctk::protocols_wlr::input_inhibitor::v1::client::zwlr_input_inhibitor_v1::Event
impl Debug for layer_shika::sctk::protocols_wlr::layer_shell::v1::client::zwlr_layer_shell_v1::Error
impl Debug for layer_shika::sctk::protocols_wlr::layer_shell::v1::client::zwlr_layer_shell_v1::Event
impl Debug for layer_shika::sctk::protocols_wlr::layer_shell::v1::client::zwlr_layer_shell_v1::Layer
impl Debug for layer_shika::sctk::protocols_wlr::layer_shell::v1::client::zwlr_layer_surface_v1::Error
impl Debug for layer_shika::sctk::protocols_wlr::layer_shell::v1::client::zwlr_layer_surface_v1::Event
impl Debug for layer_shika::sctk::protocols_wlr::layer_shell::v1::client::zwlr_layer_surface_v1::KeyboardInteractivity
impl Debug for layer_shika::sctk::protocols_wlr::output_management::v1::client::zwlr_output_configuration_head_v1::Error
impl Debug for layer_shika::sctk::protocols_wlr::output_management::v1::client::zwlr_output_configuration_head_v1::Event
impl Debug for layer_shika::sctk::protocols_wlr::output_management::v1::client::zwlr_output_configuration_v1::Error
impl Debug for layer_shika::sctk::protocols_wlr::output_management::v1::client::zwlr_output_configuration_v1::Event
impl Debug for AdaptiveSyncState
impl Debug for layer_shika::sctk::protocols_wlr::output_management::v1::client::zwlr_output_head_v1::Event
impl Debug for layer_shika::sctk::protocols_wlr::output_management::v1::client::zwlr_output_manager_v1::Event
impl Debug for layer_shika::sctk::protocols_wlr::output_management::v1::client::zwlr_output_mode_v1::Event
impl Debug for layer_shika::sctk::protocols_wlr::output_power_management::v1::client::zwlr_output_power_manager_v1::Event
impl Debug for layer_shika::sctk::protocols_wlr::output_power_management::v1::client::zwlr_output_power_v1::Error
impl Debug for layer_shika::sctk::protocols_wlr::output_power_management::v1::client::zwlr_output_power_v1::Event
impl Debug for layer_shika::sctk::protocols_wlr::output_power_management::v1::client::zwlr_output_power_v1::Mode
impl Debug for layer_shika::sctk::protocols_wlr::screencopy::v1::client::zwlr_screencopy_frame_v1::Error
impl Debug for layer_shika::sctk::protocols_wlr::screencopy::v1::client::zwlr_screencopy_frame_v1::Event
impl Debug for layer_shika::sctk::protocols_wlr::screencopy::v1::client::zwlr_screencopy_manager_v1::Event
impl Debug for layer_shika::sctk::protocols_wlr::virtual_pointer::v1::client::zwlr_virtual_pointer_manager_v1::Event
impl Debug for layer_shika::sctk::protocols_wlr::virtual_pointer::v1::client::zwlr_virtual_pointer_v1::Error
impl Debug for layer_shika::sctk::protocols_wlr::virtual_pointer::v1::client::zwlr_virtual_pointer_v1::Event
impl Debug for layer_shika::wayland_client::ConnectError
impl Debug for DispatchError
impl Debug for BindError
impl Debug for layer_shika::wayland_client::globals::GlobalError
impl Debug for layer_shika::wayland_client::protocol::wl_buffer::Event
impl Debug for layer_shika::wayland_client::protocol::wl_callback::Event
impl Debug for layer_shika::wayland_client::protocol::wl_compositor::Event
impl Debug for layer_shika::wayland_client::protocol::wl_data_device::Error
impl Debug for layer_shika::wayland_client::protocol::wl_data_device::Event
impl Debug for layer_shika::wayland_client::protocol::wl_data_device_manager::Event
impl Debug for layer_shika::wayland_client::protocol::wl_data_offer::Error
impl Debug for layer_shika::wayland_client::protocol::wl_data_offer::Event
impl Debug for layer_shika::wayland_client::protocol::wl_data_source::Error
impl Debug for layer_shika::wayland_client::protocol::wl_data_source::Event
impl Debug for layer_shika::wayland_client::protocol::wl_display::Error
impl Debug for layer_shika::wayland_client::protocol::wl_display::Event
impl Debug for layer_shika::wayland_client::protocol::wl_keyboard::Event
impl Debug for layer_shika::wayland_client::protocol::wl_keyboard::KeyState
impl Debug for KeymapFormat
impl Debug for layer_shika::wayland_client::protocol::wl_output::Event
impl Debug for layer_shika::wayland_client::protocol::wl_output::Subpixel
impl Debug for layer_shika::wayland_client::protocol::wl_output::Transform
impl Debug for Axis
impl Debug for AxisRelativeDirection
impl Debug for AxisSource
impl Debug for layer_shika::wayland_client::protocol::wl_pointer::ButtonState
impl Debug for layer_shika::wayland_client::protocol::wl_pointer::Error
impl Debug for layer_shika::wayland_client::protocol::wl_pointer::Event
impl Debug for layer_shika::wayland_client::protocol::wl_region::Event
impl Debug for layer_shika::wayland_client::protocol::wl_registry::Event
impl Debug for layer_shika::wayland_client::protocol::wl_seat::Error
impl Debug for layer_shika::wayland_client::protocol::wl_seat::Event
impl Debug for layer_shika::wayland_client::protocol::wl_shell::Error
impl Debug for layer_shika::wayland_client::protocol::wl_shell::Event
impl Debug for layer_shika::wayland_client::protocol::wl_shell_surface::Event
impl Debug for FullscreenMethod
impl Debug for layer_shika::wayland_client::protocol::wl_shm::Error
impl Debug for layer_shika::wayland_client::protocol::wl_shm::Event
impl Debug for layer_shika::wayland_client::protocol::wl_shm::Format
impl Debug for layer_shika::wayland_client::protocol::wl_shm_pool::Event
impl Debug for layer_shika::wayland_client::protocol::wl_subcompositor::Error
impl Debug for layer_shika::wayland_client::protocol::wl_subcompositor::Event
impl Debug for layer_shika::wayland_client::protocol::wl_subsurface::Error
impl Debug for layer_shika::wayland_client::protocol::wl_subsurface::Event
impl Debug for layer_shika::wayland_client::protocol::wl_surface::Error
impl Debug for layer_shika::wayland_client::protocol::wl_surface::Event
impl Debug for layer_shika::wayland_client::protocol::wl_touch::Event
impl Debug for WaylandError
impl Debug for AllowNull
impl Debug for ArgumentType
impl Debug for CollectionAllocErr
impl Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::TryReserveErrorKind
impl Debug for layer_shika::wayland_client::backend::smallvec::alloc::slice::GetDisjointMutError
impl Debug for SearchStep
impl Debug for layer_shika::wayland_client::backend::smallvec::alloc::fmt::Alignment
impl Debug for DebugAsHex
impl Debug for Sign
impl Debug for AsciiChar
impl Debug for core::cmp::Ordering
impl Debug for Infallible
impl Debug for FromBytesWithNulError
impl Debug for c_void
impl Debug for AtomicOrdering
impl Debug for IpAddr
impl Debug for Ipv6MulticastScope
impl Debug for core::net::socket_addr::SocketAddr
impl Debug for FpCategory
impl Debug for IntErrorKind
impl Debug for core::sync::atomic::Ordering
impl Debug for proc_macro::diagnostic::Level
impl Debug for ConversionErrorKind
impl Debug for proc_macro::Delimiter
impl Debug for proc_macro::Spacing
impl Debug for proc_macro::TokenTree
Prints token tree in a form convenient for debugging.
impl Debug for BacktraceStatus
impl Debug for VarError
impl Debug for std::fs::TryLockError
impl Debug for std::io::SeekFrom
impl Debug for std::io::error::ErrorKind
impl Debug for std::net::Shutdown
impl Debug for AncillaryError
impl Debug for BacktraceStyle
impl Debug for RecvTimeoutError
impl Debug for std::sync::mpsc::TryRecvError
impl Debug for GlyphImageFormat
impl Debug for OutlineCurve
impl Debug for accesskit::Action
impl Debug for ActionData
impl Debug for AriaCurrent
impl Debug for AutoComplete
impl Debug for HasPopup
impl Debug for Invalid
impl Debug for ListStyle
impl Debug for Live
impl Debug for accesskit::Orientation
impl Debug for accesskit::Role
impl Debug for SortDirection
impl Debug for TextAlign
impl Debug for accesskit::TextDecoration
impl Debug for accesskit::TextDirection
impl Debug for Toggled
impl Debug for VerticalOffset
impl Debug for accesskit_atspi_common::error::Error
impl Debug for accesskit_atspi_common::events::Event
impl Debug for ObjectEvent
impl Debug for accesskit_atspi_common::events::Property
impl Debug for accesskit_atspi_common::events::WindowEvent
impl Debug for NodeIdOrRoot
impl Debug for FilterResult
impl Debug for accesskit_winit::WindowEvent
impl Debug for allocator_api2::stable::raw_vec::TryReserveErrorKind
impl Debug for async_broadcast::RecvError
impl Debug for async_broadcast::TryRecvError
impl Debug for async_channel::TryRecvError
impl Debug for async_signal::Signal
impl Debug for ClipType
impl Debug for CoordType
impl Debug for Granularity
impl Debug for atspi_common::Layer
impl Debug for Politeness
impl Debug for atspi_common::ScrollType
impl Debug for AtspiError
impl Debug for ObjectPathConversionError
impl Debug for EventListenerEvents
impl Debug for CacheEvents
impl Debug for DocumentEvents
impl Debug for atspi_common::events::event_wrappers::Event
impl Debug for FocusEvents
impl Debug for KeyboardEvents
impl Debug for MouseEvents
impl Debug for ObjectEvents
impl Debug for TerminalEvents
impl Debug for WindowEvents
impl Debug for atspi_common::events::object::Property
impl Debug for atspi_common::interface::Interface
impl Debug for MatchType
impl Debug for atspi_common::object_match::SortOrder
impl Debug for TreeTraversalType
impl Debug for Operation
impl Debug for RelationType
impl Debug for atspi_common::role::Role
impl Debug for atspi_common::state::State
impl Debug for atspi_proxies::device_event_controller::EventType
impl Debug for KeySynthType
impl Debug for ParseAlphabetError
impl Debug for base64::decode::DecodeError
impl Debug for DecodeSliceError
impl Debug for EncodeSliceError
impl Debug for DecodePaddingMode
impl Debug for CheckedCastError
impl Debug for PodCastError
impl Debug for byteorder_lite::BigEndian
impl Debug for byteorder_lite::LittleEndian
impl Debug for Colons
impl Debug for chrono::format::Fixed
impl Debug for Numeric
impl Debug for OffsetPrecision
impl Debug for Pad
impl Debug for ParseErrorKind
impl Debug for SecondsFormat
impl Debug for Month
impl Debug for RoundingError
impl Debug for Weekday
impl Debug for PopError
impl Debug for DataUrlError
impl Debug for BinaryError
impl Debug for DlError
impl Debug for dpi::Insets
impl Debug for PixelUnit
impl Debug for dpi::Position
impl Debug for dpi::Size
impl Debug for Endian
impl Debug for DecompressionError
impl Debug for BlendFactor
impl Debug for CompositeOperation
impl Debug for femtovg::FillRule
impl Debug for femtovg::LineCap
impl Debug for femtovg::LineJoin
impl Debug for femtovg::error::ErrorKind
impl Debug for ImageFilter
impl Debug for femtovg::image::PixelFormat
impl Debug for Solidity
impl Debug for Verb
impl Debug for CommandType
impl Debug for RenderTarget
impl Debug for ShaderType
impl Debug for femtovg::text::Align
impl Debug for Baseline
impl Debug for RenderMode
impl Debug for FlushCompress
impl Debug for FlushDecompress
impl Debug for flate2::mem::Status
impl Debug for fontconfig_parser::error::Error
impl Debug for Constant
impl Debug for DirPrefix
impl Debug for ConfigPart
impl Debug for IntOrRange
impl Debug for EditBinding
impl Debug for EditMode
impl Debug for MatchTarget
impl Debug for TestCompare
impl Debug for TestQual
impl Debug for TestTarget
impl Debug for fontconfig_parser::types::property::Property
impl Debug for PropertyKind
impl Debug for FontMatch
impl Debug for BinaryOp
impl Debug for fontconfig_parser::types::value::Expression
impl Debug for ListOp
impl Debug for PropertyTarget
impl Debug for TernaryOp
impl Debug for UnaryOp
impl Debug for fontconfig_parser::types::value::Value
impl Debug for fontdb::Source
impl Debug for fontdb::Style
impl Debug for PollNext
impl Debug for gif::common::Block
impl Debug for DisposalMethod
impl Debug for Extension
impl Debug for gif::encoder::EncodingError
impl Debug for EncodingFormatError
impl Debug for gif::encoder::Repeat
impl Debug for ColorOutput
impl Debug for gif::reader::decoder::Decoded
impl Debug for gif::reader::decoder::DecodingError
impl Debug for FrameDataType
impl Debug for gif::reader::decoder::Version
impl Debug for MemoryLimit
impl Debug for ApiPreference
impl Debug for ColorBufferType
impl Debug for glutin::config::Config
impl Debug for RawConfig
impl Debug for ContextApi
impl Debug for GlProfile
impl Debug for glutin::context::NotCurrentContext
impl Debug for glutin::context::PossiblyCurrentContext
impl Debug for Priority
impl Debug for RawContext
impl Debug for ReleaseBehavior
impl Debug for Robustness
impl Debug for glutin::display::Display
impl Debug for DisplayApiPreference
impl Debug for RawDisplay
impl Debug for glutin::error::ErrorKind
impl Debug for NativePixmap
impl Debug for RawSurface
impl Debug for SurfaceType
impl Debug for SwapInterval
impl Debug for hashbrown::TryReserveError
impl Debug for hashbrown::TryReserveError
impl Debug for FromHexError
impl Debug for DiagnosticLevel
impl Debug for EmbeddedResourcesKind
impl Debug for i_slint_compiler::embedded_resources::PixelFormat
impl Debug for ComponentSelection
impl Debug for EmbedResourcesKind
impl Debug for BuiltinFunction
impl Debug for BuiltinMacroFunction
impl Debug for Callable
impl Debug for i_slint_compiler::expression_tree::EasingCurve
impl Debug for i_slint_compiler::expression_tree::Expression
impl Debug for ImageReference
impl Debug for MinMaxOp
impl Debug for OperatorClass
impl Debug for i_slint_compiler::expression_tree::Path
impl Debug for i_slint_compiler::expression_tree::Unit
impl Debug for OutputFormat
impl Debug for BuiltinPropertyDefault
impl Debug for DefaultSizeBinding
impl Debug for ElementType
impl Debug for i_slint_compiler::langtype::Type
impl Debug for i_slint_compiler::layout::Layout
impl Debug for i_slint_compiler::layout::Orientation
impl Debug for i_slint_compiler::llr::expression::Expression
impl Debug for Animation
impl Debug for PropertyReference
impl Debug for LoweredElement
impl Debug for BuiltinNamespace
impl Debug for LookupResult
impl Debug for LookupResultCallable
impl Debug for i_slint_compiler::object_tree::PropertyAnimation
impl Debug for PropertyVisibility
impl Debug for TransitionDirection
impl Debug for i_slint_compiler::parser::Language
impl Debug for i_slint_compiler::parser::NodeOrToken
impl Debug for i_slint_compiler::parser::SyntaxKind
impl Debug for ImportKind
impl Debug for i_slint_core::animations::EasingCurve
impl Debug for CloseRequestResponse
impl Debug for i_slint_core::api::EventLoopError
impl Debug for GraphicsAPI<'_>
impl Debug for PlatformError
impl Debug for RenderingState
impl Debug for SetRenderingNotifierError
impl Debug for WindowPosition
impl Debug for WindowSize
impl Debug for Brush
impl Debug for RequestedGraphicsAPI
impl Debug for RequestedOpenGLVersion
impl Debug for BorrowedOpenGLTextureOrigin
impl Debug for ImageCacheKey
impl Debug for ImageInner
impl Debug for TexturePixelFormat
impl Debug for PathData
impl Debug for i_slint_core::graphics::path::PathElement
impl Debug for RefreshMode
impl Debug for i_slint_core::input::FocusEvent
impl Debug for FocusEventResult
impl Debug for InputEventFilterResult
impl Debug for InputEventResult
impl Debug for KeyEventResult
impl Debug for KeyEventType
impl Debug for MouseEvent
impl Debug for i_slint_core::input::key_codes::Key
impl Debug for RepaintBufferType
impl Debug for ItemTreeNode
impl Debug for TraversalOrder
impl Debug for AccessibleRole
impl Debug for AnimationDirection
impl Debug for ColorScheme
impl Debug for DialogButtonRole
impl Debug for EventResult
impl Debug for i_slint_core::items::FillRule
impl Debug for FocusReason
impl Debug for ImageFit
impl Debug for ImageHorizontalAlignment
impl Debug for i_slint_core::items::ImageRendering
impl Debug for ImageTiling
impl Debug for ImageVerticalAlignment
impl Debug for InputType
impl Debug for LayoutAlignment
impl Debug for i_slint_core::items::LineCap
impl Debug for MouseCursor
impl Debug for OperatingSystemType
impl Debug for i_slint_core::items::Orientation
impl Debug for PathEvent
impl Debug for PointerEventButton
impl Debug for i_slint_core::items::PointerEventKind
impl Debug for PopupClosePolicy
impl Debug for ScrollBarPolicy
impl Debug for i_slint_core::items::SortOrder
impl Debug for StandardButtonKind
impl Debug for TextHorizontalAlignment
impl Debug for TextOverflow
impl Debug for TextStrokeStyle
impl Debug for TextVerticalAlignment
impl Debug for TextWrap
impl Debug for SetPlatformError
impl Debug for i_slint_core::platform::WindowEvent
impl Debug for RenderingRotation
impl Debug for SelectBundledTranslationError
impl Debug for InputMethodRequest
impl Debug for GetTimezoneError
impl Debug for TrieResult
impl Debug for InvalidStringList
impl Debug for TrieType
impl Debug for icu_collections::codepointtrie::error::Error
impl Debug for ExtensionType
impl Debug for icu_locale_core::parser::errors::ParseError
impl Debug for PreferencesParseError
impl Debug for Decomposed
impl Debug for BidiPairedBracketType
impl Debug for icu_properties::props::gc::GeneralCategory
impl Debug for BufferFormat
impl Debug for DataErrorKind
impl Debug for ProcessingError
impl Debug for ProcessingSuccess
impl Debug for image_webp::decoder::DecodingError
impl Debug for LoopCount
impl Debug for image_webp::encoder::ColorType
impl Debug for image_webp::encoder::EncodingError
impl Debug for PixelDensityUnit
impl Debug for CompressionType
impl Debug for image::codecs::png::FilterType
impl Debug for image::color::ColorType
impl Debug for ExtendedColorType
impl Debug for DynamicImage
impl Debug for image::error::ImageError
impl Debug for ImageFormatHint
impl Debug for LimitErrorKind
impl Debug for ParameterErrorKind
impl Debug for UnsupportedErrorKind
impl Debug for image::flat::Error
impl Debug for NormalForm
impl Debug for image::image::ImageFormat
impl Debug for image::imageops::sample::FilterType
impl Debug for image::metadata::Orientation
impl Debug for imagesize::container::heif::Compression
impl Debug for imagesize::ImageError
impl Debug for ImageType
impl Debug for itertools::with_position::Position
impl Debug for PathEl
impl Debug for PathSeg
impl Debug for CuspType
impl Debug for Cap
impl Debug for kurbo::stroke::Join
impl Debug for StrokeOptLevel
impl Debug for SvgParseError
impl Debug for DIR
impl Debug for FILE
impl Debug for libc::unix::linux_like::timezone
impl Debug for tpacket_versions
impl Debug for libloading::error::Error
impl Debug for linux_raw_sys::general::fsconfig_command
impl Debug for linux_raw_sys::general::fsconfig_command
impl Debug for linux_raw_sys::general::membarrier_cmd
impl Debug for linux_raw_sys::general::membarrier_cmd
impl Debug for linux_raw_sys::general::membarrier_cmd_flag
impl Debug for linux_raw_sys::general::membarrier_cmd_flag
impl Debug for procmap_query_flags
impl Debug for linux_raw_sys::net::_bindgen_ty_1
impl Debug for linux_raw_sys::net::_bindgen_ty_1
impl Debug for linux_raw_sys::net::_bindgen_ty_2
impl Debug for linux_raw_sys::net::_bindgen_ty_2
impl Debug for linux_raw_sys::net::_bindgen_ty_3
impl Debug for linux_raw_sys::net::_bindgen_ty_3
impl Debug for linux_raw_sys::net::_bindgen_ty_4
impl Debug for linux_raw_sys::net::_bindgen_ty_4
impl Debug for linux_raw_sys::net::_bindgen_ty_5
impl Debug for linux_raw_sys::net::_bindgen_ty_5
impl Debug for linux_raw_sys::net::_bindgen_ty_6
impl Debug for linux_raw_sys::net::_bindgen_ty_6
impl Debug for linux_raw_sys::net::_bindgen_ty_7
impl Debug for linux_raw_sys::net::_bindgen_ty_7
impl Debug for linux_raw_sys::net::_bindgen_ty_8
impl Debug for linux_raw_sys::net::_bindgen_ty_8
impl Debug for linux_raw_sys::net::_bindgen_ty_9
impl Debug for linux_raw_sys::net::_bindgen_ty_9
impl Debug for linux_raw_sys::net::_bindgen_ty_10
impl Debug for hwtstamp_flags
impl Debug for hwtstamp_rx_filters
impl Debug for hwtstamp_tx_types
impl Debug for linux_raw_sys::net::net_device_flags
impl Debug for linux_raw_sys::net::net_device_flags
impl Debug for linux_raw_sys::net::nf_dev_hooks
impl Debug for linux_raw_sys::net::nf_dev_hooks
impl Debug for linux_raw_sys::net::nf_inet_hooks
impl Debug for linux_raw_sys::net::nf_inet_hooks
impl Debug for linux_raw_sys::net::nf_ip6_hook_priorities
impl Debug for linux_raw_sys::net::nf_ip6_hook_priorities
impl Debug for linux_raw_sys::net::nf_ip_hook_priorities
impl Debug for linux_raw_sys::net::nf_ip_hook_priorities
impl Debug for linux_raw_sys::net::socket_state
impl Debug for linux_raw_sys::net::socket_state
impl Debug for linux_raw_sys::net::tcp_ca_state
impl Debug for linux_raw_sys::net::tcp_ca_state
impl Debug for linux_raw_sys::net::tcp_fastopen_client_fail
impl Debug for linux_raw_sys::net::tcp_fastopen_client_fail
impl Debug for txtime_flags
impl Debug for linux_raw_sys::netlink::_bindgen_ty_1
impl Debug for linux_raw_sys::netlink::_bindgen_ty_1
impl Debug for linux_raw_sys::netlink::_bindgen_ty_2
impl Debug for linux_raw_sys::netlink::_bindgen_ty_2
impl Debug for linux_raw_sys::netlink::_bindgen_ty_3
impl Debug for linux_raw_sys::netlink::_bindgen_ty_3
impl Debug for linux_raw_sys::netlink::_bindgen_ty_4
impl Debug for linux_raw_sys::netlink::_bindgen_ty_4
impl Debug for linux_raw_sys::netlink::_bindgen_ty_5
impl Debug for linux_raw_sys::netlink::_bindgen_ty_5
impl Debug for linux_raw_sys::netlink::_bindgen_ty_6
impl Debug for linux_raw_sys::netlink::_bindgen_ty_6
impl Debug for linux_raw_sys::netlink::_bindgen_ty_7
impl Debug for linux_raw_sys::netlink::_bindgen_ty_7
impl Debug for linux_raw_sys::netlink::_bindgen_ty_8
impl Debug for linux_raw_sys::netlink::_bindgen_ty_8
impl Debug for linux_raw_sys::netlink::_bindgen_ty_9
impl Debug for linux_raw_sys::netlink::_bindgen_ty_9
impl Debug for linux_raw_sys::netlink::_bindgen_ty_10
impl Debug for linux_raw_sys::netlink::_bindgen_ty_10
impl Debug for linux_raw_sys::netlink::_bindgen_ty_11
impl Debug for linux_raw_sys::netlink::_bindgen_ty_11
impl Debug for linux_raw_sys::netlink::_bindgen_ty_12
impl Debug for linux_raw_sys::netlink::_bindgen_ty_12
impl Debug for linux_raw_sys::netlink::_bindgen_ty_13
impl Debug for linux_raw_sys::netlink::_bindgen_ty_13
impl Debug for linux_raw_sys::netlink::_bindgen_ty_14
impl Debug for linux_raw_sys::netlink::_bindgen_ty_14
impl Debug for linux_raw_sys::netlink::_bindgen_ty_15
impl Debug for linux_raw_sys::netlink::_bindgen_ty_15
impl Debug for linux_raw_sys::netlink::_bindgen_ty_16
impl Debug for linux_raw_sys::netlink::_bindgen_ty_16
impl Debug for linux_raw_sys::netlink::_bindgen_ty_17
impl Debug for linux_raw_sys::netlink::_bindgen_ty_17
impl Debug for linux_raw_sys::netlink::_bindgen_ty_18
impl Debug for linux_raw_sys::netlink::_bindgen_ty_18
impl Debug for linux_raw_sys::netlink::_bindgen_ty_19
impl Debug for linux_raw_sys::netlink::_bindgen_ty_19
impl Debug for linux_raw_sys::netlink::_bindgen_ty_20
impl Debug for linux_raw_sys::netlink::_bindgen_ty_20
impl Debug for linux_raw_sys::netlink::_bindgen_ty_21
impl Debug for linux_raw_sys::netlink::_bindgen_ty_21
impl Debug for linux_raw_sys::netlink::_bindgen_ty_22
impl Debug for linux_raw_sys::netlink::_bindgen_ty_22
impl Debug for linux_raw_sys::netlink::_bindgen_ty_23
impl Debug for linux_raw_sys::netlink::_bindgen_ty_23
impl Debug for linux_raw_sys::netlink::_bindgen_ty_24
impl Debug for linux_raw_sys::netlink::_bindgen_ty_24
impl Debug for linux_raw_sys::netlink::_bindgen_ty_25
impl Debug for linux_raw_sys::netlink::_bindgen_ty_25
impl Debug for linux_raw_sys::netlink::_bindgen_ty_26
impl Debug for linux_raw_sys::netlink::_bindgen_ty_26
impl Debug for linux_raw_sys::netlink::_bindgen_ty_27
impl Debug for linux_raw_sys::netlink::_bindgen_ty_27
impl Debug for linux_raw_sys::netlink::_bindgen_ty_28
impl Debug for linux_raw_sys::netlink::_bindgen_ty_28
impl Debug for linux_raw_sys::netlink::_bindgen_ty_29
impl Debug for linux_raw_sys::netlink::_bindgen_ty_29
impl Debug for linux_raw_sys::netlink::_bindgen_ty_30
impl Debug for linux_raw_sys::netlink::_bindgen_ty_30
impl Debug for linux_raw_sys::netlink::_bindgen_ty_31
impl Debug for linux_raw_sys::netlink::_bindgen_ty_31
impl Debug for linux_raw_sys::netlink::_bindgen_ty_32
impl Debug for linux_raw_sys::netlink::_bindgen_ty_32
impl Debug for linux_raw_sys::netlink::_bindgen_ty_33
impl Debug for linux_raw_sys::netlink::_bindgen_ty_33
impl Debug for linux_raw_sys::netlink::_bindgen_ty_34
impl Debug for linux_raw_sys::netlink::_bindgen_ty_34
impl Debug for linux_raw_sys::netlink::_bindgen_ty_35
impl Debug for linux_raw_sys::netlink::_bindgen_ty_35
impl Debug for linux_raw_sys::netlink::_bindgen_ty_36
impl Debug for linux_raw_sys::netlink::_bindgen_ty_36
impl Debug for linux_raw_sys::netlink::_bindgen_ty_37
impl Debug for linux_raw_sys::netlink::_bindgen_ty_37
impl Debug for linux_raw_sys::netlink::_bindgen_ty_38
impl Debug for linux_raw_sys::netlink::_bindgen_ty_38
impl Debug for linux_raw_sys::netlink::_bindgen_ty_39
impl Debug for linux_raw_sys::netlink::_bindgen_ty_39
impl Debug for linux_raw_sys::netlink::_bindgen_ty_40
impl Debug for linux_raw_sys::netlink::_bindgen_ty_40
impl Debug for linux_raw_sys::netlink::_bindgen_ty_41
impl Debug for linux_raw_sys::netlink::_bindgen_ty_41
impl Debug for linux_raw_sys::netlink::_bindgen_ty_42
impl Debug for linux_raw_sys::netlink::_bindgen_ty_42
impl Debug for linux_raw_sys::netlink::_bindgen_ty_43
impl Debug for linux_raw_sys::netlink::_bindgen_ty_43
impl Debug for linux_raw_sys::netlink::_bindgen_ty_44
impl Debug for linux_raw_sys::netlink::_bindgen_ty_44
impl Debug for linux_raw_sys::netlink::_bindgen_ty_45
impl Debug for linux_raw_sys::netlink::_bindgen_ty_45
impl Debug for linux_raw_sys::netlink::_bindgen_ty_46
impl Debug for linux_raw_sys::netlink::_bindgen_ty_46
impl Debug for linux_raw_sys::netlink::_bindgen_ty_47
impl Debug for linux_raw_sys::netlink::_bindgen_ty_47
impl Debug for linux_raw_sys::netlink::_bindgen_ty_48
impl Debug for linux_raw_sys::netlink::_bindgen_ty_48
impl Debug for linux_raw_sys::netlink::_bindgen_ty_49
impl Debug for linux_raw_sys::netlink::_bindgen_ty_49
impl Debug for linux_raw_sys::netlink::_bindgen_ty_50
impl Debug for linux_raw_sys::netlink::_bindgen_ty_50
impl Debug for linux_raw_sys::netlink::_bindgen_ty_51
impl Debug for linux_raw_sys::netlink::_bindgen_ty_51
impl Debug for linux_raw_sys::netlink::_bindgen_ty_52
impl Debug for linux_raw_sys::netlink::_bindgen_ty_52
impl Debug for linux_raw_sys::netlink::_bindgen_ty_53
impl Debug for linux_raw_sys::netlink::_bindgen_ty_53
impl Debug for linux_raw_sys::netlink::_bindgen_ty_54
impl Debug for linux_raw_sys::netlink::_bindgen_ty_54
impl Debug for linux_raw_sys::netlink::_bindgen_ty_55
impl Debug for linux_raw_sys::netlink::_bindgen_ty_55
impl Debug for linux_raw_sys::netlink::_bindgen_ty_56
impl Debug for linux_raw_sys::netlink::_bindgen_ty_56
impl Debug for linux_raw_sys::netlink::_bindgen_ty_57
impl Debug for linux_raw_sys::netlink::_bindgen_ty_57
impl Debug for linux_raw_sys::netlink::_bindgen_ty_58
impl Debug for linux_raw_sys::netlink::_bindgen_ty_58
impl Debug for linux_raw_sys::netlink::_bindgen_ty_59
impl Debug for linux_raw_sys::netlink::_bindgen_ty_59
impl Debug for linux_raw_sys::netlink::_bindgen_ty_60
impl Debug for linux_raw_sys::netlink::_bindgen_ty_60
impl Debug for linux_raw_sys::netlink::_bindgen_ty_61
impl Debug for linux_raw_sys::netlink::_bindgen_ty_61
impl Debug for linux_raw_sys::netlink::_bindgen_ty_62
impl Debug for linux_raw_sys::netlink::_bindgen_ty_62
impl Debug for linux_raw_sys::netlink::_bindgen_ty_63
impl Debug for linux_raw_sys::netlink::_bindgen_ty_63
impl Debug for linux_raw_sys::netlink::_bindgen_ty_64
impl Debug for linux_raw_sys::netlink::_bindgen_ty_64
impl Debug for linux_raw_sys::netlink::_bindgen_ty_65
impl Debug for linux_raw_sys::netlink::_bindgen_ty_65
impl Debug for linux_raw_sys::netlink::_bindgen_ty_66
impl Debug for linux_raw_sys::netlink::_bindgen_ty_66
impl Debug for _bindgen_ty_67
impl Debug for linux_raw_sys::netlink::ifla_geneve_df
impl Debug for linux_raw_sys::netlink::ifla_geneve_df
impl Debug for linux_raw_sys::netlink::ifla_gtp_role
impl Debug for linux_raw_sys::netlink::ifla_gtp_role
impl Debug for linux_raw_sys::netlink::ifla_vxlan_df
impl Debug for linux_raw_sys::netlink::ifla_vxlan_df
impl Debug for ifla_vxlan_label_policy
impl Debug for linux_raw_sys::netlink::in6_addr_gen_mode
impl Debug for linux_raw_sys::netlink::in6_addr_gen_mode
impl Debug for linux_raw_sys::netlink::ipvlan_mode
impl Debug for linux_raw_sys::netlink::ipvlan_mode
impl Debug for linux_raw_sys::netlink::macsec_offload
impl Debug for linux_raw_sys::netlink::macsec_offload
impl Debug for linux_raw_sys::netlink::macsec_validation_type
impl Debug for linux_raw_sys::netlink::macsec_validation_type
impl Debug for linux_raw_sys::netlink::macvlan_macaddr_mode
impl Debug for linux_raw_sys::netlink::macvlan_macaddr_mode
impl Debug for linux_raw_sys::netlink::macvlan_mode
impl Debug for linux_raw_sys::netlink::macvlan_mode
impl Debug for netkit_action
impl Debug for netkit_mode
impl Debug for netkit_scrub
impl Debug for linux_raw_sys::netlink::netlink_attribute_type
impl Debug for linux_raw_sys::netlink::netlink_attribute_type
impl Debug for linux_raw_sys::netlink::netlink_policy_type_attr
impl Debug for linux_raw_sys::netlink::netlink_policy_type_attr
impl Debug for linux_raw_sys::netlink::nl_mmap_status
impl Debug for linux_raw_sys::netlink::nl_mmap_status
impl Debug for linux_raw_sys::netlink::nlmsgerr_attrs
impl Debug for linux_raw_sys::netlink::nlmsgerr_attrs
impl Debug for linux_raw_sys::netlink::rt_class_t
impl Debug for linux_raw_sys::netlink::rt_class_t
impl Debug for linux_raw_sys::netlink::rt_scope_t
impl Debug for linux_raw_sys::netlink::rt_scope_t
impl Debug for linux_raw_sys::netlink::rtattr_type_t
impl Debug for linux_raw_sys::netlink::rtattr_type_t
impl Debug for linux_raw_sys::netlink::rtnetlink_groups
impl Debug for linux_raw_sys::netlink::rtnetlink_groups
impl Debug for log::Level
impl Debug for log::LevelFilter
impl Debug for FitStyle
impl Debug for SampleType
impl Debug for lyon_extra::parser::ParseError
impl Debug for lyon_path::FillRule
impl Debug for lyon_path::LineCap
impl Debug for lyon_path::LineJoin
impl Debug for Side
impl Debug for Winding
impl Debug for PrefilterConfig
impl Debug for memmap2::advice::Advice
impl Debug for UncheckedAdvice
impl Debug for CompressionStrategy
impl Debug for TDEFLFlush
impl Debug for TDEFLStatus
impl Debug for CompressionLevel
impl Debug for DataFormat
impl Debug for MZError
impl Debug for MZFlush
impl Debug for MZStatus
impl Debug for TINFLStatus
impl Debug for nix::errno::consts::Errno
impl Debug for nix::sys::socket::addr::AddressFamily
impl Debug for ControlMessageOwned
impl Debug for nix::sys::socket::Shutdown
impl Debug for SockProtocol
impl Debug for nix::sys::socket::SockType
impl Debug for TlsGetRecordType
impl Debug for TlsCryptoInfo
impl Debug for SysconfVar
impl Debug for FloatErrorKind
impl Debug for png::common::BitDepth
impl Debug for BlendOp
impl Debug for png::common::ColorType
impl Debug for png::common::Compression
impl Debug for DisposeOp
impl Debug for SrgbRenderingIntent
impl Debug for png::common::Unit
impl Debug for InterlaceInfo
impl Debug for png::decoder::stream::Decoded
impl Debug for png::decoder::stream::DecodingError
impl Debug for png::encoder::EncodingError
impl Debug for AdaptiveFilterType
impl Debug for png::filter::FilterType
impl Debug for polling::PollMode
impl Debug for proc_macro2::Delimiter
impl Debug for proc_macro2::Spacing
impl Debug for proc_macro2::TokenTree
Prints token tree in a form convenient for debugging.
impl Debug for BrushStyle
impl Debug for qttypes::ImageFormat
impl Debug for PenStyle
impl Debug for QPainterRenderHint
impl Debug for QStandardPathLocation
impl Debug for UnicodeVersion
impl Debug for NormalizationForm
impl Debug for QColorNameFormat
impl Debug for QColorSpec
impl Debug for HandleError
impl Debug for RawDisplayHandle
impl Debug for RawWindowHandle
impl Debug for rowan::utility_types::Direction
impl Debug for NodeType
impl Debug for roxmltree::parse::Error
impl Debug for rustix::backend::fs::types::Advice
impl Debug for rustix::backend::fs::types::Advice
impl Debug for rustix::backend::fs::types::FileType
impl Debug for rustix::backend::fs::types::FileType
impl Debug for rustix::backend::fs::types::FlockOperation
impl Debug for rustix::backend::fs::types::FlockOperation
impl Debug for rustix::backend::mm::types::Advice
impl Debug for MembarrierCommand
impl Debug for rustix::backend::process::types::Resource
impl Debug for rustix::backend::process::types::Resource
impl Debug for FutexOperation
impl Debug for TimerfdClockId
impl Debug for rustix::clockid::ClockId
impl Debug for rustix::clockid::ClockId
impl Debug for rustix::fs::seek_from::SeekFrom
impl Debug for rustix::fs::seek_from::SeekFrom
impl Debug for rustix::ioctl::Direction
impl Debug for rustix::ioctl::Direction
impl Debug for rustix::net::socket_addr_any::SocketAddrAny
impl Debug for rustix::net::sockopt::Timeout
impl Debug for rustix::net::sockopt::Timeout
impl Debug for rustix::net::types::Shutdown
impl Debug for rustix::net::types::Shutdown
impl Debug for rustix::process::prctl::DumpableBehavior
impl Debug for rustix::process::prctl::DumpableBehavior
impl Debug for rustix::process::prctl::EndianMode
impl Debug for rustix::process::prctl::EndianMode
impl Debug for rustix::process::prctl::FloatingPointMode
impl Debug for rustix::process::prctl::FloatingPointMode
impl Debug for rustix::process::prctl::MachineCheckMemoryCorruptionKillPolicy
impl Debug for rustix::process::prctl::MachineCheckMemoryCorruptionKillPolicy
impl Debug for rustix::process::prctl::PTracer
impl Debug for rustix::process::prctl::PTracer
impl Debug for rustix::process::prctl::SpeculationFeature
impl Debug for rustix::process::prctl::SpeculationFeature
impl Debug for rustix::process::prctl::TimeStampCounterReadability
impl Debug for rustix::process::prctl::TimeStampCounterReadability
impl Debug for rustix::process::prctl::TimingMethod
impl Debug for rustix::process::prctl::TimingMethod
impl Debug for rustix::process::prctl::VirtualMemoryMapAddress
impl Debug for rustix::process::prctl::VirtualMemoryMapAddress
impl Debug for FlockOffsetType
impl Debug for FlockType
impl Debug for rustix::signal::Signal
impl Debug for RebootCommand
impl Debug for NanosleepRelativeResult
impl Debug for WakeOp
impl Debug for WakeOpCmp
impl Debug for rustix::thread::prctl::Capability
impl Debug for CoreSchedulingScope
impl Debug for SecureComputingMode
impl Debug for SysCallUserDispatchFastSwitch
impl Debug for LinkNameSpaceType
impl Debug for BufferClusterLevel
impl Debug for rustybuzz::hb::common::Direction
impl Debug for Always
impl Debug for simplecss::Error
impl Debug for slab::GetDisjointMutError
impl Debug for GetPropertyError
impl Debug for InvokeError
impl Debug for SetCallbackError
impl Debug for SetPropertyError
impl Debug for slint_interpreter::api::Value
impl Debug for ValueType
impl Debug for DataOfferError
impl Debug for smithay_client_toolkit::error::GlobalError
impl Debug for smithay_client_toolkit::seat::Capability
impl Debug for SeatError
impl Debug for KeyboardError
impl Debug for RepeatInfo
impl Debug for smithay_client_toolkit::seat::pointer::PointerEventKind
impl Debug for PointerThemeError
impl Debug for smithay_client_toolkit::shell::wlr_layer::KeyboardInteractivity
impl Debug for smithay_client_toolkit::shell::wlr_layer::Layer
impl Debug for SurfaceKind
impl Debug for ConfigureKind
impl Debug for DecorationMode
impl Debug for WindowDecorations
impl Debug for CreatePoolError
impl Debug for PoolError
impl Debug for ActivateSlotError
impl Debug for CreateBufferError
impl Debug for SoftBufferError
impl Debug for strum::ParseError
impl Debug for AngleUnit
impl Debug for svgtypes::aspect_ratio::Align
impl Debug for DirectionalPosition
impl Debug for EnableBackground
impl Debug for svgtypes::error::Error
impl Debug for FilterValueListParserError
impl Debug for FontFamily
impl Debug for LengthUnit
impl Debug for PaintFallback
impl Debug for PaintOrderKind
impl Debug for svgtypes::path::PathSegment
impl Debug for SimplePathSegment
impl Debug for TransformListToken
impl Debug for TransformOriginError
impl Debug for ViewBoxError
impl Debug for AttrStyle
impl Debug for Meta
impl Debug for syn::data::Fields
impl Debug for syn::derive::Data
impl Debug for Expr
impl Debug for Member
impl Debug for PointerMutability
impl Debug for RangeLimits
impl Debug for CapturedParam
impl Debug for GenericParam
impl Debug for TraitBoundModifier
impl Debug for TypeParamBound
impl Debug for WherePredicate
impl Debug for FnArg
impl Debug for ForeignItem
impl Debug for ImplItem
impl Debug for ImplRestriction
impl Debug for syn::item::Item
impl Debug for StaticMutability
impl Debug for TraitItem
impl Debug for UseTree
impl Debug for Lit
impl Debug for MacroDelimiter
impl Debug for BinOp
impl Debug for UnOp
impl Debug for Pat
impl Debug for GenericArgument
impl Debug for PathArguments
impl Debug for FieldMutability
impl Debug for syn::restriction::Visibility
impl Debug for Stmt
impl Debug for syn::ty::ReturnType
impl Debug for syn::ty::Type
impl Debug for tiny_skia_path::path::PathSegment
impl Debug for PathVerb
impl Debug for tiny_skia_path::stroker::LineCap
impl Debug for tiny_skia_path::stroker::LineJoin
impl Debug for tiny_skia::blend_mode::BlendMode
impl Debug for tiny_skia::mask::MaskType
impl Debug for tiny_skia::painter::FillRule
impl Debug for SpreadMode
impl Debug for FilterQuality
impl Debug for tinystr::error::ParseError
impl Debug for ttf_parser::FaceParsingError
impl Debug for ttf_parser::FaceParsingError
impl Debug for ttf_parser::RasterImageFormat
impl Debug for ttf_parser::RasterImageFormat
impl Debug for ttf_parser::language::Language
impl Debug for ttf_parser::language::Language
impl Debug for ttf_parser::tables::cff::CFFError
impl Debug for ttf_parser::tables::cff::CFFError
impl Debug for ttf_parser::tables::cmap::format14::GlyphVariationResult
impl Debug for ttf_parser::tables::cmap::format14::GlyphVariationResult
impl Debug for ttf_parser::tables::colr::CompositeMode
impl Debug for ttf_parser::tables::colr::CompositeMode
impl Debug for ttf_parser::tables::colr::GradientExtend
impl Debug for ttf_parser::tables::colr::GradientExtend
impl Debug for ttf_parser::tables::gdef::GlyphClass
impl Debug for ttf_parser::tables::gdef::GlyphClass
impl Debug for ttf_parser::tables::head::IndexToLocationFormat
impl Debug for ttf_parser::tables::head::IndexToLocationFormat
impl Debug for ttf_parser::tables::name::PlatformId
impl Debug for ttf_parser::tables::name::PlatformId
impl Debug for ttf_parser::tables::os2::Permissions
impl Debug for ttf_parser::tables::os2::Permissions
impl Debug for ttf_parser::tables::os2::Style
impl Debug for ttf_parser::tables::os2::Style
impl Debug for ttf_parser::tables::os2::Weight
impl Debug for ttf_parser::tables::os2::Weight
impl Debug for ttf_parser::tables::os2::Width
impl Debug for ttf_parser::tables::os2::Width
impl Debug for unicode_bidi::char_data::tables::BidiClass
impl Debug for unicode_bidi::Direction
impl Debug for unicode_bidi::level::Error
impl Debug for unicode_ccc::CanonicalCombiningClass
impl Debug for BreakClass
impl Debug for BreakOpportunity
impl Debug for unicode_properties::tables::general_category::GeneralCategory
impl Debug for unicode_properties::tables::general_category::GeneralCategoryGroup
impl Debug for unicode_script::tables::tables_impl::Script
impl Debug for GraphemeIncomplete
impl Debug for unicode_vo::Orientation
impl Debug for Origin
impl Debug for url::parser::ParseError
impl Debug for SyntaxViolation
impl Debug for url::slicing::Position
impl Debug for usvg::parser::Error
impl Debug for usvg::tree::BlendMode
impl Debug for usvg::tree::FillRule
impl Debug for ImageKind
impl Debug for usvg::tree::ImageRendering
impl Debug for usvg::tree::LineCap
impl Debug for usvg::tree::LineJoin
impl Debug for usvg::tree::MaskType
impl Debug for usvg::tree::Node
impl Debug for usvg::tree::Paint
impl Debug for usvg::tree::PaintOrder
impl Debug for ShapeRendering
impl Debug for SpreadMethod
impl Debug for TextRendering
impl Debug for ColorChannel
impl Debug for ColorInterpolation
impl Debug for ColorMatrixKind
impl Debug for CompositeOperator
impl Debug for EdgeMode
impl Debug for Input
impl Debug for usvg::tree::filter::Kind
impl Debug for LightSource
impl Debug for MorphologyOperator
impl Debug for usvg::tree::filter::TransferFunction
impl Debug for TurbulenceKind
impl Debug for AlignmentBaseline
impl Debug for BaselineShift
impl Debug for DominantBaseline
impl Debug for FontStretch
impl Debug for FontStyle
impl Debug for LengthAdjust
impl Debug for TextAnchor
impl Debug for TextFlow
impl Debug for WritingMode
impl Debug for DisconnectReason
impl Debug for InitError
impl Debug for wayland_protocols_plasma::appmenu::generated::client::org_kde_kwin_appmenu::Event
impl Debug for wayland_protocols_plasma::appmenu::generated::client::org_kde_kwin_appmenu_manager::Event
impl Debug for wayland_protocols_plasma::blur::generated::client::org_kde_kwin_blur::Event
impl Debug for wayland_protocols_plasma::blur::generated::client::org_kde_kwin_blur_manager::Event
impl Debug for wayland_protocols_plasma::contrast::generated::client::org_kde_kwin_contrast::Event
impl Debug for wayland_protocols_plasma::contrast::generated::client::org_kde_kwin_contrast_manager::Event
impl Debug for wayland_protocols_plasma::dpms::generated::client::org_kde_kwin_dpms::Event
impl Debug for wayland_protocols_plasma::dpms::generated::client::org_kde_kwin_dpms::Mode
impl Debug for wayland_protocols_plasma::dpms::generated::client::org_kde_kwin_dpms_manager::Event
impl Debug for wayland_protocols_plasma::external_brightness::v1::generated::client::kde_external_brightness_device_v1::Event
impl Debug for wayland_protocols_plasma::external_brightness::v1::generated::client::kde_external_brightness_v1::Event
impl Debug for wayland_protocols_plasma::fake_input::generated::client::org_kde_kwin_fake_input::Event
impl Debug for wayland_protocols_plasma::fullscreen_shell::generated::client::_wl_fullscreen_shell::Capability
impl Debug for wayland_protocols_plasma::fullscreen_shell::generated::client::_wl_fullscreen_shell::Error
impl Debug for wayland_protocols_plasma::fullscreen_shell::generated::client::_wl_fullscreen_shell::Event
impl Debug for wayland_protocols_plasma::fullscreen_shell::generated::client::_wl_fullscreen_shell::PresentMethod
impl Debug for wayland_protocols_plasma::fullscreen_shell::generated::client::_wl_fullscreen_shell_mode_feedback::Event
impl Debug for wayland_protocols_plasma::idle::generated::client::org_kde_kwin_idle::Event
impl Debug for wayland_protocols_plasma::idle::generated::client::org_kde_kwin_idle_timeout::Event
impl Debug for wayland_protocols_plasma::keystate::generated::client::org_kde_kwin_keystate::Event
impl Debug for wayland_protocols_plasma::keystate::generated::client::org_kde_kwin_keystate::Key
impl Debug for wayland_protocols_plasma::keystate::generated::client::org_kde_kwin_keystate::State
impl Debug for wayland_protocols_plasma::lockscreen_overlay::v1::generated::client::kde_lockscreen_overlay_v1::Error
impl Debug for wayland_protocols_plasma::lockscreen_overlay::v1::generated::client::kde_lockscreen_overlay_v1::Event
impl Debug for Enablement
impl Debug for wayland_protocols_plasma::output_device::v1::generated::client::org_kde_kwin_outputdevice::Event
impl Debug for wayland_protocols_plasma::output_device::v1::generated::client::org_kde_kwin_outputdevice::Mode
impl Debug for wayland_protocols_plasma::output_device::v1::generated::client::org_kde_kwin_outputdevice::Subpixel
impl Debug for wayland_protocols_plasma::output_device::v1::generated::client::org_kde_kwin_outputdevice::Transform
impl Debug for wayland_protocols_plasma::output_device::v1::generated::client::org_kde_kwin_outputdevice::VrrPolicy
impl Debug for wayland_protocols_plasma::output_device::v2::generated::client::kde_output_device_mode_v2::Event
impl Debug for wayland_protocols_plasma::output_device::v2::generated::client::kde_output_device_v2::AutoRotatePolicy
impl Debug for wayland_protocols_plasma::output_device::v2::generated::client::kde_output_device_v2::ColorPowerTradeoff
impl Debug for wayland_protocols_plasma::output_device::v2::generated::client::kde_output_device_v2::ColorProfileSource
impl Debug for wayland_protocols_plasma::output_device::v2::generated::client::kde_output_device_v2::Event
impl Debug for wayland_protocols_plasma::output_device::v2::generated::client::kde_output_device_v2::RgbRange
impl Debug for wayland_protocols_plasma::output_device::v2::generated::client::kde_output_device_v2::Subpixel
impl Debug for wayland_protocols_plasma::output_device::v2::generated::client::kde_output_device_v2::Transform
impl Debug for wayland_protocols_plasma::output_device::v2::generated::client::kde_output_device_v2::VrrPolicy
impl Debug for wayland_protocols_plasma::output_management::v1::generated::client::org_kde_kwin_outputconfiguration::Event
impl Debug for wayland_protocols_plasma::output_management::v1::generated::client::org_kde_kwin_outputconfiguration::VrrPolicy
impl Debug for wayland_protocols_plasma::output_management::v1::generated::client::org_kde_kwin_outputmanagement::Event
impl Debug for wayland_protocols_plasma::output_management::v2::generated::client::kde_output_configuration_v2::AutoRotatePolicy
impl Debug for wayland_protocols_plasma::output_management::v2::generated::client::kde_output_configuration_v2::ColorPowerTradeoff
impl Debug for wayland_protocols_plasma::output_management::v2::generated::client::kde_output_configuration_v2::ColorProfileSource
impl Debug for wayland_protocols_plasma::output_management::v2::generated::client::kde_output_configuration_v2::Error
impl Debug for wayland_protocols_plasma::output_management::v2::generated::client::kde_output_configuration_v2::Event
impl Debug for wayland_protocols_plasma::output_management::v2::generated::client::kde_output_configuration_v2::RgbRange
impl Debug for wayland_protocols_plasma::output_management::v2::generated::client::kde_output_configuration_v2::VrrPolicy
impl Debug for wayland_protocols_plasma::output_management::v2::generated::client::kde_output_management_v2::Event
impl Debug for wayland_protocols_plasma::output_order::v1::generated::client::kde_output_order_v1::Event
impl Debug for wayland_protocols_plasma::plasma_shell::generated::client::org_kde_plasma_shell::Event
impl Debug for wayland_protocols_plasma::plasma_shell::generated::client::org_kde_plasma_surface::Error
impl Debug for wayland_protocols_plasma::plasma_shell::generated::client::org_kde_plasma_surface::Event
impl Debug for PanelBehavior
impl Debug for wayland_protocols_plasma::plasma_shell::generated::client::org_kde_plasma_surface::Role
impl Debug for wayland_protocols_plasma::plasma_virtual_desktop::generated::client::org_kde_plasma_virtual_desktop::Event
impl Debug for wayland_protocols_plasma::plasma_virtual_desktop::generated::client::org_kde_plasma_virtual_desktop_management::Event
impl Debug for wayland_protocols_plasma::plasma_window_management::generated::client::org_kde_plasma_activation::Event
impl Debug for wayland_protocols_plasma::plasma_window_management::generated::client::org_kde_plasma_activation_feedback::Event
impl Debug for wayland_protocols_plasma::plasma_window_management::generated::client::org_kde_plasma_stacking_order::Event
impl Debug for wayland_protocols_plasma::plasma_window_management::generated::client::org_kde_plasma_window::Event
impl Debug for wayland_protocols_plasma::plasma_window_management::generated::client::org_kde_plasma_window_management::Event
impl Debug for ShowDesktop
impl Debug for wayland_protocols_plasma::plasma_window_management::generated::client::org_kde_plasma_window_management::State
impl Debug for wayland_protocols_plasma::primary_output::v1::generated::client::kde_primary_output_v1::Event
impl Debug for wayland_protocols_plasma::remote_access::generated::client::org_kde_kwin_remote_access_manager::Event
impl Debug for wayland_protocols_plasma::remote_access::generated::client::org_kde_kwin_remote_buffer::Event
impl Debug for wayland_protocols_plasma::screen_edge::v1::generated::client::kde_auto_hide_screen_edge_v1::Event
impl Debug for Border
impl Debug for wayland_protocols_plasma::screen_edge::v1::generated::client::kde_screen_edge_manager_v1::Error
impl Debug for wayland_protocols_plasma::screen_edge::v1::generated::client::kde_screen_edge_manager_v1::Event
impl Debug for wayland_protocols_plasma::screencast::v1::generated::client::zkde_screencast_stream_unstable_v1::Event
impl Debug for wayland_protocols_plasma::screencast::v1::generated::client::zkde_screencast_unstable_v1::Event
impl Debug for Pointer
impl Debug for wayland_protocols_plasma::server_decoration::generated::client::org_kde_kwin_server_decoration::Event
impl Debug for wayland_protocols_plasma::server_decoration::generated::client::org_kde_kwin_server_decoration::Mode
impl Debug for wayland_protocols_plasma::server_decoration::generated::client::org_kde_kwin_server_decoration_manager::Event
impl Debug for wayland_protocols_plasma::server_decoration::generated::client::org_kde_kwin_server_decoration_manager::Mode
impl Debug for wayland_protocols_plasma::server_decoration_palette::generated::client::org_kde_kwin_server_decoration_palette::Event
impl Debug for wayland_protocols_plasma::server_decoration_palette::generated::client::org_kde_kwin_server_decoration_palette_manager::Event
impl Debug for wayland_protocols_plasma::shadow::generated::client::org_kde_kwin_shadow::Event
impl Debug for wayland_protocols_plasma::shadow::generated::client::org_kde_kwin_shadow_manager::Event
impl Debug for wayland_protocols_plasma::slide::generated::client::org_kde_kwin_slide::Event
impl Debug for wayland_protocols_plasma::slide::generated::client::org_kde_kwin_slide::Location
impl Debug for wayland_protocols_plasma::slide::generated::client::org_kde_kwin_slide_manager::Event
impl Debug for wayland_protocols_plasma::surface_extension::generated::client::qt_extended_surface::Event
impl Debug for wayland_protocols_plasma::surface_extension::generated::client::qt_extended_surface::Orientation
impl Debug for Windowflag
impl Debug for wayland_protocols_plasma::surface_extension::generated::client::qt_surface_extension::Event
impl Debug for wayland_protocols_plasma::text_input::v1::generated::client::wl_text_input::ContentHint
impl Debug for wayland_protocols_plasma::text_input::v1::generated::client::wl_text_input::ContentPurpose
impl Debug for wayland_protocols_plasma::text_input::v1::generated::client::wl_text_input::Event
impl Debug for wayland_protocols_plasma::text_input::v1::generated::client::wl_text_input::PreeditStyle
impl Debug for wayland_protocols_plasma::text_input::v1::generated::client::wl_text_input::TextDirection
impl Debug for wayland_protocols_plasma::text_input::v1::generated::client::wl_text_input_manager::Event
impl Debug for wayland_protocols_plasma::text_input::v2::generated::client::zwp_text_input_manager_v2::Event
impl Debug for wayland_protocols_plasma::text_input::v2::generated::client::zwp_text_input_v2::ContentPurpose
impl Debug for wayland_protocols_plasma::text_input::v2::generated::client::zwp_text_input_v2::Event
impl Debug for InputPanelVisibility
impl Debug for wayland_protocols_plasma::text_input::v2::generated::client::zwp_text_input_v2::PreeditStyle
impl Debug for wayland_protocols_plasma::text_input::v2::generated::client::zwp_text_input_v2::TextDirection
impl Debug for UpdateState
impl Debug for Attrib
impl Debug for wayland_protocols_plasma::wayland_eglstream_controller::generated::client::wl_eglstream_controller::Event
impl Debug for PresentMode
impl Debug for BitOrder
impl Debug for LzwError
impl Debug for LzwStatus
impl Debug for BadImage
impl Debug for winit::cursor::Cursor
impl Debug for winit::error::EventLoopError
impl Debug for ExternalError
impl Debug for winit::event::DeviceEvent
impl Debug for ElementState
impl Debug for Force
impl Debug for Ime
impl Debug for MouseButton
impl Debug for MouseScrollDelta
impl Debug for StartCause
impl Debug for TouchPhase
impl Debug for winit::event::WindowEvent
impl Debug for winit::event_loop::ControlFlow
impl Debug for DeviceEvents
impl Debug for BadIcon
impl Debug for winit::keyboard::KeyCode
impl Debug for KeyLocation
impl Debug for ModifiersKeyState
impl Debug for NamedKey
impl Debug for NativeKey
impl Debug for NativeKeyCode
impl Debug for PhysicalKey
impl Debug for WindowType
impl Debug for CursorGrabMode
impl Debug for Fullscreen
impl Debug for ImePurpose
impl Debug for ResizeDirection
impl Debug for Theme
impl Debug for UserAttentionType
impl Debug for WindowLevel
impl Debug for Endianness
impl Debug for Needed
impl Debug for StrContext
impl Debug for StrContextValue
impl Debug for CompareResult
impl Debug for x11_clipboard::error::Error
impl Debug for OpenErrorKind
impl Debug for XIMCaretDirection
impl Debug for XIMCaretStyle
impl Debug for PollReply
impl Debug for ReplyFdKind
impl Debug for DiscardMode
impl Debug for x11rb_protocol::errors::ConnectError
impl Debug for DisplayParsingError
impl Debug for x11rb_protocol::errors::ParseError
impl Debug for x11rb_protocol::protocol::ErrorKind
impl Debug for x11rb_protocol::protocol::Event
impl Debug for Reply
impl Debug for ChangeDevicePropertyAux
impl Debug for DeviceClassData
impl Debug for DeviceCtlData
impl Debug for DeviceStateData
impl Debug for FeedbackCtlData
impl Debug for FeedbackStateData
impl Debug for GetDevicePropertyItems
impl Debug for HierarchyChangeData
impl Debug for InputInfoInfo
impl Debug for InputStateData
impl Debug for XIChangePropertyAux
impl Debug for XIGetPropertyItems
impl Debug for BigRequests
impl Debug for RequestKind
impl Debug for ConnectionError
impl Debug for LibxcbLoadError
impl Debug for ReplyError
impl Debug for ReplyOrIdError
impl Debug for WmHintsState
impl Debug for WmSizeHintsSpecification
impl Debug for x11rb::rust_connection::stream::PollMode
impl Debug for xkb_compose_compile_flags
impl Debug for xkb_compose_feed_result
impl Debug for xkb_compose_format
impl Debug for xkb_compose_state_flags
impl Debug for xkb_compose_status
impl Debug for xkb_context_flags
impl Debug for xkb_key_direction
impl Debug for xkb_keymap_compile_flags
impl Debug for xkb_keymap_format
impl Debug for xkb_keysym_flags
impl Debug for xkb_log_level
impl Debug for xkb_x11_setup_xkb_extension_flags
impl Debug for FeedResult
impl Debug for xkbcommon::xkb::compose::Status
impl Debug for Indent
impl Debug for Transport
impl Debug for TcpTransportFamily
impl Debug for UnixSocket
impl Debug for AuthMechanism
impl Debug for zbus::error::Error
impl Debug for ReleaseNameReply
impl Debug for RequestNameFlags
impl Debug for RequestNameReply
impl Debug for StartServiceReply
impl Debug for zbus::fdo::error::Error
impl Debug for EndianSig
impl Debug for zbus::message::header::Flags
impl Debug for zbus::message::header::Type
impl Debug for CacheProperties
impl Debug for MethodFlags
impl Debug for BusName<'_>
impl Debug for zbus_names::error::Error
impl Debug for zerocopy::byteorder::BigEndian
impl Debug for zerocopy::byteorder::LittleEndian
impl Debug for ZeroTrieBuildError
impl Debug for UleError
impl Debug for zune_core::bit_depth::BitDepth
impl Debug for BitType
impl Debug for ByteEndian
impl Debug for ColorCharacteristics
impl Debug for ColorSpace
impl Debug for zune_core::log::Level
impl Debug for DecodeErrors
impl Debug for UnsupportedSchemes
impl Debug for zvariant::error::Error
impl Debug for MaxDepthExceeded
impl Debug for zvariant_utils::serialized::Format
impl Debug for zvariant_utils::signature::child::Child
impl Debug for zvariant_utils::signature::Signature
impl Debug for zvariant_utils::signature::error::Error
impl Debug for zvariant_utils::signature::fields::Fields
impl Debug for bool
impl Debug for char
impl Debug for f16
impl Debug for f32
impl Debug for f64
impl Debug for f128
impl Debug for i8
impl Debug for i16
impl Debug for i32
impl Debug for i64
impl Debug for i128
impl Debug for isize
impl Debug for !
impl Debug for str
impl Debug for u8
impl Debug for u16
impl Debug for u32
impl Debug for u64
impl Debug for u128
impl Debug for ()
impl Debug for usize
impl Debug for ChannelError
impl Debug for PingError
impl Debug for layer_shika::sctk::calloop::Interest
impl Debug for LoopSignal
impl Debug for layer_shika::sctk::calloop::Poll
impl Debug for Readiness
impl Debug for RegistrationToken
impl Debug for layer_shika::sctk::calloop::Token
impl Debug for TokenFactory
impl Debug for TimeoutFuture
impl Debug for layer_shika::sctk::calloop::timer::Timer
impl Debug for layer_shika::sctk::csd_frame::CursorIconParseError
impl Debug for WindowManagerCapabilities
impl Debug for WindowState
impl Debug for ExtDataControlDeviceV1
impl Debug for ExtDataControlManagerV1
impl Debug for ExtDataControlOfferV1
impl Debug for ExtDataControlSourceV1
impl Debug for ExtForeignToplevelHandleV1
impl Debug for ExtForeignToplevelListV1
impl Debug for ExtIdleNotificationV1
impl Debug for ExtIdleNotifierV1
impl Debug for ExtForeignToplevelImageCaptureSourceManagerV1
impl Debug for ExtImageCaptureSourceV1
impl Debug for ExtOutputImageCaptureSourceManagerV1
impl Debug for ExtImageCopyCaptureCursorSessionV1
impl Debug for ExtImageCopyCaptureFrameV1
impl Debug for ExtImageCopyCaptureManagerV1
impl Debug for layer_shika::sctk::protocols::ext::image_copy_capture::v1::client::ext_image_copy_capture_manager_v1::Options
impl Debug for ExtImageCopyCaptureSessionV1
impl Debug for ExtSessionLockManagerV1
impl Debug for ExtSessionLockSurfaceV1
impl Debug for ExtSessionLockV1
impl Debug for ExtTransientSeatManagerV1
impl Debug for ExtTransientSeatV1
impl Debug for ExtWorkspaceGroupHandleV1
impl Debug for GroupCapabilities
impl Debug for ExtWorkspaceHandleV1
impl Debug for layer_shika::sctk::protocols::ext::workspace::v1::client::ext_workspace_handle_v1::State
impl Debug for WorkspaceCapabilities
impl Debug for ExtWorkspaceManagerV1
impl Debug for WpAlphaModifierSurfaceV1
impl Debug for WpAlphaModifierV1
impl Debug for WpColorManagementOutputV1
impl Debug for WpColorManagementSurfaceFeedbackV1
impl Debug for WpColorManagementSurfaceV1
impl Debug for WpColorManagerV1
impl Debug for WpImageDescriptionCreatorIccV1
impl Debug for WpImageDescriptionCreatorParamsV1
impl Debug for WpImageDescriptionInfoV1
impl Debug for WpImageDescriptionV1
impl Debug for WpColorRepresentationManagerV1
impl Debug for WpColorRepresentationSurfaceV1
impl Debug for WpCommitTimerV1
impl Debug for WpCommitTimingManagerV1
impl Debug for WpContentTypeManagerV1
impl Debug for WpContentTypeV1
impl Debug for WpCursorShapeDeviceV1
impl Debug for WpCursorShapeManagerV1
impl Debug for WpDrmLeaseConnectorV1
impl Debug for WpDrmLeaseDeviceV1
impl Debug for WpDrmLeaseRequestV1
impl Debug for WpDrmLeaseV1
impl Debug for WpFifoManagerV1
impl Debug for WpFifoV1
impl Debug for WpFractionalScaleManagerV1
impl Debug for WpFractionalScaleV1
impl Debug for ZwpFullscreenShellModeFeedbackV1
impl Debug for ZwpFullscreenShellV1
impl Debug for ZwpIdleInhibitManagerV1
impl Debug for ZwpIdleInhibitorV1
impl Debug for ZwpInputMethodContextV1
impl Debug for ZwpInputMethodV1
impl Debug for ZwpInputPanelSurfaceV1
impl Debug for ZwpInputPanelV1
impl Debug for ZwpInputTimestampsManagerV1
impl Debug for ZwpInputTimestampsV1
impl Debug for ZwpKeyboardShortcutsInhibitManagerV1
impl Debug for ZwpKeyboardShortcutsInhibitorV1
impl Debug for layer_shika::sctk::protocols::wp::linux_dmabuf::zv1::client::zwp_linux_buffer_params_v1::Flags
impl Debug for ZwpLinuxBufferParamsV1
impl Debug for TrancheFlags
impl Debug for ZwpLinuxDmabufFeedbackV1
impl Debug for ZwpLinuxDmabufV1
impl Debug for WpLinuxDrmSyncobjManagerV1
impl Debug for WpLinuxDrmSyncobjSurfaceV1
impl Debug for WpLinuxDrmSyncobjTimelineV1
impl Debug for ZwpLinuxBufferReleaseV1
impl Debug for ZwpLinuxExplicitSynchronizationV1
impl Debug for ZwpLinuxSurfaceSynchronizationV1
impl Debug for ZwpConfinedPointerV1
impl Debug for ZwpLockedPointerV1
impl Debug for ZwpPointerConstraintsV1
impl Debug for ZwpPointerGestureHoldV1
impl Debug for ZwpPointerGesturePinchV1
impl Debug for ZwpPointerGestureSwipeV1
impl Debug for ZwpPointerGesturesV1
impl Debug for WpPresentation
impl Debug for layer_shika::sctk::protocols::wp::presentation_time::client::wp_presentation_feedback::Kind
impl Debug for WpPresentationFeedback
impl Debug for ZwpPrimarySelectionDeviceManagerV1
impl Debug for ZwpPrimarySelectionDeviceV1
impl Debug for ZwpPrimarySelectionOfferV1
impl Debug for ZwpPrimarySelectionSourceV1
impl Debug for ZwpRelativePointerManagerV1
impl Debug for ZwpRelativePointerV1
impl Debug for WpSecurityContextManagerV1
impl Debug for WpSecurityContextV1
impl Debug for WpSinglePixelBufferManagerV1
impl Debug for ZwpTabletManagerV1
impl Debug for ZwpTabletSeatV1
impl Debug for ZwpTabletToolV1
impl Debug for ZwpTabletV1
impl Debug for ZwpTabletManagerV2
impl Debug for ZwpTabletPadGroupV2
impl Debug for ZwpTabletPadRingV2
impl Debug for ZwpTabletPadStripV2
impl Debug for ZwpTabletPadV2
impl Debug for ZwpTabletSeatV2
impl Debug for ZwpTabletToolV2
impl Debug for ZwpTabletV2
impl Debug for WpTearingControlManagerV1
impl Debug for WpTearingControlV1
impl Debug for ZwpTextInputManagerV1
impl Debug for layer_shika::sctk::protocols::wp::text_input::zv1::client::zwp_text_input_v1::ContentHint
impl Debug for ZwpTextInputV1
impl Debug for ZwpTextInputManagerV3
impl Debug for layer_shika::sctk::protocols::wp::text_input::zv3::client::zwp_text_input_v3::ContentHint
impl Debug for ZwpTextInputV3
impl Debug for WpViewport
impl Debug for WpViewporter
impl Debug for XdgActivationTokenV1
impl Debug for XdgActivationV1
impl Debug for ZxdgDecorationManagerV1
impl Debug for ZxdgToplevelDecorationV1
impl Debug for XdgDialogV1
impl Debug for XdgWmDialogV1
impl Debug for ZxdgExportedV1
impl Debug for ZxdgExporterV1
impl Debug for ZxdgImportedV1
impl Debug for ZxdgImporterV1
impl Debug for ZxdgExportedV2
impl Debug for ZxdgExporterV2
impl Debug for ZxdgImportedV2
impl Debug for ZxdgImporterV2
impl Debug for XdgPopup
impl Debug for ConstraintAdjustment
impl Debug for layer_shika::sctk::protocols::xdg::shell::client::xdg_positioner::XdgPositioner
impl Debug for XdgSurface
impl Debug for XdgToplevel
impl Debug for XdgWmBase
impl Debug for XdgSystemBellV1
impl Debug for XdgToplevelDragManagerV1
impl Debug for XdgToplevelDragV1
impl Debug for XdgToplevelIconManagerV1
impl Debug for XdgToplevelIconV1
impl Debug for XdgToplevelTagManagerV1
impl Debug for ZxdgOutputManagerV1
impl Debug for ZxdgOutputV1
impl Debug for ZwpXwaylandKeyboardGrabManagerV1
impl Debug for ZwpXwaylandKeyboardGrabV1
impl Debug for XwaylandShellV1
impl Debug for XwaylandSurfaceV1
impl Debug for ZwlrDataControlDeviceV1
impl Debug for ZwlrDataControlManagerV1
impl Debug for ZwlrDataControlOfferV1
impl Debug for ZwlrDataControlSourceV1
impl Debug for ZwlrExportDmabufFrameV1
impl Debug for ZwlrExportDmabufManagerV1
impl Debug for ZwlrForeignToplevelHandleV1
impl Debug for ZwlrForeignToplevelManagerV1
impl Debug for ZwlrGammaControlManagerV1
impl Debug for ZwlrGammaControlV1
impl Debug for ZwlrInputInhibitManagerV1
impl Debug for ZwlrInputInhibitorV1
impl Debug for ZwlrLayerShellV1
impl Debug for layer_shika::sctk::protocols_wlr::layer_shell::v1::client::zwlr_layer_surface_v1::Anchor
impl Debug for ZwlrLayerSurfaceV1
impl Debug for ZwlrOutputConfigurationHeadV1
impl Debug for ZwlrOutputConfigurationV1
impl Debug for ZwlrOutputHeadV1
impl Debug for ZwlrOutputManagerV1
impl Debug for ZwlrOutputModeV1
impl Debug for ZwlrOutputPowerManagerV1
impl Debug for ZwlrOutputPowerV1
impl Debug for layer_shika::sctk::protocols_wlr::screencopy::v1::client::zwlr_screencopy_frame_v1::Flags
impl Debug for ZwlrScreencopyFrameV1
impl Debug for ZwlrScreencopyManagerV1
impl Debug for ZwlrVirtualPointerManagerV1
impl Debug for ZwlrVirtualPointerV1
impl Debug for layer_shika::wayland_client::globals::Global
impl Debug for GlobalList
impl Debug for GlobalListContents
impl Debug for WlBuffer
impl Debug for WlCallback
impl Debug for WlCompositor
impl Debug for WlDataDevice
impl Debug for DndAction
impl Debug for WlDataDeviceManager
impl Debug for WlDataOffer
impl Debug for WlDataSource
impl Debug for WlDisplay
impl Debug for WlKeyboard
impl Debug for layer_shika::wayland_client::protocol::wl_output::Mode
impl Debug for WlOutput
impl Debug for WlPointer
impl Debug for WlRegion
impl Debug for WlRegistry
impl Debug for layer_shika::wayland_client::protocol::wl_seat::Capability
impl Debug for WlSeat
impl Debug for WlShell
impl Debug for Resize
impl Debug for Transient
impl Debug for WlShellSurface
impl Debug for WlShm
impl Debug for WlShmPool
impl Debug for WlSubcompositor
impl Debug for WlSubsurface
impl Debug for WlSurface
impl Debug for WlTouch
impl Debug for layer_shika::wayland_client::Connection
impl Debug for layer_shika::wayland_client::backend::protocol::Interface
impl Debug for MessageDesc
impl Debug for ObjectInfo
impl Debug for ProtocolError
impl Debug for WEnumError
impl Debug for wl_interface
impl Debug for layer_shika::wayland_client::backend::Backend
impl Debug for layer_shika::wayland_client::backend::InvalidId
impl Debug for NoWaylandLib
impl Debug for layer_shika::wayland_client::backend::ObjectId
impl Debug for layer_shika::wayland_client::backend::ReadEventsGuard
impl Debug for layer_shika::wayland_client::backend::WeakBackend
impl Debug for layer_shika::wayland_client::backend::smallvec::alloc::alloc::AllocError
impl Debug for layer_shika::wayland_client::backend::smallvec::alloc::alloc::Global
impl Debug for layer_shika::wayland_client::backend::smallvec::alloc::alloc::Layout
impl Debug for LayoutError
impl Debug for ByteStr
impl Debug for ByteString
impl Debug for UnorderedKeyError
impl Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::TryReserveError
impl Debug for CString
Delegates to the CStr
implementation of fmt::Debug
,
showing invalid UTF-8 as hex escapes.
impl Debug for FromVecWithNulError
impl Debug for IntoStringError
impl Debug for NulError
impl Debug for Chars<'_>
impl Debug for EncodeUtf16<'_>
impl Debug for ParseBoolError
impl Debug for Utf8Chunks<'_>
impl Debug for Utf8Error
impl Debug for layer_shika::wayland_client::backend::smallvec::alloc::string::Drain<'_>
impl Debug for FromUtf8Error
impl Debug for FromUtf16Error
impl Debug for IntoChars
impl Debug for String
impl Debug for TypeId
impl Debug for core::array::TryFromSliceError
impl Debug for core::ascii::EscapeDefault
impl Debug for BorrowError
impl Debug for BorrowMutError
impl Debug for CharTryFromError
impl Debug for ParseCharError
impl Debug for DecodeUtf16Error
impl Debug for core::char::EscapeDebug
impl Debug for core::char::EscapeDefault
impl Debug for core::char::EscapeUnicode
impl Debug for ToLowercase
impl Debug for ToUppercase
impl Debug for TryFromCharError
impl Debug for CpuidResult
impl Debug for __m128
impl Debug for __m128bh
impl Debug for __m128d
impl Debug for __m128h
impl Debug for __m128i
impl Debug for __m256
impl Debug for __m256bh
impl Debug for __m256d
impl Debug for __m256h
impl Debug for __m256i
impl Debug for __m512
impl Debug for __m512bh
impl Debug for __m512d
impl Debug for __m512h
impl Debug for __m512i
impl Debug for bf16
impl Debug for CStr
Shows the underlying bytes as a normal string, with invalid UTF-8 presented as hex escape sequences.
impl Debug for FromBytesUntilNulError
impl Debug for core::hash::sip::SipHasher
impl Debug for BorrowedBuf<'_>
impl Debug for PhantomPinned
impl Debug for PhantomContravariantLifetime<'_>
impl Debug for PhantomCovariantLifetime<'_>
impl Debug for PhantomInvariantLifetime<'_>
impl Debug for Assume
impl Debug for Ipv4Addr
impl Debug for Ipv6Addr
impl Debug for AddrParseError
impl Debug for SocketAddrV4
impl Debug for SocketAddrV6
impl Debug for core::num::dec2flt::ParseFloatError
impl Debug for ParseIntError
impl Debug for TryFromIntError
impl Debug for RangeFull
impl Debug for core::panic::location::Location<'_>
impl Debug for PanicMessage<'_>
impl Debug for core::ptr::alignment::Alignment
impl Debug for core::sync::atomic::AtomicBool
impl Debug for core::sync::atomic::AtomicI8
impl Debug for core::sync::atomic::AtomicI16
impl Debug for core::sync::atomic::AtomicI32
impl Debug for core::sync::atomic::AtomicI64
impl Debug for core::sync::atomic::AtomicIsize
impl Debug for core::sync::atomic::AtomicU8
impl Debug for core::sync::atomic::AtomicU16
impl Debug for core::sync::atomic::AtomicU32
impl Debug for core::sync::atomic::AtomicU64
impl Debug for core::sync::atomic::AtomicUsize
impl Debug for core::task::wake::Context<'_>
impl Debug for LocalWaker
impl Debug for RawWaker
impl Debug for RawWakerVTable
impl Debug for Waker
impl Debug for Duration
impl Debug for TryFromFloatSecsError
impl Debug for proc_macro::diagnostic::Diagnostic
impl Debug for ExpandError
impl Debug for proc_macro::Group
impl Debug for proc_macro::Ident
impl Debug for proc_macro::LexError
impl Debug for proc_macro::Literal
impl Debug for proc_macro::Punct
impl Debug for proc_macro::Span
Prints a span in a form convenient for debugging.
impl Debug for proc_macro::TokenStream
Prints token in a form convenient for debugging.
impl Debug for System
impl Debug for Backtrace
impl Debug for BacktraceFrame
impl Debug for Args
impl Debug for ArgsOs
impl Debug for JoinPathsError
impl Debug for SplitPaths<'_>
impl Debug for Vars
impl Debug for VarsOs
impl Debug for std::ffi::os_str::Display<'_>
impl Debug for OsStr
impl Debug for OsString
impl Debug for DirBuilder
impl Debug for std::fs::DirEntry
impl Debug for std::fs::File
impl Debug for FileTimes
impl Debug for std::fs::FileType
impl Debug for std::fs::Metadata
impl Debug for OpenOptions
impl Debug for std::fs::Permissions
impl Debug for ReadDir
impl Debug for DefaultHasher
impl Debug for std::hash::random::RandomState
impl Debug for WriterPanicked
impl Debug for std::io::error::Error
impl Debug for PipeReader
impl Debug for PipeWriter
impl Debug for Stderr
impl Debug for StderrLock<'_>
impl Debug for Stdin
impl Debug for StdinLock<'_>
impl Debug for Stdout
impl Debug for StdoutLock<'_>
impl Debug for std::io::util::Empty
impl Debug for std::io::util::Repeat
impl Debug for std::io::util::Sink
impl Debug for IntoIncoming
impl Debug for TcpListener
impl Debug for TcpStream
impl Debug for UdpSocket
impl Debug for BorrowedFd<'_>
impl Debug for std::os::fd::owned::OwnedFd
impl Debug for PidFd
impl Debug for std::os::unix::net::addr::SocketAddr
impl Debug for UnixDatagram
impl Debug for UnixListener
impl Debug for UnixStream
impl Debug for std::os::unix::net::ucred::UCred
impl Debug for Components<'_>
impl Debug for std::path::Display<'_>
impl Debug for std::path::Iter<'_>
impl Debug for NormalizeError
impl Debug for std::path::Path
impl Debug for PathBuf
impl Debug for StripPrefixError
impl Debug for std::process::Child
impl Debug for std::process::ChildStderr
impl Debug for std::process::ChildStdin
impl Debug for std::process::ChildStdout
impl Debug for std::process::Command
impl Debug for ExitCode
impl Debug for ExitStatus
impl Debug for ExitStatusError
impl Debug for Output
impl Debug for Stdio
impl Debug for DefaultRandomSource
impl Debug for std::sync::barrier::Barrier
impl Debug for std::sync::barrier::BarrierWaitResult
impl Debug for std::sync::mpsc::RecvError
impl Debug for Condvar
impl Debug for WaitTimeoutResult
impl Debug for std::sync::poison::once::Once
impl Debug for OnceState
impl Debug for AccessError
impl Debug for Scope<'_, '_>
impl Debug for std::thread::Builder
impl Debug for Thread
impl Debug for ThreadId
impl Debug for std::time::Instant
impl Debug for SystemTime
impl Debug for SystemTimeError
impl Debug for CodepointIdIter<'_>
impl Debug for InvalidFont
impl Debug for FontArc
impl Debug for ab_glyph::glyph::Glyph
impl Debug for ab_glyph::glyph::GlyphId
impl Debug for ab_glyph::outlined::Outline
impl Debug for OutlinedGlyph
impl Debug for ab_glyph::outlined::Rect
impl Debug for PxScale
impl Debug for PxScaleFactor
impl Debug for FontRef<'_>
impl Debug for FontVec
impl Debug for ab_glyph::variable::VariationAxis
impl Debug for ab_glyph_rasterizer::geometry::Point
impl Debug for Rasterizer
let rasterizer = ab_glyph_rasterizer::Rasterizer::new(3, 4);
assert_eq!(
&format!("{:?}", rasterizer),
"Rasterizer { width: 3, height: 4 }"
);
impl Debug for accesskit::geometry::Affine
impl Debug for accesskit::geometry::Point
impl Debug for accesskit::geometry::Rect
impl Debug for accesskit::geometry::Size
impl Debug for accesskit::geometry::Vec2
impl Debug for ActionRequest
impl Debug for CustomAction
impl Debug for accesskit::Node
impl Debug for accesskit::NodeId
impl Debug for TextPosition
impl Debug for accesskit::TextSelection
impl Debug for accesskit::Tree
impl Debug for TreeUpdate
impl Debug for accesskit_atspi_common::adapter::Adapter
impl Debug for AppContext
impl Debug for accesskit_atspi_common::rect::Rect
impl Debug for WindowBounds
impl Debug for WeakRange
impl Debug for accesskit_consumer::tree::State
impl Debug for accesskit_consumer::tree::Tree
impl Debug for accesskit_unix::adapter::Adapter
impl Debug for accesskit_winit::Event
impl Debug for AHasher
impl Debug for ahash::random_state::RandomState
impl Debug for allocator_api2::stable::alloc::global::Global
impl Debug for allocator_api2::stable::alloc::AllocError
impl Debug for allocator_api2::stable::raw_vec::TryReserveError
impl Debug for async_channel::RecvError
impl Debug for async_executor::Executor<'_>
impl Debug for LocalExecutor<'_>
impl Debug for async_io::Timer
impl Debug for async_lock::barrier::Barrier
impl Debug for BarrierWait<'_>
impl Debug for async_lock::barrier::BarrierWaitResult
impl Debug for Acquire<'_>
impl Debug for AcquireArc
impl Debug for Semaphore
impl Debug for SemaphoreGuardArc
impl Debug for async_process::Child
impl Debug for async_process::ChildStderr
impl Debug for async_process::ChildStdin
impl Debug for async_process::ChildStdout
impl Debug for async_process::Command
impl Debug for Signals
impl Debug for ScheduleInfo
impl Debug for atomic_waker::AtomicWaker
impl Debug for atspi_common::action::Action
impl Debug for CacheItem
impl Debug for LegacyCacheItem
impl Debug for AddAccessibleEvent
impl Debug for LegacyAddAccessibleEvent
impl Debug for RemoveAccessibleEvent
impl Debug for atspi_common::events::document::AttributesChangedEvent
impl Debug for ContentChangedEvent
impl Debug for LoadCompleteEvent
impl Debug for LoadStoppedEvent
impl Debug for PageChangedEvent
impl Debug for ReloadEvent
impl Debug for EventBodyOwned
impl Debug for EventBodyQtOwned
impl Debug for atspi_common::events::focus::FocusEvent
impl Debug for ModifiersEvent
impl Debug for AbsEvent
impl Debug for ButtonEvent
impl Debug for RelEvent
impl Debug for ActiveDescendantChangedEvent
impl Debug for AnnouncementEvent
impl Debug for atspi_common::events::object::AttributesChangedEvent
impl Debug for BoundsChangedEvent
impl Debug for ChildrenChangedEvent
impl Debug for ColumnDeletedEvent
impl Debug for ColumnInsertedEvent
impl Debug for ColumnReorderedEvent
impl Debug for LinkSelectedEvent
impl Debug for ModelChangedEvent
impl Debug for atspi_common::events::object::PropertyChangeEvent
impl Debug for RowDeletedEvent
impl Debug for RowInsertedEvent
impl Debug for RowReorderedEvent
impl Debug for SelectionChangedEvent
impl Debug for StateChangedEvent
impl Debug for TextAttributesChangedEvent
impl Debug for TextBoundsChangedEvent
impl Debug for TextCaretMovedEvent
impl Debug for TextChangedEvent
impl Debug for TextSelectionChangedEvent
impl Debug for VisibleDataChangedEvent
impl Debug for AvailableEvent
impl Debug for EventListenerDeregisteredEvent
impl Debug for EventListenerRegisteredEvent
impl Debug for EventListeners
impl Debug for ApplicationChangedEvent
impl Debug for CharWidthChangedEvent
impl Debug for ColumnCountChangedEvent
impl Debug for LineChangedEvent
impl Debug for LineCountChangedEvent
impl Debug for ActivateEvent
impl Debug for CloseEvent
impl Debug for CreateEvent
impl Debug for DeactivateEvent
impl Debug for DesktopCreateEvent
impl Debug for DesktopDestroyEvent
impl Debug for DestroyEvent
impl Debug for LowerEvent
impl Debug for MaximizeEvent
impl Debug for MinimizeEvent
impl Debug for MoveEvent
impl Debug for atspi_common::events::window::PropertyChangeEvent
impl Debug for RaiseEvent
impl Debug for ReparentEvent
impl Debug for ResizeEvent
impl Debug for RestoreEvent
impl Debug for RestyleEvent
impl Debug for ShadeEvent
impl Debug for UUshadeEvent
impl Debug for InterfaceSet
impl Debug for ObjectMatchRule
impl Debug for ObjectMatchRuleBuilder
impl Debug for ObjectRef
impl Debug for StateSet
impl Debug for atspi_common::TextSelection
impl Debug for EventListenerMode
impl Debug for Alphabet
impl Debug for GeneralPurpose
impl Debug for GeneralPurposeConfig
impl Debug for DecodeMetadata
impl Debug for bitflags::parser::ParseError
impl Debug for Parsed
impl Debug for InternalFixed
impl Debug for InternalNumeric
impl Debug for OffsetFormat
impl Debug for chrono::format::ParseError
impl Debug for Months
impl Debug for ParseMonthError
impl Debug for NaiveDate
The Debug
output of the naive date d
is the same as
d.format("%Y-%m-%d")
.
The string printed can be readily parsed via the parse
method on str
.
§Example
use chrono::NaiveDate;
assert_eq!(format!("{:?}", NaiveDate::from_ymd_opt(2015, 9, 5).unwrap()), "2015-09-05");
assert_eq!(format!("{:?}", NaiveDate::from_ymd_opt(0, 1, 1).unwrap()), "0000-01-01");
assert_eq!(format!("{:?}", NaiveDate::from_ymd_opt(9999, 12, 31).unwrap()), "9999-12-31");
ISO 8601 requires an explicit sign for years before 1 BCE or after 9999 CE.
assert_eq!(format!("{:?}", NaiveDate::from_ymd_opt(-1, 1, 1).unwrap()), "-0001-01-01");
assert_eq!(format!("{:?}", NaiveDate::from_ymd_opt(10000, 12, 31).unwrap()), "+10000-12-31");
impl Debug for NaiveDateDaysIterator
impl Debug for NaiveDateWeeksIterator
impl Debug for NaiveDateTime
The Debug
output of the naive date and time dt
is the same as
dt.format("%Y-%m-%dT%H:%M:%S%.f")
.
The string printed can be readily parsed via the parse
method on str
.
It should be noted that, for leap seconds not on the minute boundary, it may print a representation not distinguishable from non-leap seconds. This doesn’t matter in practice, since such leap seconds never happened. (By the time of the first leap second on 1972-06-30, every time zone offset around the world has standardized to the 5-minute alignment.)
§Example
use chrono::NaiveDate;
let dt = NaiveDate::from_ymd_opt(2016, 11, 15).unwrap().and_hms_opt(7, 39, 24).unwrap();
assert_eq!(format!("{:?}", dt), "2016-11-15T07:39:24");
Leap seconds may also be used.
let dt =
NaiveDate::from_ymd_opt(2015, 6, 30).unwrap().and_hms_milli_opt(23, 59, 59, 1_500).unwrap();
assert_eq!(format!("{:?}", dt), "2015-06-30T23:59:60.500");
impl Debug for IsoWeek
The Debug
output of the ISO week w
is the same as
d.format("%G-W%V")
where d
is any NaiveDate
value in that week.
§Example
use chrono::{Datelike, NaiveDate};
assert_eq!(
format!("{:?}", NaiveDate::from_ymd_opt(2015, 9, 5).unwrap().iso_week()),
"2015-W36"
);
assert_eq!(format!("{:?}", NaiveDate::from_ymd_opt(0, 1, 3).unwrap().iso_week()), "0000-W01");
assert_eq!(
format!("{:?}", NaiveDate::from_ymd_opt(9999, 12, 31).unwrap().iso_week()),
"9999-W52"
);
ISO 8601 requires an explicit sign for years before 1 BCE or after 9999 CE.
assert_eq!(format!("{:?}", NaiveDate::from_ymd_opt(0, 1, 2).unwrap().iso_week()), "-0001-W52");
assert_eq!(
format!("{:?}", NaiveDate::from_ymd_opt(10000, 12, 31).unwrap().iso_week()),
"+10000-W52"
);
impl Debug for Days
impl Debug for NaiveWeek
impl Debug for NaiveTime
The Debug
output of the naive time t
is the same as
t.format("%H:%M:%S%.f")
.
The string printed can be readily parsed via the parse
method on str
.
It should be noted that, for leap seconds not on the minute boundary, it may print a representation not distinguishable from non-leap seconds. This doesn’t matter in practice, since such leap seconds never happened. (By the time of the first leap second on 1972-06-30, every time zone offset around the world has standardized to the 5-minute alignment.)
§Example
use chrono::NaiveTime;
assert_eq!(format!("{:?}", NaiveTime::from_hms_opt(23, 56, 4).unwrap()), "23:56:04");
assert_eq!(
format!("{:?}", NaiveTime::from_hms_milli_opt(23, 56, 4, 12).unwrap()),
"23:56:04.012"
);
assert_eq!(
format!("{:?}", NaiveTime::from_hms_micro_opt(23, 56, 4, 1234).unwrap()),
"23:56:04.001234"
);
assert_eq!(
format!("{:?}", NaiveTime::from_hms_nano_opt(23, 56, 4, 123456).unwrap()),
"23:56:04.000123456"
);
Leap seconds may also be used.
assert_eq!(
format!("{:?}", NaiveTime::from_hms_milli_opt(6, 59, 59, 1_500).unwrap()),
"06:59:60.500"
);
impl Debug for FixedOffset
impl Debug for chrono::offset::local::Local
impl Debug for Utc
impl Debug for OutOfRange
impl Debug for OutOfRangeError
impl Debug for TimeDelta
impl Debug for ParseWeekdayError
impl Debug for WeekdaySet
Print the underlying bitmask, padded to 7 bits.
§Example
use chrono::Weekday::*;
assert_eq!(format!("{:?}", WeekdaySet::single(Mon)), "WeekdaySet(0000001)");
assert_eq!(format!("{:?}", WeekdaySet::single(Tue)), "WeekdaySet(0000010)");
assert_eq!(format!("{:?}", WeekdaySet::ALL), "WeekdaySet(1111111)");
impl Debug for ZeroWeightScale
impl Debug for AllCounts
impl Debug for Counts
impl Debug for Hasher
impl Debug for Backoff
impl Debug for InvalidBase64
impl Debug for Mime
impl Debug for MimeParsingError
impl Debug for WrongVariantError
impl Debug for derive_more::ops::UnitError
impl Debug for UnknownUnit
impl Debug for BoolVector2D
impl Debug for BoolVector3D
impl Debug for Blocking
impl Debug for Rng
impl Debug for femtovg::color::Color
impl Debug for femtovg::geometry::Transform2D
impl Debug for ImageFlags
impl Debug for ImageId
impl Debug for ImageInfo
impl Debug for femtovg::paint::Paint
impl Debug for femtovg::path::Path
impl Debug for femtovg::renderer::Command
impl Debug for Drawable
impl Debug for Vertex
impl Debug for CompositeOperationState
impl Debug for femtovg::text::font::FontMetrics
impl Debug for DrawCommand
impl Debug for FontId
impl Debug for Quad
impl Debug for TextMetrics
impl Debug for Crc
impl Debug for GzBuilder
impl Debug for GzHeader
impl Debug for Compress
impl Debug for CompressError
impl Debug for Decompress
impl Debug for flate2::mem::DecompressError
impl Debug for flate2::Compression
impl Debug for F32Margin
impl Debug for F64Margin
impl Debug for foldhash::fast::FixedState
impl Debug for foldhash::fast::RandomState
impl Debug for foldhash::fast::SeedableRandomState
impl Debug for foldhash::quality::FixedState
impl Debug for foldhash::quality::RandomState
impl Debug for foldhash::quality::SeedableRandomState
impl Debug for Alias
impl Debug for fontconfig_parser::types::config::Config
impl Debug for CacheDir
impl Debug for fontconfig_parser::types::dir::Dir
impl Debug for Include
impl Debug for RemapDir
impl Debug for DirData
impl Debug for FontConfig
impl Debug for RemapDirData
impl Debug for Edit
impl Debug for fontconfig_parser::types::match_::Match
impl Debug for Test
impl Debug for SelectFont
impl Debug for fontdb::Database
impl Debug for FaceInfo
impl Debug for fontdb::ID
impl Debug for fontdb::Weight
impl Debug for fontdue::font::Font
impl Debug for FontSettings
impl Debug for fontdue::font::LineMetrics
impl Debug for fontdue::font::Metrics
impl Debug for OutlineBounds
impl Debug for GlyphRasterConfig
impl Debug for LinePosition
impl Debug for CharacterData
impl Debug for futures_channel::mpsc::SendError
impl Debug for futures_channel::mpsc::TryRecvError
impl Debug for Canceled
impl Debug for futures_core::task::__internal::atomic_waker::AtomicWaker
impl Debug for Enter
impl Debug for EnterError
impl Debug for LocalPool
impl Debug for LocalSpawner
impl Debug for YieldNow
impl Debug for futures_lite::io::Empty
impl Debug for futures_lite::io::Repeat
impl Debug for futures_lite::io::Sink
impl Debug for SpawnError
impl Debug for AbortHandle
impl Debug for AbortRegistration
impl Debug for Aborted
impl Debug for futures_util::io::empty::Empty
impl Debug for futures_util::io::repeat::Repeat
impl Debug for futures_util::io::sink::Sink
impl Debug for getrandom::error::Error
impl Debug for AnyExtension
impl Debug for DecodingFormatError
impl Debug for DecodeOptions
impl Debug for glow::native::Context
impl Debug for NativeBuffer
impl Debug for NativeFence
impl Debug for NativeFramebuffer
impl Debug for NativeProgram
impl Debug for NativeQuery
impl Debug for NativeRenderbuffer
impl Debug for NativeSampler
impl Debug for NativeShader
impl Debug for NativeTexture
impl Debug for NativeTransformFeedback
impl Debug for NativeUniformLocation
impl Debug for NativeVertexArray
impl Debug for DebugMessageLogEntry
impl Debug for ShaderPrecisionFormat
impl Debug for glow::version::Version
impl Debug for DisplayBuilder
impl Debug for glutin::api::egl::config::Config
impl Debug for glutin::api::egl::context::NotCurrentContext
impl Debug for glutin::api::egl::context::PossiblyCurrentContext
impl Debug for glutin::api::egl::device::Device
impl Debug for glutin::api::egl::display::Display
impl Debug for glutin::api::glx::config::Config
impl Debug for glutin::api::glx::context::NotCurrentContext
impl Debug for glutin::api::glx::context::PossiblyCurrentContext
impl Debug for glutin::api::glx::display::Display
impl Debug for Api
impl Debug for ConfigSurfaceTypes
impl Debug for ConfigTemplate
impl Debug for ConfigTemplateBuilder
impl Debug for ContextAttributes
impl Debug for ContextAttributesBuilder
impl Debug for glutin::context::Version
impl Debug for DisplayFeatures
impl Debug for glutin::error::Error
impl Debug for X11VisualInfo
impl Debug for PbufferSurface
impl Debug for PixmapSurface
impl Debug for glutin::surface::Rect
impl Debug for WindowSurface
impl Debug for SlintEvent
impl Debug for i_slint_compiler::diagnostics::Diagnostic
impl Debug for SourceFileInner
impl Debug for SourceLocation
impl Debug for i_slint_compiler::diagnostics::Span
impl Debug for EmbeddedResources
impl Debug for i_slint_compiler::embedded_resources::Size
impl Debug for BindingAnalysis
impl Debug for i_slint_compiler::expression_tree::BindingExpression
impl Debug for i_slint_compiler::expression_tree::PathElement
impl Debug for UnitIter
impl Debug for BuiltinElement
impl Debug for BuiltinPropertyInfo
impl Debug for Enumeration
impl Debug for EnumerationValue
impl Debug for i_slint_compiler::langtype::Function
impl Debug for LengthConversionPowers
impl Debug for NativeClass
impl Debug for i_slint_compiler::langtype::Struct
impl Debug for BoxLayout
impl Debug for GridLayout
impl Debug for GridLayoutElement
impl Debug for i_slint_compiler::layout::LayoutConstraints
impl Debug for LayoutGeometry
impl Debug for LayoutItem
impl Debug for LayoutRect
impl Debug for i_slint_compiler::layout::Padding
impl Debug for i_slint_compiler::layout::Spacing
impl Debug for i_slint_compiler::llr::item_tree::BindingExpression
impl Debug for CompilationUnit
impl Debug for ComponentContainerElement
impl Debug for i_slint_compiler::llr::item_tree::Function
impl Debug for FunctionIdx
impl Debug for GlobalComponent
impl Debug for GlobalIdx
impl Debug for i_slint_compiler::llr::item_tree::Item
impl Debug for ItemInstanceIdx
impl Debug for ItemTree
impl Debug for i_slint_compiler::llr::item_tree::ListViewInfo
impl Debug for MutExpression
impl Debug for PopupMenu
impl Debug for i_slint_compiler::llr::item_tree::PopupWindow
impl Debug for PropAnalysis
impl Debug for i_slint_compiler::llr::item_tree::Property
impl Debug for PropertyIdx
impl Debug for PublicComponent
impl Debug for PublicProperty
impl Debug for i_slint_compiler::llr::item_tree::RepeatedElement
impl Debug for RepeatedElementIdx
impl Debug for SubComponent
impl Debug for SubComponentIdx
impl Debug for SubComponentInstance
impl Debug for SubComponentInstanceIdx
impl Debug for i_slint_compiler::llr::item_tree::Timer
impl Debug for TreeNode
impl Debug for LoweredSubComponentMapping
impl Debug for NamedReference
impl Debug for ChildrenInsertionPoint
impl Debug for i_slint_compiler::object_tree::Component
impl Debug for i_slint_compiler::object_tree::Element
impl Debug for ExportedName
impl Debug for Exports
impl Debug for GeometryProps
impl Debug for InitCode
impl Debug for i_slint_compiler::object_tree::ListViewInfo
impl Debug for i_slint_compiler::object_tree::PopupWindow
impl Debug for PropertyAnalysis
impl Debug for i_slint_compiler::object_tree::PropertyDeclaration
impl Debug for QualifiedTypeName
impl Debug for RepeatedElementInfo
impl Debug for i_slint_compiler::object_tree::State
impl Debug for i_slint_compiler::object_tree::Timer
impl Debug for i_slint_compiler::object_tree::Transition
impl Debug for TransitionPropertyAnimation
impl Debug for UsedSubTypes
impl Debug for i_slint_compiler::parser::SyntaxNode
impl Debug for i_slint_compiler::parser::SyntaxToken
impl Debug for i_slint_compiler::parser::Token
impl Debug for ArgumentDeclaration
impl Debug for i_slint_compiler::parser::syntax_nodes::Array
impl Debug for ArrayType
impl Debug for AtGradient
impl Debug for AtImageUrl
impl Debug for AtRustAttr
impl Debug for AtTr
impl Debug for BinaryExpression
impl Debug for Binding
impl Debug for i_slint_compiler::parser::syntax_nodes::BindingExpression
impl Debug for CallbackConnection
impl Debug for CallbackDeclaration
impl Debug for CallbackDeclarationParameter
impl Debug for ChildrenPlaceholder
impl Debug for CodeBlock
impl Debug for i_slint_compiler::parser::syntax_nodes::Component
impl Debug for ConditionalElement
impl Debug for ConditionalExpression
impl Debug for DeclaredIdentifier
impl Debug for i_slint_compiler::parser::syntax_nodes::Document
impl Debug for i_slint_compiler::parser::syntax_nodes::Element
impl Debug for EnumDeclaration
impl Debug for EnumValue
impl Debug for ExportIdentifier
impl Debug for ExportModule
impl Debug for ExportName
impl Debug for ExportSpecifier
impl Debug for ExportsList
impl Debug for i_slint_compiler::parser::syntax_nodes::Expression
impl Debug for ExternalName
impl Debug for i_slint_compiler::parser::syntax_nodes::Function
impl Debug for FunctionCallExpression
impl Debug for ImportIdentifier
impl Debug for ImportIdentifierList
impl Debug for ImportSpecifier
impl Debug for IndexExpression
impl Debug for InternalName
impl Debug for MemberAccess
impl Debug for ObjectLiteral
impl Debug for ObjectMember
impl Debug for ObjectType
impl Debug for ObjectTypeMember
impl Debug for i_slint_compiler::parser::syntax_nodes::PropertyAnimation
impl Debug for PropertyChangedCallback
impl Debug for i_slint_compiler::parser::syntax_nodes::PropertyDeclaration
impl Debug for QualifiedName
impl Debug for i_slint_compiler::parser::syntax_nodes::RepeatedElement
impl Debug for RepeatedIndex
impl Debug for ReturnStatement
impl Debug for i_slint_compiler::parser::syntax_nodes::ReturnType
impl Debug for SelfAssignment
impl Debug for i_slint_compiler::parser::syntax_nodes::State
impl Debug for StatePropertyChange
impl Debug for States
impl Debug for StringTemplate
impl Debug for StructDeclaration
impl Debug for SubElement
impl Debug for TrContext
impl Debug for TrPlural
impl Debug for i_slint_compiler::parser::syntax_nodes::Transition
impl Debug for Transitions
impl Debug for TwoWayBinding
impl Debug for i_slint_compiler::parser::syntax_nodes::Type
impl Debug for UnaryOpExpression
impl Debug for ImportedName
impl Debug for ImportedTypes
impl Debug for TypeRegister
impl Debug for SupportedAccessibilityAction
impl Debug for i_slint_core::animations::Instant
impl Debug for i_slint_core::api::LogicalPosition
impl Debug for i_slint_core::api::LogicalSize
impl Debug for i_slint_core::api::PhysicalPosition
impl Debug for i_slint_core::api::PhysicalSize
impl Debug for ComponentFactory
impl Debug for BitmapFont
impl Debug for BitmapGlyph
impl Debug for BitmapGlyphs
impl Debug for CharacterMapEntry
impl Debug for BoxShadowOptions
impl Debug for i_slint_core::graphics::brush::GradientStop
impl Debug for LinearGradientBrush
impl Debug for RadialGradientBrush
impl Debug for i_slint_core::graphics::color::Color
impl Debug for HsvaColor
impl Debug for BorrowedOpenGLTexture
impl Debug for CachedPath
impl Debug for FitResult
impl Debug for i_slint_core::graphics::image::Image
impl Debug for LoadImageError
impl Debug for StaticTexture
impl Debug for StaticTextures
impl Debug for PathArcTo
impl Debug for PathCubicTo
impl Debug for PathLineTo
impl Debug for PathMoveTo
impl Debug for PathQuadraticTo
impl Debug for FontRequest
impl Debug for CachedRenderingData
impl Debug for DirtyRegion
impl Debug for IndexRange
impl Debug for ItemRc
impl Debug for VisitChildrenResult
impl Debug for i_slint_core::items::FontMetrics
impl Debug for i_slint_core::items::KeyEvent
impl Debug for KeyboardModifiers
impl Debug for MenuEntry
impl Debug for i_slint_core::items::PointerEvent
impl Debug for PointerScrollEvent
impl Debug for i_slint_core::items::PropertyAnimation
impl Debug for StandardListViewItem
impl Debug for StateInfo
impl Debug for TableColumn
impl Debug for TextInputVisualRepresentation
impl Debug for BoxLayoutCellData
impl Debug for GridLayoutCellData
impl Debug for LayoutInfo
impl Debug for i_slint_core::layout::Padding
impl Debug for ChangeTracker
impl Debug for PremultipliedRgbaColor
impl Debug for Rgb565Pixel
impl Debug for PhysicalRegion
impl Debug for InputMethodProperties
impl Debug for i_slint_core::window::LayoutConstraints
impl Debug for CodePointInversionListULE
impl Debug for InvalidSetError
impl Debug for RangeError
impl Debug for CodePointInversionListAndStringListULE
impl Debug for CodePointTrieHeader
impl Debug for DataLocale
impl Debug for Other
impl Debug for icu_locale_core::extensions::private::other::Subtag
impl Debug for Private
impl Debug for Extensions
impl Debug for icu_locale_core::extensions::transform::fields::Fields
impl Debug for icu_locale_core::extensions::transform::key::Key
impl Debug for icu_locale_core::extensions::transform::Transform
impl Debug for icu_locale_core::extensions::transform::value::Value
impl Debug for icu_locale_core::extensions::unicode::attribute::Attribute
impl Debug for icu_locale_core::extensions::unicode::attributes::Attributes
impl Debug for icu_locale_core::extensions::unicode::key::Key
impl Debug for Keywords
impl Debug for Unicode
impl Debug for SubdivisionId
impl Debug for SubdivisionSuffix
impl Debug for icu_locale_core::extensions::unicode::value::Value
impl Debug for LanguageIdentifier
impl Debug for Locale
impl Debug for CurrencyType
impl Debug for NumberingSystem
impl Debug for RegionOverride
impl Debug for RegionalSubdivision
impl Debug for TimeZoneShortId
impl Debug for LocalePreferences
impl Debug for icu_locale_core::subtags::language::Language
impl Debug for icu_locale_core::subtags::region::Region
impl Debug for icu_locale_core::subtags::script::Script
impl Debug for icu_locale_core::subtags::Subtag
impl Debug for icu_locale_core::subtags::variant::Variant
impl Debug for icu_locale_core::subtags::variants::Variants
impl Debug for CanonicalCombiningClassMap
impl Debug for CanonicalComposition
impl Debug for CanonicalDecomposition
impl Debug for icu_normalizer::provider::Baked
impl Debug for ComposingNormalizer
impl Debug for DecomposingNormalizer
impl Debug for Uts46Mapper
impl Debug for BidiMirroringGlyph
impl Debug for CodePointSetData
impl Debug for EmojiSetData
impl Debug for Alnum
impl Debug for Alphabetic
impl Debug for AsciiHexDigit
impl Debug for BasicEmoji
impl Debug for icu_properties::props::BidiClass
impl Debug for BidiControl
impl Debug for BidiMirrored
impl Debug for Blank
impl Debug for icu_properties::props::CanonicalCombiningClass
impl Debug for CaseIgnorable
impl Debug for CaseSensitive
impl Debug for Cased
impl Debug for ChangesWhenCasefolded
impl Debug for ChangesWhenCasemapped
impl Debug for ChangesWhenLowercased
impl Debug for ChangesWhenNfkcCasefolded
impl Debug for ChangesWhenTitlecased
impl Debug for ChangesWhenUppercased
impl Debug for Dash
impl Debug for DefaultIgnorableCodePoint
impl Debug for Deprecated
impl Debug for Diacritic
impl Debug for EastAsianWidth
impl Debug for Emoji
impl Debug for EmojiComponent
impl Debug for EmojiModifier
impl Debug for EmojiModifierBase
impl Debug for EmojiPresentation
impl Debug for ExtendedPictographic
impl Debug for Extender
impl Debug for FullCompositionExclusion
impl Debug for icu_properties::props::GeneralCategoryGroup
impl Debug for GeneralCategoryOutOfBoundsError
impl Debug for Graph
impl Debug for GraphemeBase
impl Debug for GraphemeClusterBreak
impl Debug for GraphemeExtend
impl Debug for GraphemeLink
impl Debug for HangulSyllableType
impl Debug for HexDigit
impl Debug for Hyphen
impl Debug for IdContinue
impl Debug for IdStart
impl Debug for Ideographic
impl Debug for IdsBinaryOperator
impl Debug for IdsTrinaryOperator
impl Debug for IndicSyllabicCategory
impl Debug for JoinControl
impl Debug for JoiningType
impl Debug for LineBreak
impl Debug for LogicalOrderException
impl Debug for Lowercase
impl Debug for Math
impl Debug for NfcInert
impl Debug for NfdInert
impl Debug for NfkcInert
impl Debug for NfkdInert
impl Debug for NoncharacterCodePoint
impl Debug for PatternSyntax
impl Debug for PatternWhiteSpace
impl Debug for PrependedConcatenationMark
impl Debug for Print
impl Debug for QuotationMark
impl Debug for Radical
impl Debug for RegionalIndicator
impl Debug for icu_properties::props::Script
impl Debug for SegmentStarter
impl Debug for SentenceBreak
impl Debug for SentenceTerminal
impl Debug for SoftDotted
impl Debug for TerminalPunctuation
impl Debug for UnifiedIdeograph
impl Debug for Uppercase
impl Debug for VariationSelector
impl Debug for VerticalOrientation
impl Debug for WhiteSpace
impl Debug for WordBreak
impl Debug for Xdigit
impl Debug for XidContinue
impl Debug for XidStart
impl Debug for icu_properties::provider::Baked
impl Debug for ScriptWithExtensions
impl Debug for BufferMarker
impl Debug for DataError
impl Debug for DataMarkerId
impl Debug for DataMarkerIdHash
impl Debug for DataMarkerInfo
impl Debug for AttributeParseError
impl Debug for DataMarkerAttributes
impl Debug for DataRequestMetadata
impl Debug for Cart
impl Debug for DataResponseMetadata
impl Debug for Errors
impl Debug for EncoderParams
impl Debug for image_webp::vp8::Frame
impl Debug for Delay
impl Debug for PixelDensity
impl Debug for image::error::DecodingError
impl Debug for image::error::EncodingError
impl Debug for LimitError
impl Debug for image::error::ParameterError
impl Debug for UnsupportedError
impl Debug for SampleLayout
impl Debug for LimitSupport
impl Debug for image::image_reader::Limits
impl Debug for image::math::rect::Rect
impl Debug for ImageSize
impl Debug for kurbo::affine::Affine
impl Debug for kurbo::arc::Arc
impl Debug for BezPath
impl Debug for LineIntersection
impl Debug for Circle
impl Debug for CircleSegment
impl Debug for CubicBez
impl Debug for Ellipse
impl Debug for kurbo::insets::Insets
impl Debug for ConstPoint
impl Debug for kurbo::line::Line
impl Debug for Moments
impl Debug for Nearest
impl Debug for kurbo::point::Point
impl Debug for QuadBez
impl Debug for QuadSpline
impl Debug for kurbo::rect::Rect
impl Debug for RoundedRect
impl Debug for RoundedRectRadii
impl Debug for kurbo::size::Size
impl Debug for kurbo::stroke::Stroke
impl Debug for StrokeOpts
impl Debug for kurbo::svg::SvgArc
impl Debug for TranslateScale
impl Debug for kurbo::triangle::Triangle
impl Debug for kurbo::vec2::Vec2
impl Debug for libc::unix::linux_like::linux::arch::generic::termios2
impl Debug for msqid_ds
impl Debug for semid_ds
impl Debug for sigset_t
impl Debug for libc::unix::linux_like::linux::gnu::b64::sysinfo
impl Debug for timex
impl Debug for statvfs
impl Debug for _libc_fpstate
impl Debug for _libc_fpxreg
impl Debug for _libc_xmmreg
impl Debug for libc::unix::linux_like::linux::gnu::b64::x86_64::clone_args
impl Debug for libc::unix::linux_like::linux::gnu::b64::x86_64::flock64
impl Debug for libc::unix::linux_like::linux::gnu::b64::x86_64::flock
impl Debug for ipc_perm
impl Debug for max_align_t
impl Debug for mcontext_t
impl Debug for pthread_attr_t
impl Debug for ptrace_rseq_configuration
impl Debug for shmid_ds
impl Debug for libc::unix::linux_like::linux::gnu::b64::x86_64::sigaction
impl Debug for siginfo_t
impl Debug for stack_t
impl Debug for stat64
impl Debug for libc::unix::linux_like::linux::gnu::b64::x86_64::stat
impl Debug for libc::unix::linux_like::linux::gnu::b64::x86_64::statfs64
impl Debug for libc::unix::linux_like::linux::gnu::b64::x86_64::statfs
impl Debug for statvfs64
impl Debug for ucontext_t
impl Debug for user
impl Debug for user_fpregs_struct
impl Debug for user_regs_struct
impl Debug for Elf32_Chdr
impl Debug for Elf64_Chdr
impl Debug for __c_anonymous_ptrace_syscall_info_entry
impl Debug for __c_anonymous_ptrace_syscall_info_exit
impl Debug for __c_anonymous_ptrace_syscall_info_seccomp
impl Debug for __exit_status
impl Debug for __timeval
impl Debug for aiocb
impl Debug for libc::unix::linux_like::linux::gnu::cmsghdr
impl Debug for fanotify_event_info_error
impl Debug for fanotify_event_info_pidfd
impl Debug for fpos64_t
impl Debug for fpos_t
impl Debug for glob64_t
impl Debug for iocb
impl Debug for mallinfo2
impl Debug for mallinfo
impl Debug for mbstate_t
impl Debug for libc::unix::linux_like::linux::gnu::msghdr
impl Debug for libc::unix::linux_like::linux::gnu::nl_mmap_hdr
impl Debug for libc::unix::linux_like::linux::gnu::nl_mmap_req
impl Debug for libc::unix::linux_like::linux::gnu::nl_pktinfo
impl Debug for ntptimeval
impl Debug for ptrace_peeksiginfo_args
impl Debug for ptrace_sud_config
impl Debug for ptrace_syscall_info
impl Debug for regex_t
impl Debug for rtentry
impl Debug for sem_t
impl Debug for seminfo
impl Debug for libc::unix::linux_like::linux::gnu::tcp_info
impl Debug for libc::unix::linux_like::linux::gnu::termios
impl Debug for libc::unix::linux_like::linux::gnu::timespec
impl Debug for utmpx
impl Debug for Elf32_Ehdr
impl Debug for Elf32_Phdr
impl Debug for Elf32_Shdr
impl Debug for Elf32_Sym
impl Debug for Elf64_Ehdr
impl Debug for Elf64_Phdr
impl Debug for Elf64_Shdr
impl Debug for Elf64_Sym
impl Debug for __c_anonymous__kernel_fsid_t
impl Debug for __c_anonymous_elf32_rel
impl Debug for __c_anonymous_elf32_rela
impl Debug for __c_anonymous_elf64_rel
impl Debug for __c_anonymous_elf64_rela
impl Debug for __c_anonymous_ifru_map
impl Debug for __c_anonymous_sockaddr_can_j1939
impl Debug for __c_anonymous_sockaddr_can_tp
impl Debug for af_alg_iv
impl Debug for arpd_request
impl Debug for can_filter
impl Debug for can_frame
impl Debug for canfd_frame
impl Debug for canxl_frame
impl Debug for cpu_set_t
impl Debug for dirent64
impl Debug for dirent
impl Debug for dl_phdr_info
impl Debug for libc::unix::linux_like::linux::dmabuf_cmsg
impl Debug for libc::unix::linux_like::linux::dmabuf_token
impl Debug for dqblk
impl Debug for libc::unix::linux_like::linux::epoll_params
impl Debug for fanotify_event_info_fid
impl Debug for fanotify_event_info_header
impl Debug for fanotify_event_metadata
impl Debug for fanotify_response
impl Debug for fanout_args
impl Debug for ff_condition_effect
impl Debug for ff_constant_effect
impl Debug for ff_effect
impl Debug for ff_envelope
impl Debug for ff_periodic_effect
impl Debug for ff_ramp_effect
impl Debug for ff_replay
impl Debug for ff_rumble_effect
impl Debug for ff_trigger
impl Debug for fsid_t
impl Debug for genlmsghdr
impl Debug for glob_t
impl Debug for libc::unix::linux_like::linux::hwtstamp_config
impl Debug for if_nameindex
impl Debug for ifconf
impl Debug for ifreq
impl Debug for in6_ifreq
impl Debug for in6_pktinfo
impl Debug for libc::unix::linux_like::linux::inotify_event
impl Debug for input_absinfo
impl Debug for input_event
impl Debug for input_id
impl Debug for input_keymap_entry
impl Debug for input_mask
impl Debug for libc::unix::linux_like::linux::itimerspec
impl Debug for iw_discarded
impl Debug for iw_encode_ext
impl Debug for iw_event
impl Debug for iw_freq
impl Debug for iw_michaelmicfailure
impl Debug for iw_missed
impl Debug for iw_mlme
impl Debug for iw_param
impl Debug for iw_pmkid_cand
impl Debug for iw_pmksa
impl Debug for iw_point
impl Debug for iw_priv_args
impl Debug for iw_quality
impl Debug for iw_range
impl Debug for iw_scan_req
impl Debug for iw_statistics
impl Debug for iw_thrspy
impl Debug for iwreq
impl Debug for j1939_filter
impl Debug for mnt_ns_info
impl Debug for mntent
impl Debug for libc::unix::linux_like::linux::mount_attr
impl Debug for mq_attr
impl Debug for msginfo
impl Debug for libc::unix::linux_like::linux::nlattr
impl Debug for libc::unix::linux_like::linux::nlmsgerr
impl Debug for libc::unix::linux_like::linux::nlmsghdr
impl Debug for libc::unix::linux_like::linux::open_how
impl Debug for option
impl Debug for packet_mreq
impl Debug for passwd
impl Debug for pidfd_info
impl Debug for posix_spawn_file_actions_t
impl Debug for posix_spawnattr_t
impl Debug for pthread_barrier_t
impl Debug for pthread_barrierattr_t
impl Debug for pthread_cond_t
impl Debug for pthread_condattr_t
impl Debug for pthread_mutex_t
impl Debug for pthread_mutexattr_t
impl Debug for pthread_rwlock_t
impl Debug for pthread_rwlockattr_t
impl Debug for ptp_clock_caps
impl Debug for ptp_clock_time
impl Debug for ptp_extts_event
impl Debug for ptp_extts_request
impl Debug for ptp_perout_request
impl Debug for ptp_pin_desc
impl Debug for ptp_sys_offset
impl Debug for ptp_sys_offset_extended
impl Debug for ptp_sys_offset_precise
impl Debug for regmatch_t
impl Debug for libc::unix::linux_like::linux::rlimit64
impl Debug for sched_attr
impl Debug for sctp_authinfo
impl Debug for sctp_initmsg
impl Debug for sctp_nxtinfo
impl Debug for sctp_prinfo
impl Debug for sctp_rcvinfo
impl Debug for sctp_sndinfo
impl Debug for sctp_sndrcvinfo
impl Debug for seccomp_data
impl Debug for seccomp_notif
impl Debug for seccomp_notif_addfd
impl Debug for seccomp_notif_resp
impl Debug for seccomp_notif_sizes
impl Debug for sembuf
impl Debug for signalfd_siginfo
impl Debug for sock_extended_err
impl Debug for libc::unix::linux_like::linux::sock_txtime
impl Debug for sockaddr_alg
impl Debug for sockaddr_can
impl Debug for libc::unix::linux_like::linux::sockaddr_nl
impl Debug for sockaddr_pkt
impl Debug for sockaddr_vm
impl Debug for libc::unix::linux_like::linux::sockaddr_xdp
impl Debug for spwd
impl Debug for tls12_crypto_info_aes_ccm_128
impl Debug for tls12_crypto_info_aes_gcm_128
impl Debug for tls12_crypto_info_aes_gcm_256
impl Debug for tls12_crypto_info_aria_gcm_128
impl Debug for tls12_crypto_info_aria_gcm_256
impl Debug for tls12_crypto_info_chacha20_poly1305
impl Debug for tls12_crypto_info_sm4_ccm
impl Debug for tls12_crypto_info_sm4_gcm
impl Debug for tls_crypto_info
impl Debug for tpacket2_hdr
impl Debug for tpacket3_hdr
impl Debug for tpacket_auxdata
impl Debug for tpacket_bd_ts
impl Debug for tpacket_block_desc
impl Debug for tpacket_hdr
impl Debug for tpacket_hdr_v1
impl Debug for tpacket_hdr_variant1
impl Debug for tpacket_req3
impl Debug for tpacket_req
impl Debug for tpacket_rollover_stats
impl Debug for tpacket_stats
impl Debug for tpacket_stats_v3
impl Debug for libc::unix::linux_like::linux::ucred
impl Debug for uinput_abs_setup
impl Debug for uinput_ff_erase
impl Debug for uinput_ff_upload
impl Debug for uinput_setup
impl Debug for uinput_user_dev
impl Debug for libc::unix::linux_like::linux::xdp_desc
impl Debug for libc::unix::linux_like::linux::xdp_mmap_offsets
impl Debug for libc::unix::linux_like::linux::xdp_mmap_offsets_v1
impl Debug for libc::unix::linux_like::linux::xdp_options
impl Debug for libc::unix::linux_like::linux::xdp_ring_offset
impl Debug for libc::unix::linux_like::linux::xdp_ring_offset_v1
impl Debug for libc::unix::linux_like::linux::xdp_statistics
impl Debug for libc::unix::linux_like::linux::xdp_statistics_v1
impl Debug for libc::unix::linux_like::linux::xdp_umem_reg
impl Debug for libc::unix::linux_like::linux::xdp_umem_reg_v1
impl Debug for xsk_tx_metadata
impl Debug for xsk_tx_metadata_completion
impl Debug for xsk_tx_metadata_request
impl Debug for Dl_info
impl Debug for addrinfo
impl Debug for arphdr
impl Debug for arpreq
impl Debug for arpreq_old
impl Debug for libc::unix::linux_like::epoll_event
impl Debug for fd_set
impl Debug for libc::unix::linux_like::file_clone_range
impl Debug for ifaddrs
impl Debug for in6_rtmsg
impl Debug for libc::unix::linux_like::in_addr
impl Debug for libc::unix::linux_like::in_pktinfo
impl Debug for libc::unix::linux_like::ip_mreq
impl Debug for libc::unix::linux_like::ip_mreq_source
impl Debug for libc::unix::linux_like::ip_mreqn
impl Debug for lconv
impl Debug for libc::unix::linux_like::mmsghdr
impl Debug for sched_param
impl Debug for sigevent
impl Debug for sock_filter
impl Debug for sock_fprog
impl Debug for sockaddr
impl Debug for sockaddr_in6
impl Debug for libc::unix::linux_like::sockaddr_in
impl Debug for sockaddr_ll
impl Debug for sockaddr_storage
impl Debug for libc::unix::linux_like::sockaddr_un
impl Debug for libc::unix::linux_like::statx
impl Debug for libc::unix::linux_like::statx_timestamp
impl Debug for tm
impl Debug for utsname
impl Debug for group
impl Debug for hostent
impl Debug for in6_addr
impl Debug for libc::unix::iovec
impl Debug for ipv6_mreq
impl Debug for libc::unix::itimerval
impl Debug for libc::unix::linger
impl Debug for libc::unix::pollfd
impl Debug for protoent
impl Debug for libc::unix::rlimit
impl Debug for libc::unix::rusage
impl Debug for servent
impl Debug for sigval
impl Debug for libc::unix::timeval
impl Debug for tms
impl Debug for utimbuf
impl Debug for libc::unix::winsize
impl Debug for libloading::os::unix::Library
impl Debug for libloading::safe::Library
impl Debug for linux_raw_sys::general::__kernel_fd_set
impl Debug for linux_raw_sys::general::__kernel_fd_set
impl Debug for linux_raw_sys::general::__kernel_fsid_t
impl Debug for linux_raw_sys::general::__kernel_fsid_t
impl Debug for linux_raw_sys::general::__kernel_itimerspec
impl Debug for linux_raw_sys::general::__kernel_itimerspec
impl Debug for linux_raw_sys::general::__kernel_old_itimerval
impl Debug for linux_raw_sys::general::__kernel_old_itimerval
impl Debug for linux_raw_sys::general::__kernel_old_timespec
impl Debug for linux_raw_sys::general::__kernel_old_timespec
impl Debug for linux_raw_sys::general::__kernel_old_timeval
impl Debug for linux_raw_sys::general::__kernel_old_timeval
impl Debug for linux_raw_sys::general::__kernel_sock_timeval
impl Debug for linux_raw_sys::general::__kernel_sock_timeval
impl Debug for linux_raw_sys::general::__kernel_timespec
impl Debug for linux_raw_sys::general::__kernel_timespec
impl Debug for linux_raw_sys::general::__old_kernel_stat
impl Debug for linux_raw_sys::general::__old_kernel_stat
impl Debug for linux_raw_sys::general::__sifields__bindgen_ty_1
impl Debug for linux_raw_sys::general::__sifields__bindgen_ty_1
impl Debug for linux_raw_sys::general::__sifields__bindgen_ty_4
impl Debug for linux_raw_sys::general::__sifields__bindgen_ty_4
impl Debug for linux_raw_sys::general::__sifields__bindgen_ty_5__bindgen_ty_1__bindgen_ty_1
impl Debug for linux_raw_sys::general::__sifields__bindgen_ty_5__bindgen_ty_1__bindgen_ty_1
impl Debug for linux_raw_sys::general::__sifields__bindgen_ty_5__bindgen_ty_1__bindgen_ty_2
impl Debug for linux_raw_sys::general::__sifields__bindgen_ty_5__bindgen_ty_1__bindgen_ty_2
impl Debug for linux_raw_sys::general::__sifields__bindgen_ty_5__bindgen_ty_1__bindgen_ty_3
impl Debug for linux_raw_sys::general::__sifields__bindgen_ty_5__bindgen_ty_1__bindgen_ty_3
impl Debug for linux_raw_sys::general::__sifields__bindgen_ty_6
impl Debug for linux_raw_sys::general::__sifields__bindgen_ty_6
impl Debug for linux_raw_sys::general::__sifields__bindgen_ty_7
impl Debug for linux_raw_sys::general::__sifields__bindgen_ty_7
impl Debug for linux_raw_sys::general::__user_cap_data_struct
impl Debug for linux_raw_sys::general::__user_cap_data_struct
impl Debug for linux_raw_sys::general::__user_cap_header_struct
impl Debug for linux_raw_sys::general::__user_cap_header_struct
impl Debug for cachestat
impl Debug for cachestat_range
impl Debug for linux_raw_sys::general::clone_args
impl Debug for linux_raw_sys::general::clone_args
impl Debug for linux_raw_sys::general::compat_statfs64
impl Debug for linux_raw_sys::general::compat_statfs64
impl Debug for linux_raw_sys::general::dmabuf_cmsg
impl Debug for linux_raw_sys::general::dmabuf_token
impl Debug for linux_raw_sys::general::epoll_event
impl Debug for linux_raw_sys::general::epoll_event
impl Debug for linux_raw_sys::general::epoll_params
impl Debug for linux_raw_sys::general::f_owner_ex
impl Debug for linux_raw_sys::general::f_owner_ex
impl Debug for linux_raw_sys::general::file_clone_range
impl Debug for linux_raw_sys::general::file_clone_range
impl Debug for linux_raw_sys::general::file_dedupe_range
impl Debug for linux_raw_sys::general::file_dedupe_range
impl Debug for linux_raw_sys::general::file_dedupe_range_info
impl Debug for linux_raw_sys::general::file_dedupe_range_info
impl Debug for linux_raw_sys::general::files_stat_struct
impl Debug for linux_raw_sys::general::files_stat_struct
impl Debug for linux_raw_sys::general::flock64
impl Debug for linux_raw_sys::general::flock64
impl Debug for linux_raw_sys::general::flock
impl Debug for linux_raw_sys::general::flock
impl Debug for fs_sysfs_path
impl Debug for linux_raw_sys::general::fscrypt_key
impl Debug for linux_raw_sys::general::fscrypt_key
impl Debug for linux_raw_sys::general::fscrypt_policy_v1
impl Debug for linux_raw_sys::general::fscrypt_policy_v1
impl Debug for linux_raw_sys::general::fscrypt_policy_v2
impl Debug for linux_raw_sys::general::fscrypt_policy_v2
impl Debug for linux_raw_sys::general::fscrypt_provisioning_key_payload
impl Debug for linux_raw_sys::general::fscrypt_provisioning_key_payload
impl Debug for linux_raw_sys::general::fstrim_range
impl Debug for linux_raw_sys::general::fstrim_range
impl Debug for fsuuid2
impl Debug for linux_raw_sys::general::fsxattr
impl Debug for linux_raw_sys::general::fsxattr
impl Debug for linux_raw_sys::general::futex_waitv
impl Debug for linux_raw_sys::general::futex_waitv
impl Debug for linux_raw_sys::general::inodes_stat_t
impl Debug for linux_raw_sys::general::inodes_stat_t
impl Debug for linux_raw_sys::general::inotify_event
impl Debug for linux_raw_sys::general::inotify_event
impl Debug for linux_raw_sys::general::iovec
impl Debug for linux_raw_sys::general::iovec
impl Debug for linux_raw_sys::general::itimerspec
impl Debug for linux_raw_sys::general::itimerspec
impl Debug for linux_raw_sys::general::itimerval
impl Debug for linux_raw_sys::general::itimerval
impl Debug for linux_raw_sys::general::kernel_sigaction
impl Debug for linux_raw_sys::general::kernel_sigaction
impl Debug for linux_raw_sys::general::kernel_sigset_t
impl Debug for linux_raw_sys::general::kernel_sigset_t
impl Debug for linux_raw_sys::general::ktermios
impl Debug for linux_raw_sys::general::ktermios
impl Debug for linux_raw_sys::general::linux_dirent64
impl Debug for linux_raw_sys::general::linux_dirent64
impl Debug for mnt_id_req
impl Debug for linux_raw_sys::general::mount_attr
impl Debug for linux_raw_sys::general::mount_attr
impl Debug for linux_raw_sys::general::open_how
impl Debug for linux_raw_sys::general::open_how
impl Debug for page_region
impl Debug for pm_scan_arg
impl Debug for linux_raw_sys::general::pollfd
impl Debug for linux_raw_sys::general::pollfd
impl Debug for procmap_query
impl Debug for linux_raw_sys::general::rand_pool_info
impl Debug for linux_raw_sys::general::rand_pool_info
impl Debug for linux_raw_sys::general::rlimit64
impl Debug for linux_raw_sys::general::rlimit64
impl Debug for linux_raw_sys::general::rlimit
impl Debug for linux_raw_sys::general::rlimit
impl Debug for linux_raw_sys::general::robust_list
impl Debug for linux_raw_sys::general::robust_list
impl Debug for linux_raw_sys::general::robust_list_head
impl Debug for linux_raw_sys::general::robust_list_head
impl Debug for linux_raw_sys::general::rusage
impl Debug for linux_raw_sys::general::rusage
impl Debug for linux_raw_sys::general::sigaction
impl Debug for linux_raw_sys::general::sigaction
impl Debug for linux_raw_sys::general::sigaltstack
impl Debug for linux_raw_sys::general::sigaltstack
impl Debug for linux_raw_sys::general::sigevent__bindgen_ty_1__bindgen_ty_1
impl Debug for linux_raw_sys::general::sigevent__bindgen_ty_1__bindgen_ty_1
impl Debug for linux_raw_sys::general::stat
impl Debug for linux_raw_sys::general::stat
impl Debug for linux_raw_sys::general::statfs64
impl Debug for linux_raw_sys::general::statfs64
impl Debug for linux_raw_sys::general::statfs
impl Debug for linux_raw_sys::general::statfs
impl Debug for statmount
impl Debug for linux_raw_sys::general::statx
impl Debug for linux_raw_sys::general::statx
impl Debug for linux_raw_sys::general::statx_timestamp
impl Debug for linux_raw_sys::general::statx_timestamp
impl Debug for linux_raw_sys::general::termio
impl Debug for linux_raw_sys::general::termio
impl Debug for linux_raw_sys::general::termios2
impl Debug for linux_raw_sys::general::termios2
impl Debug for linux_raw_sys::general::termios
impl Debug for linux_raw_sys::general::termios
impl Debug for linux_raw_sys::general::timespec
impl Debug for linux_raw_sys::general::timespec
impl Debug for linux_raw_sys::general::timeval
impl Debug for linux_raw_sys::general::timeval
impl Debug for linux_raw_sys::general::timezone
impl Debug for linux_raw_sys::general::timezone
impl Debug for linux_raw_sys::general::uffd_msg__bindgen_ty_1__bindgen_ty_2
impl Debug for linux_raw_sys::general::uffd_msg__bindgen_ty_1__bindgen_ty_2
impl Debug for linux_raw_sys::general::uffd_msg__bindgen_ty_1__bindgen_ty_3
impl Debug for linux_raw_sys::general::uffd_msg__bindgen_ty_1__bindgen_ty_3
impl Debug for linux_raw_sys::general::uffd_msg__bindgen_ty_1__bindgen_ty_4
impl Debug for linux_raw_sys::general::uffd_msg__bindgen_ty_1__bindgen_ty_4
impl Debug for linux_raw_sys::general::uffd_msg__bindgen_ty_1__bindgen_ty_5
impl Debug for linux_raw_sys::general::uffd_msg__bindgen_ty_1__bindgen_ty_5
impl Debug for linux_raw_sys::general::uffdio_api
impl Debug for linux_raw_sys::general::uffdio_api
impl Debug for linux_raw_sys::general::uffdio_continue
impl Debug for linux_raw_sys::general::uffdio_continue
impl Debug for linux_raw_sys::general::uffdio_copy
impl Debug for linux_raw_sys::general::uffdio_copy
impl Debug for uffdio_move
impl Debug for uffdio_poison
impl Debug for linux_raw_sys::general::uffdio_range
impl Debug for linux_raw_sys::general::uffdio_range
impl Debug for linux_raw_sys::general::uffdio_register
impl Debug for linux_raw_sys::general::uffdio_register
impl Debug for linux_raw_sys::general::uffdio_writeprotect
impl Debug for linux_raw_sys::general::uffdio_writeprotect
impl Debug for linux_raw_sys::general::uffdio_zeropage
impl Debug for linux_raw_sys::general::uffdio_zeropage
impl Debug for linux_raw_sys::general::user_desc
impl Debug for linux_raw_sys::general::user_desc
impl Debug for linux_raw_sys::general::vfs_cap_data
impl Debug for linux_raw_sys::general::vfs_cap_data
impl Debug for linux_raw_sys::general::vfs_cap_data__bindgen_ty_1
impl Debug for linux_raw_sys::general::vfs_cap_data__bindgen_ty_1
impl Debug for linux_raw_sys::general::vfs_ns_cap_data
impl Debug for linux_raw_sys::general::vfs_ns_cap_data
impl Debug for linux_raw_sys::general::vfs_ns_cap_data__bindgen_ty_1
impl Debug for linux_raw_sys::general::vfs_ns_cap_data__bindgen_ty_1
impl Debug for vgetrandom_opaque_params
impl Debug for linux_raw_sys::general::winsize
impl Debug for linux_raw_sys::general::winsize
impl Debug for xattr_args
impl Debug for linux_raw_sys::if_ether::ethhdr
impl Debug for linux_raw_sys::if_ether::ethhdr
impl Debug for linux_raw_sys::net::__kernel_sockaddr_storage__bindgen_ty_1__bindgen_ty_1
impl Debug for linux_raw_sys::net::__kernel_sockaddr_storage__bindgen_ty_1__bindgen_ty_1
impl Debug for linux_raw_sys::net::_xt_align
impl Debug for linux_raw_sys::net::_xt_align
impl Debug for linux_raw_sys::net::cisco_proto
impl Debug for linux_raw_sys::net::cisco_proto
impl Debug for linux_raw_sys::net::cmsghdr
impl Debug for linux_raw_sys::net::cmsghdr
impl Debug for linux_raw_sys::net::fr_proto
impl Debug for linux_raw_sys::net::fr_proto
impl Debug for linux_raw_sys::net::fr_proto_pvc
impl Debug for linux_raw_sys::net::fr_proto_pvc
impl Debug for linux_raw_sys::net::fr_proto_pvc_info
impl Debug for linux_raw_sys::net::fr_proto_pvc_info
impl Debug for linux_raw_sys::net::hwtstamp_config
impl Debug for linux_raw_sys::net::ifmap
impl Debug for linux_raw_sys::net::ifmap
impl Debug for linux_raw_sys::net::in_addr
impl Debug for linux_raw_sys::net::in_addr
impl Debug for linux_raw_sys::net::in_pktinfo
impl Debug for linux_raw_sys::net::in_pktinfo
impl Debug for linux_raw_sys::net::iovec
impl Debug for linux_raw_sys::net::iovec
impl Debug for linux_raw_sys::net::ip6t_getinfo
impl Debug for linux_raw_sys::net::ip6t_getinfo
impl Debug for linux_raw_sys::net::ip6t_icmp
impl Debug for linux_raw_sys::net::ip6t_icmp
impl Debug for linux_raw_sys::net::ip_auth_hdr
impl Debug for linux_raw_sys::net::ip_auth_hdr
impl Debug for linux_raw_sys::net::ip_beet_phdr
impl Debug for linux_raw_sys::net::ip_beet_phdr
impl Debug for linux_raw_sys::net::ip_comp_hdr
impl Debug for linux_raw_sys::net::ip_comp_hdr
impl Debug for linux_raw_sys::net::ip_esp_hdr
impl Debug for linux_raw_sys::net::ip_esp_hdr
impl Debug for linux_raw_sys::net::ip_mreq
impl Debug for linux_raw_sys::net::ip_mreq
impl Debug for linux_raw_sys::net::ip_mreq_source
impl Debug for linux_raw_sys::net::ip_mreq_source
impl Debug for linux_raw_sys::net::ip_mreqn
impl Debug for linux_raw_sys::net::ip_mreqn
impl Debug for linux_raw_sys::net::ip_msfilter__bindgen_ty_1__bindgen_ty_1
impl Debug for linux_raw_sys::net::ip_msfilter__bindgen_ty_1__bindgen_ty_1
impl Debug for linux_raw_sys::net::ip_msfilter__bindgen_ty_1__bindgen_ty_1__bindgen_ty_1
impl Debug for linux_raw_sys::net::ip_msfilter__bindgen_ty_1__bindgen_ty_1__bindgen_ty_1
impl Debug for linux_raw_sys::net::iphdr__bindgen_ty_1__bindgen_ty_1
impl Debug for linux_raw_sys::net::iphdr__bindgen_ty_1__bindgen_ty_1
impl Debug for linux_raw_sys::net::iphdr__bindgen_ty_1__bindgen_ty_2
impl Debug for linux_raw_sys::net::iphdr__bindgen_ty_1__bindgen_ty_2
impl Debug for linux_raw_sys::net::ipv6_opt_hdr
impl Debug for linux_raw_sys::net::ipv6_opt_hdr
impl Debug for linux_raw_sys::net::ipv6_rt_hdr
impl Debug for linux_raw_sys::net::ipv6_rt_hdr
impl Debug for linux_raw_sys::net::linger
impl Debug for linux_raw_sys::net::linger
impl Debug for linux_raw_sys::net::mmsghdr
impl Debug for linux_raw_sys::net::mmsghdr
impl Debug for linux_raw_sys::net::msghdr
impl Debug for linux_raw_sys::net::msghdr
impl Debug for linux_raw_sys::net::raw_hdlc_proto
impl Debug for linux_raw_sys::net::raw_hdlc_proto
impl Debug for scm_ts_pktinfo
impl Debug for so_timestamping
impl Debug for linux_raw_sys::net::sock_txtime
impl Debug for linux_raw_sys::net::sockaddr_in
impl Debug for linux_raw_sys::net::sockaddr_in
impl Debug for linux_raw_sys::net::sockaddr_un
impl Debug for linux_raw_sys::net::sockaddr_un
impl Debug for linux_raw_sys::net::sync_serial_settings
impl Debug for linux_raw_sys::net::sync_serial_settings
impl Debug for tcp_ao_info_opt
impl Debug for tcp_ao_repair
impl Debug for linux_raw_sys::net::tcp_diag_md5sig
impl Debug for linux_raw_sys::net::tcp_diag_md5sig
impl Debug for linux_raw_sys::net::tcp_info
impl Debug for linux_raw_sys::net::tcp_info
impl Debug for linux_raw_sys::net::tcp_repair_opt
impl Debug for linux_raw_sys::net::tcp_repair_opt
impl Debug for linux_raw_sys::net::tcp_repair_window
impl Debug for linux_raw_sys::net::tcp_repair_window
impl Debug for linux_raw_sys::net::tcp_zerocopy_receive
impl Debug for linux_raw_sys::net::tcp_zerocopy_receive
impl Debug for linux_raw_sys::net::tcphdr
impl Debug for linux_raw_sys::net::tcphdr
impl Debug for linux_raw_sys::net::te1_settings
impl Debug for linux_raw_sys::net::te1_settings
impl Debug for linux_raw_sys::net::ucred
impl Debug for linux_raw_sys::net::ucred
impl Debug for linux_raw_sys::net::x25_hdlc_proto
impl Debug for linux_raw_sys::net::x25_hdlc_proto
impl Debug for linux_raw_sys::net::xt_counters
impl Debug for linux_raw_sys::net::xt_counters
impl Debug for linux_raw_sys::net::xt_counters_info
impl Debug for linux_raw_sys::net::xt_counters_info
impl Debug for linux_raw_sys::net::xt_entry_match__bindgen_ty_1__bindgen_ty_1
impl Debug for linux_raw_sys::net::xt_entry_match__bindgen_ty_1__bindgen_ty_1
impl Debug for linux_raw_sys::net::xt_entry_match__bindgen_ty_1__bindgen_ty_2
impl Debug for linux_raw_sys::net::xt_entry_match__bindgen_ty_1__bindgen_ty_2
impl Debug for linux_raw_sys::net::xt_entry_target__bindgen_ty_1__bindgen_ty_1
impl Debug for linux_raw_sys::net::xt_entry_target__bindgen_ty_1__bindgen_ty_1
impl Debug for linux_raw_sys::net::xt_entry_target__bindgen_ty_1__bindgen_ty_2
impl Debug for linux_raw_sys::net::xt_entry_target__bindgen_ty_1__bindgen_ty_2
impl Debug for linux_raw_sys::net::xt_get_revision
impl Debug for linux_raw_sys::net::xt_get_revision
impl Debug for linux_raw_sys::net::xt_match
impl Debug for linux_raw_sys::net::xt_match
impl Debug for linux_raw_sys::net::xt_target
impl Debug for linux_raw_sys::net::xt_target
impl Debug for linux_raw_sys::net::xt_tcp
impl Debug for linux_raw_sys::net::xt_tcp
impl Debug for linux_raw_sys::net::xt_udp
impl Debug for linux_raw_sys::net::xt_udp
impl Debug for linux_raw_sys::netlink::__kernel_sockaddr_storage__bindgen_ty_1__bindgen_ty_1
impl Debug for linux_raw_sys::netlink::__kernel_sockaddr_storage__bindgen_ty_1__bindgen_ty_1
impl Debug for linux_raw_sys::netlink::if_stats_msg
impl Debug for linux_raw_sys::netlink::if_stats_msg
impl Debug for linux_raw_sys::netlink::ifa_cacheinfo
impl Debug for linux_raw_sys::netlink::ifa_cacheinfo
impl Debug for linux_raw_sys::netlink::ifaddrmsg
impl Debug for linux_raw_sys::netlink::ifaddrmsg
impl Debug for linux_raw_sys::netlink::ifinfomsg
impl Debug for linux_raw_sys::netlink::ifinfomsg
impl Debug for linux_raw_sys::netlink::ifla_bridge_id
impl Debug for linux_raw_sys::netlink::ifla_bridge_id
impl Debug for linux_raw_sys::netlink::ifla_cacheinfo
impl Debug for linux_raw_sys::netlink::ifla_cacheinfo
impl Debug for linux_raw_sys::netlink::ifla_port_vsi
impl Debug for linux_raw_sys::netlink::ifla_port_vsi
impl Debug for linux_raw_sys::netlink::ifla_rmnet_flags
impl Debug for linux_raw_sys::netlink::ifla_rmnet_flags
impl Debug for linux_raw_sys::netlink::ifla_vf_broadcast
impl Debug for linux_raw_sys::netlink::ifla_vf_broadcast
impl Debug for linux_raw_sys::netlink::ifla_vf_guid
impl Debug for linux_raw_sys::netlink::ifla_vf_guid
impl Debug for linux_raw_sys::netlink::ifla_vf_link_state
impl Debug for linux_raw_sys::netlink::ifla_vf_link_state
impl Debug for linux_raw_sys::netlink::ifla_vf_mac
impl Debug for linux_raw_sys::netlink::ifla_vf_mac
impl Debug for linux_raw_sys::netlink::ifla_vf_rate
impl Debug for linux_raw_sys::netlink::ifla_vf_rate
impl Debug for linux_raw_sys::netlink::ifla_vf_rss_query_en
impl Debug for linux_raw_sys::netlink::ifla_vf_rss_query_en
impl Debug for linux_raw_sys::netlink::ifla_vf_spoofchk
impl Debug for linux_raw_sys::netlink::ifla_vf_spoofchk
impl Debug for linux_raw_sys::netlink::ifla_vf_trust
impl Debug for linux_raw_sys::netlink::ifla_vf_trust
impl Debug for linux_raw_sys::netlink::ifla_vf_tx_rate
impl Debug for linux_raw_sys::netlink::ifla_vf_tx_rate
impl Debug for linux_raw_sys::netlink::ifla_vf_vlan
impl Debug for linux_raw_sys::netlink::ifla_vf_vlan
impl Debug for linux_raw_sys::netlink::ifla_vf_vlan_info
impl Debug for linux_raw_sys::netlink::ifla_vf_vlan_info
impl Debug for linux_raw_sys::netlink::ifla_vlan_flags
impl Debug for linux_raw_sys::netlink::ifla_vlan_flags
impl Debug for linux_raw_sys::netlink::ifla_vlan_qos_mapping
impl Debug for linux_raw_sys::netlink::ifla_vlan_qos_mapping
impl Debug for linux_raw_sys::netlink::ifla_vxlan_port_range
impl Debug for linux_raw_sys::netlink::ifla_vxlan_port_range
impl Debug for linux_raw_sys::netlink::nda_cacheinfo
impl Debug for linux_raw_sys::netlink::nda_cacheinfo
impl Debug for linux_raw_sys::netlink::ndmsg
impl Debug for linux_raw_sys::netlink::ndmsg
impl Debug for linux_raw_sys::netlink::ndt_config
impl Debug for linux_raw_sys::netlink::ndt_config
impl Debug for linux_raw_sys::netlink::ndt_stats
impl Debug for linux_raw_sys::netlink::ndt_stats
impl Debug for linux_raw_sys::netlink::ndtmsg
impl Debug for linux_raw_sys::netlink::ndtmsg
impl Debug for linux_raw_sys::netlink::nduseroptmsg
impl Debug for linux_raw_sys::netlink::nduseroptmsg
impl Debug for linux_raw_sys::netlink::nl_mmap_hdr
impl Debug for linux_raw_sys::netlink::nl_mmap_hdr
impl Debug for linux_raw_sys::netlink::nl_mmap_req
impl Debug for linux_raw_sys::netlink::nl_mmap_req
impl Debug for linux_raw_sys::netlink::nl_pktinfo
impl Debug for linux_raw_sys::netlink::nl_pktinfo
impl Debug for linux_raw_sys::netlink::nla_bitfield32
impl Debug for linux_raw_sys::netlink::nla_bitfield32
impl Debug for linux_raw_sys::netlink::nlattr
impl Debug for linux_raw_sys::netlink::nlattr
impl Debug for linux_raw_sys::netlink::nlmsgerr
impl Debug for linux_raw_sys::netlink::nlmsgerr
impl Debug for linux_raw_sys::netlink::nlmsghdr
impl Debug for linux_raw_sys::netlink::nlmsghdr
impl Debug for linux_raw_sys::netlink::prefix_cacheinfo
impl Debug for linux_raw_sys::netlink::prefix_cacheinfo
impl Debug for linux_raw_sys::netlink::prefixmsg
impl Debug for linux_raw_sys::netlink::prefixmsg
impl Debug for linux_raw_sys::netlink::rta_cacheinfo
impl Debug for linux_raw_sys::netlink::rta_cacheinfo
impl Debug for linux_raw_sys::netlink::rta_mfc_stats
impl Debug for linux_raw_sys::netlink::rta_mfc_stats
impl Debug for linux_raw_sys::netlink::rta_session__bindgen_ty_1__bindgen_ty_1
impl Debug for linux_raw_sys::netlink::rta_session__bindgen_ty_1__bindgen_ty_1
impl Debug for linux_raw_sys::netlink::rta_session__bindgen_ty_1__bindgen_ty_2
impl Debug for linux_raw_sys::netlink::rta_session__bindgen_ty_1__bindgen_ty_2
impl Debug for linux_raw_sys::netlink::rtattr
impl Debug for linux_raw_sys::netlink::rtattr
impl Debug for linux_raw_sys::netlink::rtgenmsg
impl Debug for linux_raw_sys::netlink::rtgenmsg
impl Debug for linux_raw_sys::netlink::rtmsg
impl Debug for linux_raw_sys::netlink::rtmsg
impl Debug for linux_raw_sys::netlink::rtnexthop
impl Debug for linux_raw_sys::netlink::rtnexthop
impl Debug for linux_raw_sys::netlink::rtnl_hw_stats64
impl Debug for linux_raw_sys::netlink::rtnl_hw_stats64
impl Debug for linux_raw_sys::netlink::rtnl_link_ifmap
impl Debug for linux_raw_sys::netlink::rtnl_link_ifmap
impl Debug for linux_raw_sys::netlink::rtnl_link_stats64
impl Debug for linux_raw_sys::netlink::rtnl_link_stats64
impl Debug for linux_raw_sys::netlink::rtnl_link_stats
impl Debug for linux_raw_sys::netlink::rtnl_link_stats
impl Debug for linux_raw_sys::netlink::rtvia
impl Debug for linux_raw_sys::netlink::rtvia
impl Debug for linux_raw_sys::netlink::sockaddr_nl
impl Debug for linux_raw_sys::netlink::sockaddr_nl
impl Debug for linux_raw_sys::netlink::tcamsg
impl Debug for linux_raw_sys::netlink::tcamsg
impl Debug for linux_raw_sys::netlink::tcmsg
impl Debug for linux_raw_sys::netlink::tcmsg
impl Debug for linux_raw_sys::netlink::tunnel_msg
impl Debug for linux_raw_sys::netlink::tunnel_msg
impl Debug for linux_raw_sys::prctl::prctl_mm_map
impl Debug for linux_raw_sys::prctl::prctl_mm_map
impl Debug for new_utsname
impl Debug for old_utsname
impl Debug for oldold_utsname
impl Debug for linux_raw_sys::system::sysinfo
impl Debug for linux_raw_sys::xdp::sockaddr_xdp
impl Debug for linux_raw_sys::xdp::sockaddr_xdp
impl Debug for linux_raw_sys::xdp::xdp_desc
impl Debug for linux_raw_sys::xdp::xdp_desc
impl Debug for linux_raw_sys::xdp::xdp_mmap_offsets
impl Debug for linux_raw_sys::xdp::xdp_mmap_offsets
impl Debug for linux_raw_sys::xdp::xdp_mmap_offsets_v1
impl Debug for linux_raw_sys::xdp::xdp_mmap_offsets_v1
impl Debug for linux_raw_sys::xdp::xdp_options
impl Debug for linux_raw_sys::xdp::xdp_options
impl Debug for linux_raw_sys::xdp::xdp_ring_offset
impl Debug for linux_raw_sys::xdp::xdp_ring_offset
impl Debug for linux_raw_sys::xdp::xdp_ring_offset_v1
impl Debug for linux_raw_sys::xdp::xdp_ring_offset_v1
impl Debug for linux_raw_sys::xdp::xdp_statistics
impl Debug for linux_raw_sys::xdp::xdp_statistics
impl Debug for linux_raw_sys::xdp::xdp_statistics_v1
impl Debug for linux_raw_sys::xdp::xdp_statistics_v1
impl Debug for linux_raw_sys::xdp::xdp_umem_reg
impl Debug for linux_raw_sys::xdp::xdp_umem_reg
impl Debug for linux_raw_sys::xdp::xdp_umem_reg_v1
impl Debug for linux_raw_sys::xdp::xdp_umem_reg_v1
impl Debug for xsk_tx_metadata__bindgen_ty_1__bindgen_ty_1
impl Debug for xsk_tx_metadata__bindgen_ty_1__bindgen_ty_2
impl Debug for log::ParseLevelError
impl Debug for SetLoggerError
impl Debug for DotOptions
impl Debug for HatchingOptions
impl Debug for ToRectangleOptions
impl Debug for ParserOptions
impl Debug for lyon_extra::parser::PathParser
impl Debug for ArcFlags
impl Debug for BorderRadii
impl Debug for PathCommands
impl Debug for PathCommandsBuilder
impl Debug for lyon_path::path::Path
impl Debug for PathBuffer
impl Debug for ControlPointId
impl Debug for EndpointId
impl Debug for EventId
impl Debug for memchr::arch::all::memchr::One
impl Debug for memchr::arch::all::memchr::Three
impl Debug for memchr::arch::all::memchr::Two
impl Debug for memchr::arch::all::packedpair::Finder
impl Debug for Pair
impl Debug for memchr::arch::all::rabinkarp::Finder
impl Debug for memchr::arch::all::rabinkarp::FinderRev
impl Debug for memchr::arch::all::shiftor::Finder
impl Debug for memchr::arch::all::twoway::Finder
impl Debug for memchr::arch::all::twoway::FinderRev
impl Debug for memchr::arch::x86_64::avx2::memchr::One
impl Debug for memchr::arch::x86_64::avx2::memchr::Three
impl Debug for memchr::arch::x86_64::avx2::memchr::Two
impl Debug for memchr::arch::x86_64::avx2::packedpair::Finder
impl Debug for memchr::arch::x86_64::sse2::memchr::One
impl Debug for memchr::arch::x86_64::sse2::memchr::Three
impl Debug for memchr::arch::x86_64::sse2::memchr::Two
impl Debug for memchr::arch::x86_64::sse2::packedpair::Finder
impl Debug for FinderBuilder
impl Debug for memmap2::advice::Advice
impl Debug for memmap2::Mmap
impl Debug for memmap2::Mmap
impl Debug for memmap2::MmapMut
impl Debug for memmap2::MmapMut
impl Debug for memmap2::MmapOptions
impl Debug for memmap2::MmapOptions
impl Debug for memmap2::MmapRaw
impl Debug for memmap2::MmapRaw
impl Debug for memmap2::RemapOptions
impl Debug for memmap2::RemapOptions
impl Debug for miniz_oxide::inflate::DecompressError
impl Debug for miniz_oxide::StreamResult
impl Debug for nix::fcntl::AtFlags
impl Debug for AlgAddr
impl Debug for NetlinkAddr
impl Debug for UnixAddr
impl Debug for VsockAddr
impl Debug for AcceptConn
impl Debug for AlgSetAeadAuthSize
impl Debug for AttachReusePortCbpf
impl Debug for BindToDevice
impl Debug for Broadcast
impl Debug for DontRoute
impl Debug for Ip6tOriginalDst
impl Debug for IpMtu
impl Debug for Ipv4RecvErr
impl Debug for Ipv4Ttl
impl Debug for Ipv6DontFrag
impl Debug for Ipv6RecvErr
impl Debug for Ipv6Ttl
impl Debug for KeepAlive
impl Debug for Linger
impl Debug for Mark
impl Debug for OobInline
impl Debug for PassCred
impl Debug for PeerCredentials
impl Debug for PeerPidfd
impl Debug for RcvBuf
impl Debug for RcvBufForce
impl Debug for ReceiveTimeout
impl Debug for ReceiveTimestamp
impl Debug for ReceiveTimestampns
impl Debug for ReuseAddr
impl Debug for ReusePort
impl Debug for RxqOvfl
impl Debug for SendTimeout
impl Debug for SndBuf
impl Debug for SndBufForce
impl Debug for nix::sys::socket::sockopt::SockType
impl Debug for SocketError
impl Debug for TcpMaxSeg
impl Debug for TcpNoDelay
impl Debug for TcpRepair
impl Debug for TcpTlsRx
impl Debug for TcpTlsTx
impl Debug for Timestamping
impl Debug for TxTime
impl Debug for Backlog
impl Debug for MsgFlags
impl Debug for SockFlag
impl Debug for TimestampingFlag
impl Debug for nix::sys::socket::Timestamps
impl Debug for UnixCredentials
impl Debug for UnknownCmsg
impl Debug for SysInfo
impl Debug for TimeSpec
impl Debug for TimeVal
impl Debug for RemoteIoVec
impl Debug for UtsName
impl Debug for ResGid
impl Debug for ResUid
impl Debug for nix::unistd::Gid
impl Debug for nix::unistd::Group
impl Debug for nix::unistd::Uid
impl Debug for User
impl Debug for num_traits::ParseFloatError
impl Debug for OnceBool
impl Debug for OnceNonZeroUsize
impl Debug for OwnedFace
impl Debug for Parker
impl Debug for Unparker
impl Debug for Adam7Info
impl Debug for ChunkType
impl Debug for AnimationControl
impl Debug for CodingIndependentCodePoints
impl Debug for ContentLightLevelInfo
impl Debug for FrameControl
impl Debug for MasteringDisplayColorVolume
impl Debug for png::common::ParameterError
impl Debug for PixelDimensions
impl Debug for ScaledFloat
impl Debug for SourceChromaticities
impl Debug for Transformations
impl Debug for png::decoder::Limits
impl Debug for png::decoder::OutputInfo
impl Debug for ITXtChunk
impl Debug for TEXtChunk
impl Debug for ZTXtChunk
impl Debug for polling::Event
impl Debug for Events
impl Debug for Poller
impl Debug for portable_atomic::AtomicBool
impl Debug for portable_atomic::AtomicI8
impl Debug for portable_atomic::AtomicI16
impl Debug for portable_atomic::AtomicI32
impl Debug for portable_atomic::AtomicI64
impl Debug for AtomicI128
impl Debug for portable_atomic::AtomicIsize
impl Debug for portable_atomic::AtomicU8
impl Debug for portable_atomic::AtomicU16
impl Debug for portable_atomic::AtomicU32
impl Debug for portable_atomic::AtomicU64
impl Debug for AtomicU128
impl Debug for portable_atomic::AtomicUsize
impl Debug for PotentialCodePoint
impl Debug for PotentialUtf8
impl Debug for PotentialUtf16
impl Debug for DelimSpan
impl Debug for LineColumn
impl Debug for proc_macro2::Group
impl Debug for proc_macro2::Ident
impl Debug for proc_macro2::LexError
impl Debug for proc_macro2::Literal
impl Debug for proc_macro2::Punct
impl Debug for proc_macro2::Span
Prints a span in a form convenient for debugging.
impl Debug for proc_macro2::TokenStream
Prints token in a form convenient for debugging.
impl Debug for proc_macro2::token_stream::IntoIter
impl Debug for QByteArray
impl Debug for QStringList
impl Debug for QVariantList
impl Debug for QString
impl Debug for QVariant
impl Debug for QLineF
impl Debug for QMargins
impl Debug for QPoint
impl Debug for QPointF
impl Debug for QRectF
impl Debug for QSize
impl Debug for QSizeF
impl Debug for QVariantMap
impl Debug for AndroidDisplayHandle
impl Debug for AndroidNdkWindowHandle
impl Debug for AppKitDisplayHandle
impl Debug for AppKitWindowHandle
impl Debug for DisplayHandle<'_>
impl Debug for WindowHandle<'_>
impl Debug for HaikuDisplayHandle
impl Debug for HaikuWindowHandle
impl Debug for OhosDisplayHandle
impl Debug for OhosNdkWindowHandle
impl Debug for OrbitalDisplayHandle
impl Debug for OrbitalWindowHandle
impl Debug for UiKitDisplayHandle
impl Debug for UiKitWindowHandle
impl Debug for DrmDisplayHandle
impl Debug for DrmWindowHandle
impl Debug for GbmDisplayHandle
impl Debug for GbmWindowHandle
impl Debug for WaylandDisplayHandle
impl Debug for WaylandWindowHandle
impl Debug for XcbDisplayHandle
impl Debug for XcbWindowHandle
impl Debug for XlibDisplayHandle
impl Debug for XlibWindowHandle
impl Debug for WebCanvasWindowHandle
impl Debug for WebDisplayHandle
impl Debug for WebOffscreenCanvasWindowHandle
impl Debug for WebWindowHandle
impl Debug for Win32WindowHandle
impl Debug for WinRtWindowHandle
impl Debug for WindowsDisplayHandle
impl Debug for rowan::cursor::SyntaxElementChildren
impl Debug for rowan::cursor::SyntaxNode
impl Debug for rowan::cursor::SyntaxNodeChildren
impl Debug for rowan::cursor::SyntaxToken
impl Debug for rowan::green::builder::Checkpoint
impl Debug for GreenNode
impl Debug for GreenNodeData
impl Debug for NodeCache
impl Debug for rowan::green::SyntaxKind
impl Debug for GreenToken
impl Debug for GreenTokenData
impl Debug for SyntaxText
impl Debug for ParsingOptions
impl Debug for roxmltree::Attribute<'_, '_>
impl Debug for roxmltree::Attributes<'_, '_>
impl Debug for AxisIter<'_, '_>
impl Debug for Descendants<'_, '_>
impl Debug for ExpandedName<'_, '_>
impl Debug for NamespaceIter<'_, '_>
impl Debug for roxmltree::NodeId
impl Debug for roxmltree::TextPos
impl Debug for rustix::backend::event::epoll::CreateFlags
impl Debug for rustix::backend::event::epoll::CreateFlags
impl Debug for rustix::backend::event::epoll::EventFlags
impl Debug for rustix::backend::event::epoll::EventFlags
impl Debug for rustix::backend::event::poll_fd::PollFlags
impl Debug for rustix::backend::event::poll_fd::PollFlags
impl Debug for rustix::backend::event::types::EventfdFlags
impl Debug for rustix::backend::event::types::EventfdFlags
impl Debug for rustix::backend::fs::dir::Dir
impl Debug for rustix::backend::fs::dir::Dir
impl Debug for rustix::backend::fs::dir::DirEntry
impl Debug for rustix::backend::fs::dir::DirEntry
impl Debug for rustix::backend::fs::inotify::CreateFlags
impl Debug for rustix::backend::fs::inotify::CreateFlags
impl Debug for rustix::backend::fs::inotify::ReadFlags
impl Debug for rustix::backend::fs::inotify::ReadFlags
impl Debug for rustix::backend::fs::inotify::WatchFlags
impl Debug for rustix::backend::fs::inotify::WatchFlags
impl Debug for rustix::backend::fs::types::Access
impl Debug for rustix::backend::fs::types::Access
impl Debug for rustix::backend::fs::types::AtFlags
impl Debug for rustix::backend::fs::types::AtFlags
impl Debug for rustix::backend::fs::types::FallocateFlags
impl Debug for rustix::backend::fs::types::FallocateFlags
impl Debug for Fsid
impl Debug for rustix::backend::fs::types::MemfdFlags
impl Debug for rustix::backend::fs::types::MemfdFlags
impl Debug for rustix::backend::fs::types::Mode
impl Debug for rustix::backend::fs::types::Mode
impl Debug for rustix::backend::fs::types::OFlags
impl Debug for rustix::backend::fs::types::OFlags
impl Debug for rustix::backend::fs::types::RenameFlags
impl Debug for rustix::backend::fs::types::RenameFlags
impl Debug for rustix::backend::fs::types::ResolveFlags
impl Debug for rustix::backend::fs::types::ResolveFlags
impl Debug for rustix::backend::fs::types::SealFlags
impl Debug for rustix::backend::fs::types::SealFlags
impl Debug for Stat
impl Debug for StatFs
impl Debug for rustix::backend::fs::types::StatVfsMountFlags
impl Debug for rustix::backend::fs::types::StatVfsMountFlags
impl Debug for rustix::backend::fs::types::StatxFlags
impl Debug for rustix::backend::io::errno::Errno
impl Debug for rustix::backend::io::errno::Errno
impl Debug for rustix::backend::io::types::DupFlags
impl Debug for rustix::backend::io::types::DupFlags
impl Debug for rustix::backend::io::types::FdFlags
impl Debug for rustix::backend::io::types::FdFlags
impl Debug for rustix::backend::io::types::ReadWriteFlags
impl Debug for rustix::backend::io::types::ReadWriteFlags
impl Debug for MapFlags
impl Debug for MlockAllFlags
impl Debug for MlockFlags
impl Debug for MprotectFlags
impl Debug for MremapFlags
impl Debug for MsyncFlags
impl Debug for ProtFlags
impl Debug for UserfaultfdFlags
impl Debug for MountFlags
impl Debug for MountPropagationFlags
impl Debug for UnmountFlags
impl Debug for rustix::backend::net::addr::SocketAddrUnix
impl Debug for rustix::backend::net::addr::SocketAddrUnix
impl Debug for rustix::backend::net::send_recv::RecvFlags
impl Debug for rustix::backend::net::send_recv::RecvFlags
impl Debug for ReturnFlags
impl Debug for rustix::backend::net::send_recv::SendFlags
impl Debug for rustix::backend::net::send_recv::SendFlags
impl Debug for rustix::backend::pipe::types::PipeFlags
impl Debug for rustix::backend::pipe::types::PipeFlags
impl Debug for rustix::backend::pipe::types::SpliceFlags
impl Debug for rustix::backend::pipe::types::SpliceFlags
impl Debug for ShmOFlags
impl Debug for rustix::backend::thread::futex::Flags
impl Debug for TimerfdFlags
impl Debug for TimerfdTimerFlags
impl Debug for rustix::fs::fd::Timestamps
impl Debug for rustix::fs::fd::Timestamps
impl Debug for IFlags
impl Debug for Statx
impl Debug for StatxAttributes
impl Debug for rustix::fs::statx::StatxFlags
impl Debug for StatxTimestamp
impl Debug for rustix::fs::xattr::XattrFlags
impl Debug for rustix::fs::xattr::XattrFlags
impl Debug for Opcode
impl Debug for rustix::net::send_recv::msg::RecvMsg
impl Debug for rustix::net::socket_addr_any::SocketAddrAny
impl Debug for SocketAddrNetlink
impl Debug for rustix::net::types::AddressFamily
impl Debug for rustix::net::types::AddressFamily
impl Debug for rustix::net::types::Protocol
impl Debug for rustix::net::types::Protocol
impl Debug for rustix::net::types::SocketFlags
impl Debug for rustix::net::types::SocketFlags
impl Debug for rustix::net::types::SocketType
impl Debug for rustix::net::types::SocketType
impl Debug for rustix::net::types::UCred
impl Debug for rustix::net::types::UCred
impl Debug for SockaddrXdpFlags
impl Debug for rustix::net::types::xdp::SocketAddrXdp
impl Debug for rustix::net::types::xdp::SocketAddrXdp
impl Debug for SocketAddrXdpFlags
impl Debug for rustix::net::types::xdp::XdpDesc
impl Debug for rustix::net::types::xdp::XdpDesc
impl Debug for rustix::net::types::xdp::XdpDescOptions
impl Debug for rustix::net::types::xdp::XdpDescOptions
impl Debug for rustix::net::types::xdp::XdpMmapOffsets
impl Debug for rustix::net::types::xdp::XdpMmapOffsets
impl Debug for rustix::net::types::xdp::XdpOptions
impl Debug for rustix::net::types::xdp::XdpOptions
impl Debug for rustix::net::types::xdp::XdpOptionsFlags
impl Debug for rustix::net::types::xdp::XdpOptionsFlags
impl Debug for rustix::net::types::xdp::XdpRingFlags
impl Debug for rustix::net::types::xdp::XdpRingFlags
impl Debug for rustix::net::types::xdp::XdpRingOffset
impl Debug for rustix::net::types::xdp::XdpRingOffset
impl Debug for rustix::net::types::xdp::XdpStatistics
impl Debug for rustix::net::types::xdp::XdpStatistics
impl Debug for rustix::net::types::xdp::XdpUmemReg
impl Debug for rustix::net::types::xdp::XdpUmemReg
impl Debug for rustix::net::types::xdp::XdpUmemRegFlags
impl Debug for rustix::net::types::xdp::XdpUmemRegFlags
impl Debug for DecInt
impl Debug for rustix::pid::Pid
impl Debug for rustix::pid::Pid
impl Debug for Cpuid
impl Debug for MembarrierQuery
impl Debug for rustix::process::pidfd::PidfdFlags
impl Debug for rustix::process::pidfd::PidfdFlags
impl Debug for rustix::process::pidfd_getfd::PidfdGetfdFlags
impl Debug for rustix::process::pidfd_getfd::PidfdGetfdFlags
impl Debug for rustix::process::prctl::FloatingPointEmulationControl
impl Debug for rustix::process::prctl::FloatingPointEmulationControl
impl Debug for rustix::process::prctl::FloatingPointExceptionMode
impl Debug for rustix::process::prctl::FloatingPointExceptionMode
impl Debug for rustix::process::prctl::PrctlMmMap
impl Debug for rustix::process::prctl::PrctlMmMap
impl Debug for rustix::process::prctl::SpeculationFeatureControl
impl Debug for rustix::process::prctl::SpeculationFeatureControl
impl Debug for rustix::process::prctl::SpeculationFeatureState
impl Debug for rustix::process::prctl::SpeculationFeatureState
impl Debug for rustix::process::prctl::UnalignedAccessControl
impl Debug for rustix::process::prctl::UnalignedAccessControl
impl Debug for rustix::process::rlimit::Rlimit
impl Debug for rustix::process::rlimit::Rlimit
impl Debug for CpuSet
impl Debug for Flock
impl Debug for WaitIdOptions
impl Debug for WaitIdStatus
impl Debug for rustix::process::wait::WaitOptions
impl Debug for rustix::process::wait::WaitOptions
impl Debug for rustix::process::wait::WaitStatus
impl Debug for rustix::process::wait::WaitStatus
impl Debug for WaitidOptions
impl Debug for rustix::signal::Signal
impl Debug for Uname
impl Debug for CapabilityFlags
impl Debug for CapabilitySets
impl Debug for CapabilitiesSecureBits
impl Debug for SVEVectorLengthConfig
impl Debug for TaggedAddressMode
impl Debug for ThreadNameSpaceType
impl Debug for Itimerspec
impl Debug for Timespec
impl Debug for rustix::ugid::Gid
impl Debug for rustix::ugid::Gid
impl Debug for rustix::ugid::Uid
impl Debug for rustix::ugid::Uid
impl Debug for GlyphBuffer
impl Debug for rustybuzz::hb::buffer::GlyphPosition
impl Debug for UnicodeBuffer
impl Debug for hb_glyph_info_t
impl Debug for rustybuzz::hb::common::Feature
impl Debug for rustybuzz::hb::common::Language
impl Debug for rustybuzz::hb::common::Script
impl Debug for rustybuzz::hb::common::Variation
impl Debug for BufferFlags
impl Debug for FrameConfig
impl Debug for ColorMap
impl Debug for ColorTheme
impl Debug for IgnoredAny
impl Debug for serde::de::value::Error
impl Debug for SigId
impl Debug for simplecss::TextPos
impl Debug for Hash128
impl Debug for siphasher::sip128::SipHasher13
impl Debug for siphasher::sip128::SipHasher24
impl Debug for siphasher::sip128::SipHasher
impl Debug for siphasher::sip::SipHasher13
impl Debug for siphasher::sip::SipHasher24
impl Debug for siphasher::sip::SipHasher
impl Debug for CompilationResult
impl Debug for slint_interpreter::api::Struct
impl Debug for DefaultKey
impl Debug for KeyData
impl Debug for ActivationState
impl Debug for RequestData
impl Debug for CompositorState
impl Debug for smithay_client_toolkit::compositor::Region
impl Debug for smithay_client_toolkit::compositor::Surface
impl Debug for SurfaceData
impl Debug for DataDevice
impl Debug for DataDeviceData
impl Debug for DataDeviceOfferInner
impl Debug for DataOfferData
impl Debug for DragOffer
impl Debug for SelectionOffer
impl Debug for CopyPasteSource
impl Debug for DataSourceData
impl Debug for DragSource
impl Debug for ReadPipe
impl Debug for DataDeviceManagerState
impl Debug for WritePipe
impl Debug for DmabufFeedback
impl Debug for DmabufFeedbackTranche
impl Debug for DmabufFormat
impl Debug for DmabufParams
impl Debug for DmabufState
impl Debug for GlobalData
impl Debug for smithay_client_toolkit::output::Mode
impl Debug for OutputData
impl Debug for smithay_client_toolkit::output::OutputInfo
impl Debug for OutputState
impl Debug for ScaleWatcherHandle
impl Debug for PrimarySelectionDevice
impl Debug for PrimarySelectionDeviceData
impl Debug for PrimarySelectionOffer
impl Debug for PrimarySelectionOfferData
impl Debug for PrimarySelectionSource
impl Debug for PrimarySelectionManagerState
impl Debug for RegistryState
impl Debug for smithay_client_toolkit::seat::keyboard::KeyEvent
impl Debug for smithay_client_toolkit::seat::keyboard::Modifiers
impl Debug for RMLVO
impl Debug for CursorShapeManager
impl Debug for AxisScroll
impl Debug for PointerData
impl Debug for smithay_client_toolkit::seat::pointer::PointerEvent
impl Debug for PointerConstraintsState
impl Debug for RelativeMotionEvent
impl Debug for RelativePointerState
impl Debug for SeatData
impl Debug for SeatInfo
impl Debug for SeatState
impl Debug for TouchData
impl Debug for SessionLock
impl Debug for SessionLockData
impl Debug for SessionLockInner
impl Debug for SessionLockState
impl Debug for SessionLockSurface
impl Debug for SessionLockSurfaceConfigure
impl Debug for SessionLockSurfaceData
impl Debug for Unsupported
impl Debug for smithay_client_toolkit::shell::wlr_layer::Anchor
impl Debug for LayerShell
impl Debug for LayerSurface
impl Debug for LayerSurfaceConfigure
impl Debug for LayerSurfaceData
impl Debug for UnknownLayer
impl Debug for Popup
impl Debug for PopupConfigure
impl Debug for PopupData
impl Debug for smithay_client_toolkit::shell::xdg::XdgPositioner
impl Debug for XdgShell
impl Debug for XdgShellSurface
impl Debug for smithay_client_toolkit::shell::xdg::window::Window
impl Debug for WindowConfigure
impl Debug for WindowData
impl Debug for RawPool
impl Debug for smithay_client_toolkit::shm::slot::Buffer
impl Debug for Slot
impl Debug for SlotPool
impl Debug for Shm
impl Debug for SubcompositorState
impl Debug for SubsurfaceData
impl Debug for smol_str::SmolStr
impl Debug for smol_str::SmolStr
impl Debug for SmolStrBuilder
impl Debug for NoDisplayHandle
impl Debug for NoWindowHandle
impl Debug for softbuffer::Rect
impl Debug for FiniteF32
impl Debug for FiniteF64
impl Debug for NonZeroPositiveF32
impl Debug for NonZeroPositiveF64
impl Debug for NormalizedF32
impl Debug for NormalizedF64
impl Debug for PositiveF32
impl Debug for PositiveF64
impl Debug for svgtypes::angle::Angle
impl Debug for svgtypes::aspect_ratio::AspectRatio
impl Debug for svgtypes::color::Color
impl Debug for svgtypes::length::Length
impl Debug for Number
impl Debug for svgtypes::paint_order::PaintOrder
impl Debug for svgtypes::transform::Transform
impl Debug for TransformOrigin
impl Debug for ViewBox
impl Debug for syn::attr::Attribute
impl Debug for MetaList
impl Debug for MetaNameValue
impl Debug for syn::data::Field
impl Debug for FieldsNamed
impl Debug for FieldsUnnamed
impl Debug for syn::data::Variant
impl Debug for DataEnum
impl Debug for DataStruct
impl Debug for DataUnion
impl Debug for DeriveInput
impl Debug for syn::error::Error
impl Debug for Arm
impl Debug for ExprArray
impl Debug for ExprAssign
impl Debug for ExprAsync
impl Debug for ExprAwait
impl Debug for ExprBinary
impl Debug for ExprBlock
impl Debug for ExprBreak
impl Debug for ExprCall
impl Debug for ExprCast
impl Debug for ExprClosure
impl Debug for ExprConst
impl Debug for ExprContinue
impl Debug for ExprField
impl Debug for ExprForLoop
impl Debug for ExprGroup
impl Debug for ExprIf
impl Debug for ExprIndex
impl Debug for ExprInfer
impl Debug for ExprLet
impl Debug for ExprLit
impl Debug for ExprLoop
impl Debug for ExprMacro
impl Debug for ExprMatch
impl Debug for ExprMethodCall
impl Debug for ExprParen
impl Debug for ExprPath
impl Debug for ExprRange
impl Debug for ExprRawAddr
impl Debug for ExprReference
impl Debug for ExprRepeat
impl Debug for ExprReturn
impl Debug for ExprStruct
impl Debug for ExprTry
impl Debug for ExprTryBlock
impl Debug for ExprTuple
impl Debug for ExprUnary
impl Debug for ExprUnsafe
impl Debug for ExprWhile
impl Debug for ExprYield
impl Debug for FieldValue
impl Debug for Index
impl Debug for Label
impl Debug for syn::file::File
impl Debug for BoundLifetimes
impl Debug for ConstParam
impl Debug for Generics
impl Debug for LifetimeParam
impl Debug for PreciseCapture
impl Debug for PredicateLifetime
impl Debug for PredicateType
impl Debug for TraitBound
impl Debug for TypeParam
impl Debug for WhereClause
impl Debug for ForeignItemFn
impl Debug for ForeignItemMacro
impl Debug for ForeignItemStatic
impl Debug for ForeignItemType
impl Debug for ImplItemConst
impl Debug for ImplItemFn
impl Debug for ImplItemMacro
impl Debug for ImplItemType
impl Debug for ItemConst
impl Debug for ItemEnum
impl Debug for ItemExternCrate
impl Debug for ItemFn
impl Debug for ItemForeignMod
impl Debug for ItemImpl
impl Debug for ItemMacro
impl Debug for ItemMod
impl Debug for ItemStatic
impl Debug for ItemStruct
impl Debug for ItemTrait
impl Debug for ItemTraitAlias
impl Debug for ItemType
impl Debug for ItemUnion
impl Debug for ItemUse
impl Debug for syn::item::Receiver
impl Debug for syn::item::Signature
impl Debug for TraitItemConst
impl Debug for TraitItemFn
impl Debug for TraitItemMacro
impl Debug for TraitItemType
impl Debug for UseGlob
impl Debug for UseGroup
impl Debug for UseName
impl Debug for UsePath
impl Debug for UseRename
impl Debug for Variadic
impl Debug for syn::lifetime::Lifetime
impl Debug for LitBool
impl Debug for LitByte
impl Debug for LitByteStr
impl Debug for LitCStr
impl Debug for LitChar
impl Debug for LitFloat
impl Debug for LitInt
impl Debug for LitStr
impl Debug for syn::mac::Macro
impl Debug for Nothing
impl Debug for FieldPat
impl Debug for PatIdent
impl Debug for PatOr
impl Debug for PatParen
impl Debug for PatReference
impl Debug for PatRest
impl Debug for PatSlice
impl Debug for PatStruct
impl Debug for PatTuple
impl Debug for PatTupleStruct
impl Debug for PatType
impl Debug for PatWild
impl Debug for AngleBracketedGenericArguments
impl Debug for AssocConst
impl Debug for AssocType
impl Debug for Constraint
impl Debug for ParenthesizedGenericArguments
impl Debug for syn::path::Path
impl Debug for syn::path::PathSegment
impl Debug for QSelf
impl Debug for VisRestricted
impl Debug for syn::stmt::Block
impl Debug for syn::stmt::Local
impl Debug for LocalInit
impl Debug for StmtMacro
impl Debug for Abstract
impl Debug for And
impl Debug for AndAnd
impl Debug for AndEq
impl Debug for As
impl Debug for syn::token::Async
impl Debug for At
impl Debug for Auto
impl Debug for Await
impl Debug for Become
impl Debug for syn::token::Box
impl Debug for Brace
impl Debug for Bracket
impl Debug for Break
impl Debug for Caret
impl Debug for CaretEq
impl Debug for Colon
impl Debug for Comma
impl Debug for syn::token::Const
impl Debug for Continue
impl Debug for Crate
impl Debug for Default
impl Debug for Do
impl Debug for Dollar
impl Debug for Dot
impl Debug for DotDot
impl Debug for DotDotDot
impl Debug for DotDotEq
impl Debug for Dyn
impl Debug for Else
impl Debug for Enum
impl Debug for Eq
impl Debug for EqEq
impl Debug for Extern
impl Debug for FatArrow
impl Debug for Final
impl Debug for Fn
impl Debug for For
impl Debug for Ge
impl Debug for syn::token::Group
impl Debug for Gt
impl Debug for If
impl Debug for Impl
impl Debug for In
impl Debug for LArrow
impl Debug for Le
impl Debug for Let
impl Debug for Loop
impl Debug for Lt
impl Debug for syn::token::Macro
impl Debug for syn::token::Match
impl Debug for Minus
impl Debug for MinusEq
impl Debug for Mod
impl Debug for Move
impl Debug for Mut
impl Debug for Ne
impl Debug for Not
impl Debug for syn::token::Or
impl Debug for OrEq
impl Debug for OrOr
impl Debug for Override
impl Debug for Paren
impl Debug for PathSep
impl Debug for Percent
impl Debug for PercentEq
impl Debug for Plus
impl Debug for PlusEq
impl Debug for Pound
impl Debug for Priv
impl Debug for Pub
impl Debug for Question
impl Debug for RArrow
impl Debug for Raw
impl Debug for syn::token::Ref
impl Debug for Return
impl Debug for SelfType
impl Debug for SelfValue
impl Debug for Semi
impl Debug for Shl
impl Debug for ShlEq
impl Debug for Shr
impl Debug for ShrEq
impl Debug for Slash
impl Debug for SlashEq
impl Debug for Star
impl Debug for StarEq
impl Debug for Static
impl Debug for syn::token::Struct
impl Debug for Super
impl Debug for Tilde
impl Debug for Trait
impl Debug for Try
impl Debug for syn::token::Type
impl Debug for Typeof
impl Debug for Underscore
impl Debug for syn::token::Union
impl Debug for Unsafe
impl Debug for Unsized
impl Debug for Use
impl Debug for Virtual
impl Debug for Where
impl Debug for While
impl Debug for Yield
impl Debug for Abi
impl Debug for BareFnArg
impl Debug for BareVariadic
impl Debug for TypeArray
impl Debug for TypeBareFn
impl Debug for TypeGroup
impl Debug for TypeImplTrait
impl Debug for TypeInfer
impl Debug for TypeMacro
impl Debug for TypeNever
impl Debug for TypeParen
impl Debug for TypePath
impl Debug for TypePtr
impl Debug for TypeReference
impl Debug for TypeSlice
impl Debug for TypeTraitObject
impl Debug for TypeTuple
impl Debug for TextRange
impl Debug for TextSize
impl Debug for StrokeDash
impl Debug for f32x2
impl Debug for NormalizedF32Exclusive
impl Debug for tiny_skia_path::path::Path
impl Debug for PathBuilder
impl Debug for CubicCoeff
impl Debug for QuadCoeff
impl Debug for IntRect
impl Debug for NonZeroRect
impl Debug for tiny_skia_path::rect::Rect
impl Debug for IntSize
impl Debug for tiny_skia_path::size::Size
impl Debug for tiny_skia_path::stroker::Stroke
impl Debug for tiny_skia_path::Point
impl Debug for tiny_skia_path::transform::Transform
impl Debug for tiny_skia::color::Color
impl Debug for ColorU8
impl Debug for PremultipliedColor
impl Debug for PremultipliedColorU8
impl Debug for tiny_skia::mask::Mask
impl Debug for Pixmap
impl Debug for PixmapMut<'_>
impl Debug for PixmapRef<'_>
impl Debug for tiny_skia::shaders::gradient::GradientStop
impl Debug for tiny_skia::shaders::linear_gradient::LinearGradient
impl Debug for PixmapPaint
impl Debug for tiny_skia::shaders::radial_gradient::RadialGradient
impl Debug for tiny_xlib::Display
impl Debug for ErrorEvent
impl Debug for HandlerKey
impl Debug for tinyvec::arrayvec::TryFromSliceError
impl Debug for DefaultCallsite
impl Debug for Identifier
impl Debug for DefaultGuard
impl Debug for Dispatch
impl Debug for SetGlobalDefaultError
impl Debug for WeakDispatch
impl Debug for tracing_core::field::Empty
impl Debug for tracing_core::field::Field
impl Debug for FieldSet
impl Debug for tracing_core::field::Iter
impl Debug for ValueSet<'_>
impl Debug for tracing_core::metadata::Kind
impl Debug for tracing_core::metadata::Level
impl Debug for tracing_core::metadata::LevelFilter
impl Debug for tracing_core::metadata::Metadata<'_>
impl Debug for tracing_core::metadata::ParseLevelError
impl Debug for ParseLevelFilterError
impl Debug for Current
impl Debug for tracing_core::span::Id
impl Debug for tracing_core::subscriber::Interest
impl Debug for NoSubscriber
impl Debug for EnteredSpan
impl Debug for tracing::span::Span
impl Debug for ttf_parser::aat::Lookup<'_>
impl Debug for StateTable<'_>
impl Debug for ValueOffset
impl Debug for ttf_parser::ggg::context::SequenceLookupRecord
impl Debug for ttf_parser::ggg::context::SequenceLookupRecord
impl Debug for ttf_parser::ggg::lookup::LookupFlags
impl Debug for ttf_parser::ggg::lookup::LookupFlags
impl Debug for ttf_parser::ggg::lookup::LookupSubtables<'_>
impl Debug for ttf_parser::ggg::lookup::LookupSubtables<'_>
impl Debug for ttf_parser::ggg::RangeRecord
impl Debug for ttf_parser::ggg::RangeRecord
impl Debug for ttf_parser::parser::Fixed
impl Debug for ttf_parser::parser::Fixed
impl Debug for ttf_parser::Face<'_>
impl Debug for ttf_parser::Face<'_>
impl Debug for ttf_parser::GlyphId
impl Debug for ttf_parser::GlyphId
impl Debug for ttf_parser::LineMetrics
impl Debug for ttf_parser::LineMetrics
impl Debug for ttf_parser::NormalizedCoordinate
impl Debug for ttf_parser::NormalizedCoordinate
impl Debug for PhantomPoints
impl Debug for PointF
impl Debug for ttf_parser::RawFace<'_>
impl Debug for ttf_parser::RawFace<'_>
impl Debug for ttf_parser::Rect
impl Debug for ttf_parser::Rect
impl Debug for ttf_parser::RectF
impl Debug for ttf_parser::RectF
impl Debug for ttf_parser::RgbaColor
impl Debug for ttf_parser::RgbaColor
impl Debug for ttf_parser::TableRecord
impl Debug for ttf_parser::TableRecord
impl Debug for ttf_parser::Tag
impl Debug for ttf_parser::Tag
impl Debug for ttf_parser::Transform
impl Debug for ttf_parser::Transform
impl Debug for ttf_parser::Variation
impl Debug for ttf_parser::Variation
impl Debug for ttf_parser::tables::ankr::Point
impl Debug for ttf_parser::tables::ankr::Table<'_>
impl Debug for AxisValueMap
impl Debug for SegmentMaps<'_>
impl Debug for ttf_parser::tables::cbdt::Table<'_>
impl Debug for ttf_parser::tables::cbdt::Table<'_>
impl Debug for ttf_parser::tables::cblc::Table<'_>
impl Debug for ttf_parser::tables::cblc::Table<'_>
impl Debug for ttf_parser::tables::cff::cff1::Matrix
impl Debug for ttf_parser::tables::cff::cff1::Matrix
impl Debug for ttf_parser::tables::cff::cff1::Table<'_>
impl Debug for ttf_parser::tables::cff::cff1::Table<'_>
impl Debug for ttf_parser::tables::cff::cff2::Table<'_>
impl Debug for ttf_parser::tables::cmap::format2::Subtable2<'_>
impl Debug for ttf_parser::tables::cmap::format2::Subtable2<'_>
impl Debug for ttf_parser::tables::cmap::format4::Subtable4<'_>
impl Debug for ttf_parser::tables::cmap::format4::Subtable4<'_>
impl Debug for ttf_parser::tables::cmap::format12::Subtable12<'_>
impl Debug for ttf_parser::tables::cmap::format12::Subtable12<'_>
impl Debug for ttf_parser::tables::cmap::format13::Subtable13<'_>
impl Debug for ttf_parser::tables::cmap::format13::Subtable13<'_>
impl Debug for ttf_parser::tables::cmap::format14::Subtable14<'_>
impl Debug for ttf_parser::tables::cmap::format14::Subtable14<'_>
impl Debug for ttf_parser::tables::cmap::Subtables<'_>
impl Debug for ttf_parser::tables::cmap::Subtables<'_>
impl Debug for ttf_parser::tables::colr::ColorStop
impl Debug for ttf_parser::tables::colr::ColorStop
impl Debug for ttf_parser::tables::colr::GradientStopsIter<'_, '_>
impl Debug for ttf_parser::tables::colr::GradientStopsIter<'_, '_>
impl Debug for SettingName
impl Debug for ttf_parser::tables::fvar::VariationAxis
impl Debug for ttf_parser::tables::glyf::Table<'_>
impl Debug for ttf_parser::tables::glyf::Table<'_>
impl Debug for ttf_parser::tables::gpos::AnchorMatrix<'_>
impl Debug for ttf_parser::tables::gpos::AnchorMatrix<'_>
impl Debug for ttf_parser::tables::gpos::ClassMatrix<'_>
impl Debug for ttf_parser::tables::gpos::ClassMatrix<'_>
impl Debug for ttf_parser::tables::gpos::CursiveAnchorSet<'_>
impl Debug for ttf_parser::tables::gpos::CursiveAnchorSet<'_>
impl Debug for ttf_parser::tables::gpos::HintingDevice<'_>
impl Debug for ttf_parser::tables::gpos::HintingDevice<'_>
impl Debug for ttf_parser::tables::gpos::LigatureArray<'_>
impl Debug for ttf_parser::tables::gpos::LigatureArray<'_>
impl Debug for ttf_parser::tables::gpos::MarkArray<'_>
impl Debug for ttf_parser::tables::gpos::MarkArray<'_>
impl Debug for ttf_parser::tables::gpos::PairSet<'_>
impl Debug for ttf_parser::tables::gpos::PairSet<'_>
impl Debug for ttf_parser::tables::gpos::PairSets<'_>
impl Debug for ttf_parser::tables::gpos::PairSets<'_>
impl Debug for ttf_parser::tables::gpos::ValueRecordsArray<'_>
impl Debug for ttf_parser::tables::gpos::ValueRecordsArray<'_>
impl Debug for ttf_parser::tables::gpos::VariationDevice
impl Debug for ttf_parser::tables::gpos::VariationDevice
impl Debug for ttf_parser::tables::gvar::Table<'_>
impl Debug for ttf_parser::tables::head::Table
impl Debug for ttf_parser::tables::head::Table
impl Debug for ttf_parser::tables::hhea::Table
impl Debug for ttf_parser::tables::hhea::Table
impl Debug for ttf_parser::tables::hmtx::Metrics
impl Debug for ttf_parser::tables::hmtx::Metrics
impl Debug for ttf_parser::tables::hvar::Table<'_>
impl Debug for ttf_parser::tables::kern::KerningPair
impl Debug for ttf_parser::tables::kern::KerningPair
impl Debug for ttf_parser::tables::kern::Subtables<'_>
impl Debug for ttf_parser::tables::kern::Subtables<'_>
impl Debug for AnchorPoints<'_>
impl Debug for EntryData
impl Debug for Subtable1<'_>
impl Debug for ttf_parser::tables::kerx::Subtable2<'_>
impl Debug for ttf_parser::tables::kerx::Subtable4<'_>
impl Debug for ttf_parser::tables::kerx::Subtable6<'_>
impl Debug for ttf_parser::tables::kerx::Subtables<'_>
impl Debug for ttf_parser::tables::math::Constants<'_>
impl Debug for ttf_parser::tables::math::Constants<'_>
impl Debug for ttf_parser::tables::math::GlyphConstructions<'_>
impl Debug for ttf_parser::tables::math::GlyphConstructions<'_>
impl Debug for ttf_parser::tables::math::GlyphPart
impl Debug for ttf_parser::tables::math::GlyphPart
impl Debug for ttf_parser::tables::math::GlyphVariant
impl Debug for ttf_parser::tables::math::GlyphVariant
impl Debug for ttf_parser::tables::math::Kern<'_>
impl Debug for ttf_parser::tables::math::Kern<'_>
impl Debug for ttf_parser::tables::math::KernInfos<'_>
impl Debug for ttf_parser::tables::math::KernInfos<'_>
impl Debug for ttf_parser::tables::math::MathValues<'_>
impl Debug for ttf_parser::tables::math::MathValues<'_>
impl Debug for ttf_parser::tables::math::PartFlags
impl Debug for ttf_parser::tables::math::PartFlags
impl Debug for ttf_parser::tables::maxp::Table
impl Debug for ttf_parser::tables::maxp::Table
impl Debug for Chains<'_>
impl Debug for ContextualEntryData
impl Debug for ContextualSubtable<'_>
impl Debug for ttf_parser::tables::morx::Coverage
impl Debug for ttf_parser::tables::morx::Feature
impl Debug for InsertionEntryData
impl Debug for ttf_parser::tables::morx::Subtables<'_>
impl Debug for ttf_parser::tables::morx::Table<'_>
impl Debug for ttf_parser::tables::mvar::Table<'_>
impl Debug for ttf_parser::tables::name::Names<'_>
impl Debug for ttf_parser::tables::name::Names<'_>
impl Debug for ttf_parser::tables::os2::ScriptMetrics
impl Debug for ttf_parser::tables::os2::ScriptMetrics
impl Debug for ttf_parser::tables::os2::Table<'_>
impl Debug for ttf_parser::tables::os2::Table<'_>
impl Debug for ttf_parser::tables::os2::UnicodeRanges
impl Debug for ttf_parser::tables::os2::UnicodeRanges
impl Debug for ttf_parser::tables::post::Names<'_>
impl Debug for ttf_parser::tables::post::Names<'_>
impl Debug for ttf_parser::tables::sbix::Strike<'_>
impl Debug for ttf_parser::tables::sbix::Strike<'_>
impl Debug for ttf_parser::tables::sbix::Strikes<'_>
impl Debug for ttf_parser::tables::sbix::Strikes<'_>
impl Debug for AxisRecord
impl Debug for AxisValue
impl Debug for AxisValueFlags
impl Debug for AxisValueSubtableFormat1
impl Debug for AxisValueSubtableFormat2
impl Debug for AxisValueSubtableFormat3
impl Debug for ttf_parser::tables::svg::SvgDocumentsList<'_>
impl Debug for ttf_parser::tables::svg::SvgDocumentsList<'_>
impl Debug for ttf_parser::tables::vhea::Table
impl Debug for ttf_parser::tables::vhea::Table
impl Debug for ttf_parser::tables::vorg::VerticalOriginMetrics
impl Debug for ttf_parser::tables::vorg::VerticalOriginMetrics
impl Debug for ttf_parser::tables::vvar::Table<'_>
impl Debug for BidiMatchedOpeningBracket
impl Debug for unicode_bidi::level::Level
impl Debug for ParagraphInfo
impl Debug for ScriptExtension
impl Debug for GraphemeCursor
impl Debug for OpaqueOrigin
impl Debug for Url
Debug the serialization of this URL.
impl Debug for ImageHrefResolver<'_>
impl Debug for PositionedGlyph
impl Debug for usvg::text::layout::Span
impl Debug for FontResolver<'_>
impl Debug for Blend
impl Debug for ColorMatrix
impl Debug for ComponentTransfer
impl Debug for Composite
impl Debug for ConvolveMatrix
impl Debug for ConvolveMatrixData
impl Debug for DiffuseLighting
impl Debug for DisplacementMap
impl Debug for DistantLight
impl Debug for DropShadow
impl Debug for usvg::tree::filter::Filter
impl Debug for Flood
impl Debug for GaussianBlur
impl Debug for usvg::tree::filter::Image
impl Debug for Merge
impl Debug for Morphology
impl Debug for Offset
impl Debug for PointLight
impl Debug for Primitive
impl Debug for SpecularLighting
impl Debug for SpotLight
impl Debug for Tile
impl Debug for Turbulence
impl Debug for BaseGradient
impl Debug for ClipPath
impl Debug for usvg::tree::Color
impl Debug for Fill
impl Debug for usvg::tree::Group
impl Debug for usvg::tree::Image
impl Debug for usvg::tree::LinearGradient
impl Debug for usvg::tree::Mask
impl Debug for NonZeroF32
impl Debug for usvg::tree::Path
impl Debug for usvg::tree::Pattern
impl Debug for usvg::tree::RadialGradient
impl Debug for Stop
impl Debug for usvg::tree::Stroke
impl Debug for StrokeMiterlimit
impl Debug for usvg::tree::Tree
impl Debug for usvg::tree::text::Font
impl Debug for Text
impl Debug for TextChunk
impl Debug for usvg::tree::text::TextDecoration
impl Debug for TextDecorationStyle
impl Debug for TextPath
impl Debug for TextSpan
impl Debug for WriteOptions
impl Debug for Utf8CharsError
impl Debug for wayland_backend::rs::client::Backend
impl Debug for wayland_backend::rs::client::ObjectId
impl Debug for wayland_backend::rs::client::ReadEventsGuard
impl Debug for wayland_backend::rs::client::WeakBackend
impl Debug for ClientId
impl Debug for GlobalId
impl Debug for Handle
impl Debug for wayland_backend::rs::server::ObjectId
impl Debug for WeakHandle
impl Debug for Credentials
impl Debug for GlobalInfo
impl Debug for wayland_backend::types::server::InvalidId
impl Debug for wayland_cursor::Cursor
impl Debug for CursorImageBuffer
impl Debug for wayland_cursor::CursorTheme
impl Debug for FrameAndDuration
impl Debug for OrgKdeKwinBlur
impl Debug for OrgKdeKwinBlurManager
impl Debug for OrgKdeKwinContrast
impl Debug for OrgKdeKwinContrastManager
impl Debug for OrgKdeKwinDpms
impl Debug for OrgKdeKwinDpmsManager
impl Debug for KdeExternalBrightnessDeviceV1
impl Debug for KdeExternalBrightnessV1
impl Debug for OrgKdeKwinFakeInput
impl Debug for WlFullscreenShell
impl Debug for WlFullscreenShellModeFeedback
impl Debug for OrgKdeKwinIdle
impl Debug for OrgKdeKwinIdleTimeout
impl Debug for OrgKdeKwinKeystate
impl Debug for KdeLockscreenOverlayV1
impl Debug for wayland_protocols_plasma::output_device::v1::generated::client::org_kde_kwin_outputdevice::Capability
impl Debug for OrgKdeKwinOutputdevice
impl Debug for KdeOutputDeviceModeV2
impl Debug for wayland_protocols_plasma::output_device::v2::generated::client::kde_output_device_v2::Capability
impl Debug for KdeOutputDeviceV2
impl Debug for OrgKdeKwinOutputconfiguration
impl Debug for OrgKdeKwinOutputmanagement
impl Debug for KdeOutputConfigurationV2
impl Debug for KdeOutputManagementV2
impl Debug for KdeOutputOrderV1
impl Debug for OrgKdePlasmaShell
impl Debug for OrgKdePlasmaSurface
impl Debug for OrgKdePlasmaVirtualDesktop
impl Debug for OrgKdePlasmaVirtualDesktopManagement
impl Debug for OrgKdePlasmaActivation
impl Debug for OrgKdePlasmaActivationFeedback
impl Debug for OrgKdePlasmaStackingOrder
impl Debug for OrgKdePlasmaWindow
impl Debug for OrgKdePlasmaWindowManagement
impl Debug for KdePrimaryOutputV1
impl Debug for OrgKdeKwinRemoteAccessManager
impl Debug for OrgKdeKwinRemoteBuffer
impl Debug for KdeAutoHideScreenEdgeV1
impl Debug for KdeScreenEdgeManagerV1
impl Debug for ZkdeScreencastStreamUnstableV1
impl Debug for ZkdeScreencastUnstableV1
impl Debug for OrgKdeKwinServerDecoration
impl Debug for OrgKdeKwinServerDecorationManager
impl Debug for OrgKdeKwinServerDecorationPalette
impl Debug for OrgKdeKwinServerDecorationPaletteManager
impl Debug for OrgKdeKwinShadow
impl Debug for OrgKdeKwinShadowManager
impl Debug for OrgKdeKwinSlide
impl Debug for OrgKdeKwinSlideManager
impl Debug for QtExtendedSurface
impl Debug for QtSurfaceExtension
impl Debug for WlTextInput
impl Debug for WlTextInputManager
impl Debug for ZwpTextInputManagerV2
impl Debug for wayland_protocols_plasma::text_input::v2::generated::client::zwp_text_input_v2::ContentHint
impl Debug for ZwpTextInputV2
impl Debug for WlEglstreamController
impl Debug for weezl::decode::Configuration
impl Debug for weezl::encode::Configuration
impl Debug for BufferResult
impl Debug for weezl::error::StreamResult
impl Debug for CustomCursor
impl Debug for CustomCursorSource
impl Debug for NotSupportedError
impl Debug for OsError
impl Debug for DeviceId
impl Debug for InnerSizeWriter
impl Debug for winit::event::KeyEvent
impl Debug for winit::event::Modifiers
impl Debug for RawKeyEvent
impl Debug for Touch
impl Debug for ActiveEventLoop
impl Debug for AsyncRequestSerial
impl Debug for OwnedDisplayHandle
impl Debug for Icon
impl Debug for ModifiersState
impl Debug for MonitorHandle
impl Debug for VideoModeHandle
impl Debug for ActivationToken
impl Debug for winit::window::Window
impl Debug for WindowAttributes
impl Debug for WindowButtons
impl Debug for WindowId
impl Debug for EmptyError
impl Debug for BStr
impl Debug for winnow::stream::bytes::Bytes
impl Debug for winnow::stream::range::Range
impl Debug for LengthHint
impl Debug for Part
impl Debug for Atoms
impl Debug for OpenError
impl Debug for XSyncAlarmAttributes
impl Debug for XSyncAlarmError
impl Debug for XSyncAlarmNotifyEvent
impl Debug for XSyncCounterError
impl Debug for XSyncCounterNotifyEvent
impl Debug for XSyncSystemCounter
impl Debug for XSyncTrigger
impl Debug for XSyncValue
impl Debug for XSyncWaitCondition
impl Debug for _XcursorAnimate
impl Debug for _XcursorChunkHeader
impl Debug for _XcursorComment
impl Debug for _XcursorComments
impl Debug for _XcursorCursors
impl Debug for _XcursorFile
impl Debug for _XcursorFileHeader
impl Debug for _XcursorFileToc
impl Debug for _XcursorImage
impl Debug for _XcursorImages
impl Debug for XF86VidModeGamma
impl Debug for XF86VidModeModeInfo
impl Debug for XF86VidModeModeLine
impl Debug for XF86VidModeMonitor
impl Debug for XF86VidModeNotifyEvent
impl Debug for XF86VidModeSyncRange
impl Debug for XFixesCursorImage
impl Debug for XFixesCursorNotifyEvent
impl Debug for XFixesSelectionNotifyEvent
impl Debug for XftCharFontSpec
impl Debug for XftCharSpec
impl Debug for XftColor
impl Debug for XftFont
impl Debug for XftFontSet
impl Debug for XftGlyphFontSpec
impl Debug for XftGlyphSpec
impl Debug for XPanoramiXInfo
impl Debug for XineramaScreenInfo
impl Debug for XIAddMasterInfo
impl Debug for XIAnyClassInfo
impl Debug for XIAnyHierarchyChangeInfo
impl Debug for XIAttachSlaveInfo
impl Debug for XIBarrierEvent
impl Debug for XIBarrierReleasePointerInfo
impl Debug for XIButtonClassInfo
impl Debug for XIButtonState
impl Debug for XIDetachSlaveInfo
impl Debug for XIDeviceChangedEvent
impl Debug for XIDeviceEvent
impl Debug for x11_dl::xinput2::XIDeviceInfo
impl Debug for XIEnterEvent
impl Debug for XIEvent
impl Debug for x11_dl::xinput2::XIEventMask
impl Debug for XIGrabModifiers
impl Debug for XIHierarchyEvent
impl Debug for XIHierarchyInfo
impl Debug for XIKeyClassInfo
impl Debug for XIModifierState
impl Debug for XIPropertyEvent
impl Debug for XIRawEvent
impl Debug for XIRemoveMasterInfo
impl Debug for XIScrollClassInfo
impl Debug for XITouchClassInfo
impl Debug for XITouchOwnershipEvent
impl Debug for XIValuatorClassInfo
impl Debug for XIValuatorState
impl Debug for XDevice
impl Debug for XDeviceControl
impl Debug for XDeviceInfo
impl Debug for XDeviceState
impl Debug for XDeviceTimeCoord
impl Debug for XExtensionVersion
impl Debug for XFeedbackControl
impl Debug for XFeedbackState
impl Debug for XInputClass
impl Debug for XInputClassInfo
impl Debug for x11_dl::xlib::AspectRatio
impl Debug for x11_dl::xlib::ClientMessageData
impl Debug for x11_dl::xlib::Depth
impl Debug for ImageFns
impl Debug for x11_dl::xlib::Screen
impl Debug for ScreenFormat
impl Debug for Visual
impl Debug for XAnyEvent
impl Debug for XArc
impl Debug for XButtonEvent
impl Debug for XChar2b
impl Debug for XCharStruct
impl Debug for XCirculateEvent
impl Debug for XCirculateRequestEvent
impl Debug for XClassHint
impl Debug for XClientMessageEvent
impl Debug for XColor
impl Debug for XColormapEvent
impl Debug for XComposeStatus
impl Debug for XConfigureEvent
impl Debug for XConfigureRequestEvent
impl Debug for XCreateWindowEvent
impl Debug for XCrossingEvent
impl Debug for XDestroyWindowEvent
impl Debug for XErrorEvent
impl Debug for XExposeEvent
impl Debug for XExtCodes
impl Debug for XFocusChangeEvent
impl Debug for XFontProp
impl Debug for XFontSetExtents
impl Debug for XFontStruct
impl Debug for XGCValues
impl Debug for XGenericEventCookie
impl Debug for XGraphicsExposeEvent
impl Debug for XGravityEvent
impl Debug for XHostAddress
impl Debug for XIMPreeditCaretCallbackStruct
impl Debug for XIMPreeditDrawCallbackStruct
impl Debug for XIconSize
impl Debug for XImage
impl Debug for XKeyEvent
impl Debug for XKeyboardControl
impl Debug for XKeyboardState
impl Debug for XKeymapEvent
impl Debug for XMapEvent
impl Debug for XMapRequestEvent
impl Debug for XMappingEvent
impl Debug for XModifierKeymap
impl Debug for XMotionEvent
impl Debug for XNoExposeEvent
impl Debug for XOMCharSetList
impl Debug for XPixmapFormatValues
impl Debug for XPoint
impl Debug for XPropertyEvent
impl Debug for XRectangle
impl Debug for XReparentEvent
impl Debug for XResizeRequestEvent
impl Debug for XSegment
impl Debug for XSelectionClearEvent
impl Debug for XSelectionEvent
impl Debug for XSelectionRequestEvent
impl Debug for XServerInterpretedAddress
impl Debug for XSetWindowAttributes
impl Debug for XSizeHints
impl Debug for XStandardColormap
impl Debug for XTextItem16
impl Debug for XTextItem
impl Debug for XTextProperty
impl Debug for XTimeCoord
impl Debug for XUnmapEvent
impl Debug for XVisibilityEvent
impl Debug for XVisualInfo
impl Debug for XWMHints
impl Debug for XWindowAttributes
impl Debug for XWindowChanges
impl Debug for XkbAccessXNotifyEvent
impl Debug for XkbActionMessageEvent
impl Debug for XkbAnyEvent
impl Debug for XkbBellNotifyEvent
impl Debug for XkbCompatMapNotifyEvent
impl Debug for XkbEvent
impl Debug for XkbIndicatorNotifyEvent
impl Debug for XkbNewKeyboardNotifyEvent
impl Debug for XkbStateNotifyEvent
impl Debug for XmbTextItem
impl Debug for XrmOptionDescRec
impl Debug for XrmValue
impl Debug for XwcTextItem
impl Debug for _XkbControlsNotifyEvent
impl Debug for _XkbDesc
impl Debug for _XkbExtensionDeviceNotifyEvent
impl Debug for _XkbKeyAliasRec
impl Debug for _XkbKeyNameRec
impl Debug for _XkbMapNotifyEvent
impl Debug for _XkbNamesNotifyEvent
impl Debug for _XkbNamesRec
impl Debug for _XkbStateRec
impl Debug for XPresentCompleteNotifyEvent
impl Debug for XPresentConfigureNotifyEvent
impl Debug for XPresentEvent
impl Debug for XPresentIdleNotifyEvent
impl Debug for XPresentNotify
impl Debug for XRRCrtcChangeNotifyEvent
impl Debug for XRRCrtcGamma
impl Debug for XRRCrtcInfo
impl Debug for XRRCrtcTransformAttributes
impl Debug for XRRModeInfo
impl Debug for XRRMonitorInfo
impl Debug for XRRNotifyEvent
impl Debug for XRROutputChangeNotifyEvent
impl Debug for XRROutputInfo
impl Debug for XRROutputPropertyNotifyEvent
impl Debug for XRRPanning
impl Debug for XRRPropertyInfo
impl Debug for XRRProviderChangeNotifyEvent
impl Debug for XRRProviderInfo
impl Debug for XRRProviderPropertyNotifyEvent
impl Debug for XRRProviderResources
impl Debug for XRRResourceChangeNotifyEvent
impl Debug for XRRScreenChangeNotifyEvent
impl Debug for XRRScreenResources
impl Debug for XRRScreenSize
impl Debug for XRecordClientInfo
impl Debug for XRecordExtRange
impl Debug for XRecordInterceptData
impl Debug for XRecordRange8
impl Debug for XRecordRange16
impl Debug for XRecordRange
impl Debug for XRecordState
impl Debug for XRenderColor
impl Debug for XRenderDirectFormat
impl Debug for XRenderPictFormat
impl Debug for _XAnimCursor
impl Debug for _XCircle
impl Debug for _XConicalGradient
impl Debug for _XFilters
impl Debug for _XGlyphElt8
impl Debug for _XGlyphElt16
impl Debug for _XGlyphElt32
impl Debug for _XGlyphInfo
impl Debug for _XIndexValue
impl Debug for _XLineFixed
impl Debug for _XLinearGradient
impl Debug for _XPointDouble
impl Debug for _XPointFixed
impl Debug for _XRadialGradient
impl Debug for _XRenderPictureAttributes
impl Debug for _XSpanFix
impl Debug for _XTransform
impl Debug for _XTrap
impl Debug for _XTrapezoid
impl Debug for _XTriangle
impl Debug for XShmCompletionEvent
impl Debug for XShmSegmentInfo
impl Debug for XScreenSaverInfo
impl Debug for XScreenSaverNotifyEvent
impl Debug for Connect
impl Debug for x11rb_protocol::connection::Connection
impl Debug for IdAllocator
impl Debug for IdsExhausted
impl Debug for PacketReader
impl Debug for ParsedDisplay
impl Debug for EnableReply
impl Debug for EnableRequest
impl Debug for x11rb_protocol::protocol::ge::QueryVersionReply
impl Debug for x11rb_protocol::protocol::ge::QueryVersionRequest
impl Debug for AddOutputModeRequest
impl Debug for ChangeOutputPropertyRequest<'_>
impl Debug for ChangeProviderPropertyRequest<'_>
impl Debug for ConfigureOutputPropertyRequest<'_>
impl Debug for ConfigureProviderPropertyRequest<'_>
impl Debug for x11rb_protocol::protocol::randr::Connection
impl Debug for CreateLeaseReply
impl Debug for CreateLeaseRequest<'_>
impl Debug for CreateModeReply
impl Debug for CreateModeRequest<'_>
impl Debug for CrtcChange
impl Debug for DeleteMonitorRequest
impl Debug for DeleteOutputModeRequest
impl Debug for DeleteOutputPropertyRequest
impl Debug for DeleteProviderPropertyRequest
impl Debug for DestroyModeRequest
impl Debug for FreeLeaseRequest
impl Debug for GetCrtcGammaReply
impl Debug for GetCrtcGammaRequest
impl Debug for GetCrtcGammaSizeReply
impl Debug for GetCrtcGammaSizeRequest
impl Debug for GetCrtcInfoReply
impl Debug for GetCrtcInfoRequest
impl Debug for GetCrtcTransformReply
impl Debug for GetCrtcTransformRequest
impl Debug for GetMonitorsReply
impl Debug for GetMonitorsRequest
impl Debug for GetOutputInfoReply
impl Debug for GetOutputInfoRequest
impl Debug for GetOutputPrimaryReply
impl Debug for GetOutputPrimaryRequest
impl Debug for GetOutputPropertyReply
impl Debug for GetOutputPropertyRequest
impl Debug for GetPanningReply
impl Debug for GetPanningRequest
impl Debug for GetProviderInfoReply
impl Debug for GetProviderInfoRequest
impl Debug for GetProviderPropertyReply
impl Debug for GetProviderPropertyRequest
impl Debug for GetProvidersReply
impl Debug for GetProvidersRequest
impl Debug for GetScreenInfoReply
impl Debug for GetScreenInfoRequest
impl Debug for GetScreenResourcesCurrentReply
impl Debug for GetScreenResourcesCurrentRequest
impl Debug for GetScreenResourcesReply
impl Debug for GetScreenResourcesRequest
impl Debug for GetScreenSizeRangeReply
impl Debug for GetScreenSizeRangeRequest
impl Debug for LeaseNotify
impl Debug for ListOutputPropertiesReply
impl Debug for ListOutputPropertiesRequest
impl Debug for ListProviderPropertiesReply
impl Debug for ListProviderPropertiesRequest
impl Debug for ModeFlag
impl Debug for ModeInfo
impl Debug for MonitorInfo
impl Debug for Notify
impl Debug for NotifyData
impl Debug for x11rb_protocol::protocol::randr::NotifyEvent
impl Debug for NotifyMask
impl Debug for OutputChange
impl Debug for OutputProperty
impl Debug for ProviderCapability
impl Debug for ProviderChange
impl Debug for ProviderProperty
impl Debug for QueryOutputPropertyReply
impl Debug for QueryOutputPropertyRequest
impl Debug for QueryProviderPropertyReply
impl Debug for QueryProviderPropertyRequest
impl Debug for x11rb_protocol::protocol::randr::QueryVersionReply
impl Debug for x11rb_protocol::protocol::randr::QueryVersionRequest
impl Debug for RefreshRates
impl Debug for ResourceChange
impl Debug for Rotation
impl Debug for ScreenChangeNotifyEvent
impl Debug for ScreenSize
impl Debug for x11rb_protocol::protocol::randr::SelectInputRequest
impl Debug for SetConfig
impl Debug for SetCrtcConfigReply
impl Debug for SetCrtcConfigRequest<'_>
impl Debug for SetCrtcGammaRequest<'_>
impl Debug for SetCrtcTransformRequest<'_>
impl Debug for SetMonitorRequest
impl Debug for SetOutputPrimaryRequest
impl Debug for SetPanningReply
impl Debug for SetPanningRequest
impl Debug for SetProviderOffloadSinkRequest
impl Debug for SetProviderOutputSourceRequest
impl Debug for SetScreenConfigReply
impl Debug for SetScreenConfigRequest
impl Debug for SetScreenSizeRequest
impl Debug for x11rb_protocol::protocol::randr::Transform
impl Debug for AddGlyphsRequest<'_>
impl Debug for AddTrapsRequest<'_>
impl Debug for Animcursorelt
impl Debug for CP
impl Debug for ChangePictureAux
impl Debug for ChangePictureRequest<'_>
impl Debug for x11rb_protocol::protocol::render::Color
impl Debug for CompositeGlyphs8Request<'_>
impl Debug for CompositeGlyphs16Request<'_>
impl Debug for CompositeGlyphs32Request<'_>
impl Debug for CompositeRequest
impl Debug for CreateAnimCursorRequest<'_>
impl Debug for CreateConicalGradientRequest<'_>
impl Debug for x11rb_protocol::protocol::render::CreateCursorRequest
impl Debug for CreateGlyphSetRequest
impl Debug for CreateLinearGradientRequest<'_>
impl Debug for CreatePictureAux
impl Debug for CreatePictureRequest<'_>
impl Debug for CreateRadialGradientRequest<'_>
impl Debug for CreateSolidFillRequest
impl Debug for Directformat
impl Debug for FillRectanglesRequest<'_>
impl Debug for FreeGlyphSetRequest
impl Debug for FreeGlyphsRequest<'_>
impl Debug for FreePictureRequest
impl Debug for Glyphinfo
impl Debug for Indexvalue
impl Debug for Linefix
impl Debug for PictOp
impl Debug for PictType
impl Debug for Pictdepth
impl Debug for Pictforminfo
impl Debug for Pictscreen
impl Debug for PictureEnum
impl Debug for Pictvisual
impl Debug for Pointfix
impl Debug for PolyEdge
impl Debug for PolyMode
impl Debug for QueryFiltersReply
impl Debug for QueryFiltersRequest
impl Debug for QueryPictFormatsReply
impl Debug for QueryPictFormatsRequest
impl Debug for QueryPictIndexValuesReply
impl Debug for QueryPictIndexValuesRequest
impl Debug for x11rb_protocol::protocol::render::QueryVersionReply
impl Debug for x11rb_protocol::protocol::render::QueryVersionRequest
impl Debug for ReferenceGlyphSetRequest
impl Debug for x11rb_protocol::protocol::render::Repeat
impl Debug for SetPictureClipRectanglesRequest<'_>
impl Debug for SetPictureFilterRequest<'_>
impl Debug for SetPictureTransformRequest
impl Debug for Spanfix
impl Debug for SubPixel
impl Debug for x11rb_protocol::protocol::render::Transform
impl Debug for Trap
impl Debug for Trapezoid
impl Debug for TrapezoidsRequest<'_>
impl Debug for TriFanRequest<'_>
impl Debug for TriStripRequest<'_>
impl Debug for x11rb_protocol::protocol::render::Triangle
impl Debug for TrianglesRequest<'_>
impl Debug for CombineRequest
impl Debug for GetRectanglesReply
impl Debug for GetRectanglesRequest
impl Debug for InputSelectedReply
impl Debug for InputSelectedRequest
impl Debug for MaskRequest
impl Debug for x11rb_protocol::protocol::shape::NotifyEvent
impl Debug for OffsetRequest
impl Debug for QueryExtentsReply
impl Debug for QueryExtentsRequest
impl Debug for x11rb_protocol::protocol::shape::QueryVersionReply
impl Debug for x11rb_protocol::protocol::shape::QueryVersionRequest
impl Debug for RectanglesRequest<'_>
impl Debug for SK
impl Debug for SO
impl Debug for x11rb_protocol::protocol::shape::SelectInputRequest
impl Debug for AttachFdRequest
impl Debug for AttachRequest
impl Debug for CompletionEvent
impl Debug for x11rb_protocol::protocol::shm::CreatePixmapRequest
impl Debug for CreateSegmentReply
impl Debug for CreateSegmentRequest
impl Debug for DetachRequest
impl Debug for x11rb_protocol::protocol::shm::GetImageReply
impl Debug for x11rb_protocol::protocol::shm::GetImageRequest
impl Debug for x11rb_protocol::protocol::shm::PutImageRequest
impl Debug for x11rb_protocol::protocol::shm::QueryVersionReply
impl Debug for x11rb_protocol::protocol::shm::QueryVersionRequest
impl Debug for GetVersionReply
impl Debug for GetVersionRequest
impl Debug for GetXIDListReply
impl Debug for GetXIDListRequest
impl Debug for GetXIDRangeReply
impl Debug for GetXIDRangeRequest
impl Debug for BarrierDirections
impl Debug for ChangeCursorByNameRequest<'_>
impl Debug for ChangeCursorRequest
impl Debug for x11rb_protocol::protocol::xfixes::ChangeSaveSetRequest
impl Debug for ClientDisconnectFlags
impl Debug for CopyRegionRequest
impl Debug for CreatePointerBarrierRequest<'_>
impl Debug for CreateRegionFromBitmapRequest
impl Debug for CreateRegionFromGCRequest
impl Debug for CreateRegionFromPictureRequest
impl Debug for CreateRegionFromWindowRequest
impl Debug for CreateRegionRequest<'_>
impl Debug for CursorNotify
impl Debug for CursorNotifyEvent
impl Debug for CursorNotifyMask
impl Debug for DeletePointerBarrierRequest
impl Debug for DestroyRegionRequest
impl Debug for ExpandRegionRequest
impl Debug for FetchRegionReply
impl Debug for FetchRegionRequest
impl Debug for GetClientDisconnectModeReply
impl Debug for GetClientDisconnectModeRequest
impl Debug for GetCursorImageAndNameReply
impl Debug for GetCursorImageAndNameRequest
impl Debug for GetCursorImageReply
impl Debug for GetCursorImageRequest
impl Debug for GetCursorNameReply
impl Debug for GetCursorNameRequest
impl Debug for HideCursorRequest
impl Debug for IntersectRegionRequest
impl Debug for InvertRegionRequest
impl Debug for x11rb_protocol::protocol::xfixes::QueryVersionReply
impl Debug for x11rb_protocol::protocol::xfixes::QueryVersionRequest
impl Debug for RegionEnum
impl Debug for RegionExtentsRequest
impl Debug for SaveSetMapping
impl Debug for SaveSetMode
impl Debug for SaveSetTarget
impl Debug for SelectCursorInputRequest
impl Debug for SelectSelectionInputRequest
impl Debug for SelectionEvent
impl Debug for SelectionEventMask
impl Debug for x11rb_protocol::protocol::xfixes::SelectionNotifyEvent
impl Debug for SetClientDisconnectModeRequest
impl Debug for SetCursorNameRequest<'_>
impl Debug for SetGCClipRegionRequest
impl Debug for SetPictureClipRegionRequest
impl Debug for SetRegionRequest<'_>
impl Debug for SetWindowShapeRegionRequest
impl Debug for ShowCursorRequest
impl Debug for SubtractRegionRequest
impl Debug for TranslateRegionRequest
impl Debug for UnionRegionRequest
impl Debug for AddMaster
impl Debug for AllowDeviceEventsRequest
impl Debug for AttachSlave
impl Debug for AxisInfo
impl Debug for BarrierFlags
impl Debug for BarrierHitEvent
impl Debug for BarrierReleasePointerInfo
impl Debug for BellFeedbackCtl
impl Debug for BellFeedbackState
impl Debug for ButtonClass
impl Debug for ButtonInfo
impl Debug for x11rb_protocol::protocol::xinput::ButtonPressEvent
impl Debug for x11rb_protocol::protocol::xinput::ButtonState
impl Debug for ChangeDevice
impl Debug for ChangeDeviceControlReply
impl Debug for ChangeDeviceControlRequest
impl Debug for ChangeDeviceDontPropagateListRequest<'_>
impl Debug for ChangeDeviceKeyMappingRequest<'_>
impl Debug for ChangeDeviceNotifyEvent
impl Debug for ChangeDevicePropertyRequest<'_>
impl Debug for ChangeFeedbackControlMask
impl Debug for ChangeFeedbackControlRequest
impl Debug for ChangeKeyboardDeviceReply
impl Debug for ChangeKeyboardDeviceRequest
impl Debug for ChangeMode
impl Debug for ChangePointerDeviceReply
impl Debug for ChangePointerDeviceRequest
impl Debug for ChangeReason
impl Debug for ClassesReportedMask
impl Debug for CloseDeviceRequest
impl Debug for DeleteDevicePropertyRequest
impl Debug for DetachSlave
impl Debug for x11rb_protocol::protocol::xinput::Device
impl Debug for DeviceAbsAreaCtrl
impl Debug for DeviceAbsAreaState
impl Debug for DeviceAbsCalibCtl
impl Debug for DeviceAbsCalibState
impl Debug for DeviceBellRequest
impl Debug for DeviceButtonStateNotifyEvent
impl Debug for DeviceChange
impl Debug for DeviceChangedEvent
impl Debug for DeviceClass
impl Debug for DeviceClassDataButton
impl Debug for DeviceClassDataGesture
impl Debug for DeviceClassDataKey
impl Debug for DeviceClassDataScroll
impl Debug for DeviceClassDataTouch
impl Debug for DeviceClassDataValuator
impl Debug for DeviceClassType
impl Debug for DeviceControl
impl Debug for DeviceCoreCtrl
impl Debug for DeviceCoreState
impl Debug for DeviceCtl
impl Debug for DeviceCtlDataAbsArea
impl Debug for DeviceCtlDataAbsCalib
impl Debug for DeviceCtlDataCore
impl Debug for DeviceCtlDataResolution
impl Debug for DeviceEnableCtrl
impl Debug for DeviceEnableState
impl Debug for DeviceFocusInEvent
impl Debug for DeviceInfo
impl Debug for DeviceInputMode
impl Debug for DeviceKeyPressEvent
impl Debug for DeviceKeyStateNotifyEvent
impl Debug for DeviceMappingNotifyEvent
impl Debug for DeviceName
impl Debug for DevicePresenceNotifyEvent
impl Debug for DevicePropertyNotifyEvent
impl Debug for DeviceResolutionCtl
impl Debug for DeviceResolutionState
impl Debug for DeviceState
impl Debug for DeviceStateDataAbsArea
impl Debug for DeviceStateDataAbsCalib
impl Debug for DeviceStateDataCore
impl Debug for DeviceStateDataResolution
impl Debug for DeviceStateNotifyEvent
impl Debug for DeviceTimeCoord
impl Debug for DeviceType
impl Debug for DeviceUse
impl Debug for DeviceValuatorEvent
impl Debug for EnterEvent
impl Debug for EventForSend
impl Debug for x11rb_protocol::protocol::xinput::EventMask
impl Debug for EventMode
impl Debug for FeedbackClass
impl Debug for FeedbackCtl
impl Debug for FeedbackCtlDataBell
impl Debug for FeedbackCtlDataInteger
impl Debug for FeedbackCtlDataKeyboard
impl Debug for FeedbackCtlDataLed
impl Debug for FeedbackCtlDataPointer
impl Debug for FeedbackCtlDataString
impl Debug for FeedbackState
impl Debug for FeedbackStateDataBell
impl Debug for FeedbackStateDataInteger
impl Debug for FeedbackStateDataKeyboard
impl Debug for FeedbackStateDataLed
impl Debug for FeedbackStateDataPointer
impl Debug for FeedbackStateDataString
impl Debug for Fp3232
impl Debug for GestureClass
impl Debug for GesturePinchBeginEvent
impl Debug for GesturePinchEventFlags
impl Debug for GestureSwipeBeginEvent
impl Debug for GestureSwipeEventFlags
impl Debug for GetDeviceButtonMappingReply
impl Debug for GetDeviceButtonMappingRequest
impl Debug for GetDeviceControlReply
impl Debug for GetDeviceControlRequest
impl Debug for GetDeviceDontPropagateListReply
impl Debug for GetDeviceDontPropagateListRequest
impl Debug for GetDeviceFocusReply
impl Debug for GetDeviceFocusRequest
impl Debug for GetDeviceKeyMappingReply
impl Debug for GetDeviceKeyMappingRequest
impl Debug for GetDeviceModifierMappingReply
impl Debug for GetDeviceModifierMappingRequest
impl Debug for GetDeviceMotionEventsReply
impl Debug for GetDeviceMotionEventsRequest
impl Debug for GetDevicePropertyReply
impl Debug for GetDevicePropertyRequest
impl Debug for GetExtensionVersionReply
impl Debug for GetExtensionVersionRequest<'_>
impl Debug for GetFeedbackControlReply
impl Debug for GetFeedbackControlRequest
impl Debug for GetSelectedExtensionEventsReply
impl Debug for GetSelectedExtensionEventsRequest
impl Debug for GrabDeviceButtonRequest<'_>
impl Debug for GrabDeviceKeyRequest<'_>
impl Debug for GrabDeviceReply
impl Debug for GrabDeviceRequest<'_>
impl Debug for GrabMode22
impl Debug for GrabModifierInfo
impl Debug for GrabOwner
impl Debug for GrabType
impl Debug for GroupInfo
impl Debug for HierarchyChange
impl Debug for HierarchyChangeDataAddMaster
impl Debug for HierarchyChangeDataAttachSlave
impl Debug for HierarchyChangeDataDetachSlave
impl Debug for HierarchyChangeDataRemoveMaster
impl Debug for HierarchyChangeType
impl Debug for HierarchyEvent
impl Debug for HierarchyInfo
impl Debug for HierarchyMask
impl Debug for InputClass
impl Debug for InputClassInfo
impl Debug for InputInfo
impl Debug for InputInfoInfoButton
impl Debug for InputInfoInfoKey
impl Debug for InputInfoInfoValuator
impl Debug for InputState
impl Debug for InputStateDataButton
impl Debug for InputStateDataKey
impl Debug for InputStateDataValuator
impl Debug for IntegerFeedbackCtl
impl Debug for IntegerFeedbackState
impl Debug for KbdFeedbackCtl
impl Debug for KbdFeedbackState
impl Debug for KeyClass
impl Debug for KeyEventFlags
impl Debug for KeyInfo
impl Debug for x11rb_protocol::protocol::xinput::KeyPressEvent
impl Debug for x11rb_protocol::protocol::xinput::KeyState
impl Debug for LedFeedbackCtl
impl Debug for LedFeedbackState
impl Debug for ListDevicePropertiesReply
impl Debug for ListDevicePropertiesRequest
impl Debug for ListInputDevicesReply
impl Debug for ListInputDevicesRequest
impl Debug for ModifierDevice
impl Debug for ModifierInfo
impl Debug for ModifierMask
impl Debug for MoreEventsMask
impl Debug for x11rb_protocol::protocol::xinput::NotifyDetail
impl Debug for x11rb_protocol::protocol::xinput::NotifyMode
impl Debug for OpenDeviceReply
impl Debug for OpenDeviceRequest
impl Debug for PointerEventFlags
impl Debug for PropagateMode
impl Debug for PropertyEvent
impl Debug for PropertyFlag
impl Debug for PropertyFormat
impl Debug for PtrFeedbackCtl
impl Debug for PtrFeedbackState
impl Debug for QueryDeviceStateReply
impl Debug for QueryDeviceStateRequest
impl Debug for RawButtonPressEvent
impl Debug for RawKeyPressEvent
impl Debug for RawTouchBeginEvent
impl Debug for RemoveMaster
impl Debug for ScrollClass
impl Debug for ScrollFlags
impl Debug for x11rb_protocol::protocol::xinput::ScrollType
impl Debug for SelectExtensionEventRequest<'_>
impl Debug for SendExtensionEventRequest<'_>
impl Debug for SetDeviceButtonMappingReply
impl Debug for SetDeviceButtonMappingRequest<'_>
impl Debug for SetDeviceFocusRequest
impl Debug for SetDeviceModeReply
impl Debug for SetDeviceModeRequest
impl Debug for SetDeviceModifierMappingReply
impl Debug for SetDeviceModifierMappingRequest<'_>
impl Debug for SetDeviceValuatorsReply
impl Debug for SetDeviceValuatorsRequest<'_>
impl Debug for StringFeedbackCtl
impl Debug for StringFeedbackState
impl Debug for TouchBeginEvent
impl Debug for TouchClass
impl Debug for TouchEventFlags
impl Debug for TouchMode
impl Debug for TouchOwnershipEvent
impl Debug for TouchOwnershipFlags
impl Debug for UngrabDeviceButtonRequest
impl Debug for UngrabDeviceKeyRequest
impl Debug for UngrabDeviceRequest
impl Debug for ValuatorClass
impl Debug for ValuatorInfo
impl Debug for ValuatorMode
impl Debug for ValuatorState
impl Debug for ValuatorStateModeMask
impl Debug for XIAllowEventsRequest
impl Debug for XIBarrierReleasePointerRequest<'_>
impl Debug for XIChangeCursorRequest
impl Debug for XIChangeHierarchyRequest<'_>
impl Debug for XIChangePropertyRequest<'_>
impl Debug for XIDeletePropertyRequest
impl Debug for x11rb_protocol::protocol::xinput::XIDeviceInfo
impl Debug for x11rb_protocol::protocol::xinput::XIEventMask
impl Debug for XIGetClientPointerReply
impl Debug for XIGetClientPointerRequest
impl Debug for XIGetFocusReply
impl Debug for XIGetFocusRequest
impl Debug for XIGetPropertyReply
impl Debug for XIGetPropertyRequest
impl Debug for XIGetSelectedEventsReply
impl Debug for XIGetSelectedEventsRequest
impl Debug for XIGrabDeviceReply
impl Debug for XIGrabDeviceRequest<'_>
impl Debug for XIListPropertiesReply
impl Debug for XIListPropertiesRequest
impl Debug for XIPassiveGrabDeviceReply
impl Debug for XIPassiveGrabDeviceRequest<'_>
impl Debug for XIPassiveUngrabDeviceRequest<'_>
impl Debug for XIQueryDeviceReply
impl Debug for XIQueryDeviceRequest
impl Debug for XIQueryPointerReply
impl Debug for XIQueryPointerRequest
impl Debug for XIQueryVersionReply
impl Debug for XIQueryVersionRequest
impl Debug for XISelectEventsRequest<'_>
impl Debug for XISetClientPointerRequest
impl Debug for XISetFocusRequest
impl Debug for XIUngrabDeviceRequest
impl Debug for XIWarpPointerRequest
impl Debug for AXNDetail
impl Debug for AXOption
impl Debug for AccessXNotifyEvent
impl Debug for x11rb_protocol::protocol::xkb::Action
impl Debug for ActionMessageEvent
impl Debug for ActionMessageFlag
impl Debug for Behavior
impl Debug for BehaviorType
impl Debug for BellClass
impl Debug for BellClassResult
impl Debug for BellNotifyEvent
impl Debug for x11rb_protocol::protocol::xkb::BellRequest
impl Debug for BoolCtrl
impl Debug for BoolCtrlsHigh
impl Debug for BoolCtrlsLow
impl Debug for CMDetail
impl Debug for CommonBehavior
impl Debug for CompatMapNotifyEvent
impl Debug for x11rb_protocol::protocol::xkb::Const
impl Debug for Control
impl Debug for ControlsNotifyEvent
impl Debug for CountedString16
impl Debug for DefaultBehavior
impl Debug for DeviceLedInfo
impl Debug for DoodadType
impl Debug for x11rb_protocol::protocol::xkb::Error
impl Debug for x11rb_protocol::protocol::xkb::EventType
impl Debug for Explicit
impl Debug for ExtensionDeviceNotifyEvent
impl Debug for GBNDetail
impl Debug for GetCompatMapReply
impl Debug for GetCompatMapRequest
impl Debug for GetControlsReply
impl Debug for GetControlsRequest
impl Debug for GetDeviceInfoReply
impl Debug for GetDeviceInfoRequest
impl Debug for GetIndicatorMapReply
impl Debug for GetIndicatorMapRequest
impl Debug for GetIndicatorStateReply
impl Debug for GetIndicatorStateRequest
impl Debug for GetKbdByNameReplies
impl Debug for GetKbdByNameRepliesCompatMap
impl Debug for GetKbdByNameRepliesGeometry
impl Debug for GetKbdByNameRepliesIndicatorMaps
impl Debug for GetKbdByNameRepliesKeyNames
impl Debug for GetKbdByNameRepliesKeyNamesValueList
impl Debug for GetKbdByNameRepliesKeyNamesValueListKTLevelNames
impl Debug for GetKbdByNameRepliesTypes
impl Debug for GetKbdByNameRepliesTypesMap
impl Debug for GetKbdByNameRepliesTypesMapKeyActions
impl Debug for GetKbdByNameReply
impl Debug for GetKbdByNameRequest
impl Debug for GetMapMap
impl Debug for GetMapMapKeyActions
impl Debug for GetMapReply
impl Debug for GetMapRequest
impl Debug for GetNamedIndicatorReply
impl Debug for GetNamedIndicatorRequest
impl Debug for GetNamesReply
impl Debug for GetNamesRequest
impl Debug for GetNamesValueList
impl Debug for GetNamesValueListKTLevelNames
impl Debug for GetStateReply
impl Debug for GetStateRequest
impl Debug for x11rb_protocol::protocol::xkb::Group
impl Debug for Groups
impl Debug for GroupsWrap
impl Debug for x11rb_protocol::protocol::xkb::ID
impl Debug for IMFlag
impl Debug for IMGroupsWhich
impl Debug for IMModsWhich
impl Debug for IndicatorMap
impl Debug for IndicatorMapNotifyEvent
impl Debug for IndicatorStateNotifyEvent
impl Debug for KTMapEntry
impl Debug for KTSetMapEntry
impl Debug for x11rb_protocol::protocol::xkb::Key
impl Debug for KeyAlias
impl Debug for KeyModMap
impl Debug for KeyName
impl Debug for KeySymMap
impl Debug for KeyType
impl Debug for KeyVModMap
impl Debug for LatchLockStateRequest
impl Debug for LedClass
impl Debug for LedClassResult
impl Debug for ListComponentsReply
impl Debug for ListComponentsRequest
impl Debug for Listing
impl Debug for LockDeviceFlags
impl Debug for x11rb_protocol::protocol::xkb::MapNotifyEvent
impl Debug for MapPart
impl Debug for ModDef
impl Debug for NKNDetail
impl Debug for NameDetail
impl Debug for NamesNotifyEvent
impl Debug for NewKeyboardNotifyEvent
impl Debug for x11rb_protocol::protocol::xkb::Outline
impl Debug for Overlay
impl Debug for OverlayBehavior
impl Debug for OverlayKey
impl Debug for OverlayRow
impl Debug for PerClientFlag
impl Debug for PerClientFlagsReply
impl Debug for PerClientFlagsRequest
impl Debug for RadioGroupBehavior
impl Debug for Row
impl Debug for SA
impl Debug for SAActionMessage
impl Debug for SADeviceBtn
impl Debug for SADeviceValuator
impl Debug for SAIsoLock
impl Debug for SAIsoLockFlag
impl Debug for SAIsoLockNoAffect
impl Debug for SALockDeviceBtn
impl Debug for SALockPtrBtn
impl Debug for SAMovePtr
impl Debug for SAMovePtrFlag
impl Debug for SANoAction
impl Debug for SAPtrBtn
impl Debug for SARedirectKey
impl Debug for SASetControls
impl Debug for SASetGroup
impl Debug for SASetMods
impl Debug for SASetPtrDflt
impl Debug for SASetPtrDfltFlag
impl Debug for SASwitchScreen
impl Debug for SATerminate
impl Debug for SAType
impl Debug for SAValWhat
impl Debug for SIAction
impl Debug for SelectEventsAux
impl Debug for SelectEventsAuxAccessXNotify
impl Debug for SelectEventsAuxActionMessage
impl Debug for SelectEventsAuxBellNotify
impl Debug for SelectEventsAuxCompatMapNotify
impl Debug for SelectEventsAuxControlsNotify
impl Debug for SelectEventsAuxExtensionDeviceNotify
impl Debug for SelectEventsAuxIndicatorMapNotify
impl Debug for SelectEventsAuxIndicatorStateNotify
impl Debug for SelectEventsAuxNamesNotify
impl Debug for SelectEventsAuxNewKeyboardNotify
impl Debug for SelectEventsAuxStateNotify
impl Debug for SelectEventsRequest<'_>
impl Debug for SetBehavior
impl Debug for SetCompatMapRequest<'_>
impl Debug for SetControlsRequest<'_>
impl Debug for SetDebuggingFlagsReply
impl Debug for SetDebuggingFlagsRequest<'_>
impl Debug for SetDeviceInfoRequest<'_>
impl Debug for SetExplicit
impl Debug for SetIndicatorMapRequest<'_>
impl Debug for SetKeyType
impl Debug for SetMapAux
impl Debug for SetMapAuxKeyActions
impl Debug for SetMapFlags
impl Debug for SetMapRequest<'_>
impl Debug for SetNamedIndicatorRequest
impl Debug for SetNamesAux
impl Debug for SetNamesAuxKTLevelNames
impl Debug for SetNamesRequest<'_>
impl Debug for SetOfGroup
impl Debug for SetOfGroups
impl Debug for x11rb_protocol::protocol::xkb::Shape
impl Debug for StateNotifyEvent
impl Debug for StatePart
impl Debug for SwitchScreenFlag
impl Debug for SymInterpMatch
impl Debug for SymInterpret
impl Debug for SymInterpretMatch
impl Debug for UseExtensionReply
impl Debug for UseExtensionRequest
impl Debug for VMod
impl Debug for VModsHigh
impl Debug for VModsLow
impl Debug for XIFeature
impl Debug for AccessControl
impl Debug for AllocColorCellsReply
impl Debug for AllocColorCellsRequest
impl Debug for AllocColorPlanesReply
impl Debug for AllocColorPlanesRequest
impl Debug for AllocColorReply
impl Debug for AllocColorRequest
impl Debug for AllocNamedColorReply
impl Debug for AllocNamedColorRequest<'_>
impl Debug for Allow
impl Debug for AllowEventsRequest
impl Debug for x11rb_protocol::protocol::xproto::Arc
impl Debug for ArcMode
impl Debug for AtomEnum
impl Debug for AutoRepeatMode
impl Debug for BackPixmap
impl Debug for BackingStore
impl Debug for x11rb_protocol::protocol::xproto::BellRequest
impl Debug for Blanking
impl Debug for ButtonIndex
impl Debug for ButtonMask
impl Debug for x11rb_protocol::protocol::xproto::ButtonPressEvent
impl Debug for CW
impl Debug for CapStyle
impl Debug for ChangeActivePointerGrabRequest
impl Debug for ChangeGCAux
impl Debug for ChangeGCRequest<'_>
impl Debug for ChangeHostsRequest<'_>
impl Debug for ChangeKeyboardControlAux
impl Debug for ChangeKeyboardControlRequest<'_>
impl Debug for ChangeKeyboardMappingRequest<'_>
impl Debug for ChangePointerControlRequest
impl Debug for ChangePropertyRequest<'_>
impl Debug for x11rb_protocol::protocol::xproto::ChangeSaveSetRequest
impl Debug for ChangeWindowAttributesAux
impl Debug for ChangeWindowAttributesRequest<'_>
impl Debug for Char2b
impl Debug for Charinfo
impl Debug for Circulate
impl Debug for CirculateNotifyEvent
impl Debug for CirculateWindowRequest
impl Debug for ClearAreaRequest
impl Debug for x11rb_protocol::protocol::xproto::ClientMessageData
impl Debug for ClientMessageEvent
impl Debug for ClipOrdering
impl Debug for CloseDown
impl Debug for CloseFontRequest
impl Debug for ColorFlag
impl Debug for Coloritem
impl Debug for ColormapAlloc
impl Debug for ColormapEnum
impl Debug for ColormapNotifyEvent
impl Debug for ColormapState
impl Debug for ConfigWindow
impl Debug for ConfigureNotifyEvent
impl Debug for ConfigureRequestEvent
impl Debug for ConfigureWindowAux
impl Debug for ConfigureWindowRequest<'_>
impl Debug for ConvertSelectionRequest
impl Debug for CoordMode
impl Debug for CopyAreaRequest
impl Debug for CopyColormapAndFreeRequest
impl Debug for CopyGCRequest
impl Debug for CopyPlaneRequest
impl Debug for CreateColormapRequest
impl Debug for x11rb_protocol::protocol::xproto::CreateCursorRequest
impl Debug for CreateGCAux
impl Debug for CreateGCRequest<'_>
impl Debug for CreateGlyphCursorRequest
impl Debug for CreateNotifyEvent
impl Debug for x11rb_protocol::protocol::xproto::CreatePixmapRequest
impl Debug for CreateWindowAux
impl Debug for CreateWindowRequest<'_>
impl Debug for CursorEnum
impl Debug for DeletePropertyRequest
impl Debug for x11rb_protocol::protocol::xproto::Depth
impl Debug for DestroyNotifyEvent
impl Debug for DestroySubwindowsRequest
impl Debug for DestroyWindowRequest
impl Debug for EnterNotifyEvent
impl Debug for x11rb_protocol::protocol::xproto::EventMask
impl Debug for ExposeEvent
impl Debug for Exposures
impl Debug for x11rb_protocol::protocol::xproto::Family
impl Debug for FillPolyRequest<'_>
impl Debug for x11rb_protocol::protocol::xproto::FillRule
impl Debug for FillStyle
impl Debug for FocusInEvent
impl Debug for FontDraw
impl Debug for FontEnum
impl Debug for Fontprop
impl Debug for ForceScreenSaverRequest
impl Debug for x11rb_protocol::protocol::xproto::Format
impl Debug for FreeColormapRequest
impl Debug for FreeColorsRequest<'_>
impl Debug for FreeCursorRequest
impl Debug for FreeGCRequest
impl Debug for FreePixmapRequest
impl Debug for GC
impl Debug for GX
impl Debug for GeGenericEvent
impl Debug for GetAtomNameReply
impl Debug for GetAtomNameRequest
impl Debug for GetFontPathReply
impl Debug for GetFontPathRequest
impl Debug for GetGeometryReply
impl Debug for GetGeometryRequest
impl Debug for x11rb_protocol::protocol::xproto::GetImageReply
impl Debug for x11rb_protocol::protocol::xproto::GetImageRequest
impl Debug for GetInputFocusReply
impl Debug for GetInputFocusRequest
impl Debug for GetKeyboardControlReply
impl Debug for GetKeyboardControlRequest
impl Debug for GetKeyboardMappingReply
impl Debug for GetKeyboardMappingRequest
impl Debug for GetModifierMappingReply
impl Debug for GetModifierMappingRequest
impl Debug for GetMotionEventsReply
impl Debug for GetMotionEventsRequest
impl Debug for GetPointerControlReply
impl Debug for GetPointerControlRequest
impl Debug for GetPointerMappingReply
impl Debug for GetPointerMappingRequest
impl Debug for GetPropertyReply
impl Debug for GetPropertyRequest
impl Debug for GetPropertyType
impl Debug for GetScreenSaverReply
impl Debug for GetScreenSaverRequest
impl Debug for GetSelectionOwnerReply
impl Debug for GetSelectionOwnerRequest
impl Debug for GetWindowAttributesReply
impl Debug for GetWindowAttributesRequest
impl Debug for Grab
impl Debug for GrabButtonRequest
impl Debug for GrabKeyRequest
impl Debug for GrabKeyboardReply
impl Debug for GrabKeyboardRequest
impl Debug for GrabMode
impl Debug for GrabPointerReply
impl Debug for GrabPointerRequest
impl Debug for GrabServerRequest
impl Debug for GrabStatus
impl Debug for GraphicsExposureEvent
impl Debug for x11rb_protocol::protocol::xproto::Gravity
impl Debug for GravityNotifyEvent
impl Debug for x11rb_protocol::protocol::xproto::Host
impl Debug for HostMode
impl Debug for x11rb_protocol::protocol::xproto::ImageFormat
impl Debug for ImageOrder
impl Debug for ImageText8Request<'_>
impl Debug for ImageText16Request<'_>
impl Debug for InputFocus
impl Debug for InstallColormapRequest
impl Debug for InternAtomReply
impl Debug for InternAtomRequest<'_>
impl Debug for JoinStyle
impl Debug for KB
impl Debug for KeyButMask
impl Debug for x11rb_protocol::protocol::xproto::KeyPressEvent
impl Debug for KeymapNotifyEvent
impl Debug for Kill
impl Debug for KillClientRequest
impl Debug for LedMode
impl Debug for LineStyle
impl Debug for ListExtensionsReply
impl Debug for ListExtensionsRequest
impl Debug for ListFontsReply
impl Debug for ListFontsRequest<'_>
impl Debug for ListFontsWithInfoReply
impl Debug for ListFontsWithInfoRequest<'_>
impl Debug for ListHostsReply
impl Debug for ListHostsRequest
impl Debug for ListInstalledColormapsReply
impl Debug for ListInstalledColormapsRequest
impl Debug for ListPropertiesReply
impl Debug for ListPropertiesRequest
impl Debug for LookupColorReply
impl Debug for LookupColorRequest<'_>
impl Debug for MapIndex
impl Debug for x11rb_protocol::protocol::xproto::MapNotifyEvent
impl Debug for MapRequestEvent
impl Debug for MapState
impl Debug for MapSubwindowsRequest
impl Debug for MapWindowRequest
impl Debug for Mapping
impl Debug for MappingNotifyEvent
impl Debug for MappingStatus
impl Debug for ModMask
impl Debug for Motion
impl Debug for MotionNotifyEvent
impl Debug for NoExposureEvent
impl Debug for NoOperationRequest
impl Debug for x11rb_protocol::protocol::xproto::NotifyDetail
impl Debug for x11rb_protocol::protocol::xproto::NotifyMode
impl Debug for OpenFontRequest<'_>
impl Debug for PixmapEnum
impl Debug for Place
impl Debug for x11rb_protocol::protocol::xproto::Point
impl Debug for PolyArcRequest<'_>
impl Debug for PolyFillArcRequest<'_>
impl Debug for PolyFillRectangleRequest<'_>
impl Debug for PolyLineRequest<'_>
impl Debug for PolyPointRequest<'_>
impl Debug for PolyRectangleRequest<'_>
impl Debug for PolySegmentRequest<'_>
impl Debug for PolyShape
impl Debug for PolyText8Request<'_>
impl Debug for PolyText16Request<'_>
impl Debug for PropMode
impl Debug for x11rb_protocol::protocol::xproto::Property
impl Debug for PropertyNotifyEvent
impl Debug for x11rb_protocol::protocol::xproto::PutImageRequest<'_>
impl Debug for QueryBestSizeReply
impl Debug for QueryBestSizeRequest
impl Debug for QueryColorsReply
impl Debug for QueryColorsRequest<'_>
impl Debug for QueryExtensionReply
impl Debug for QueryExtensionRequest<'_>
impl Debug for QueryFontReply
impl Debug for QueryFontRequest
impl Debug for QueryKeymapReply
impl Debug for QueryKeymapRequest
impl Debug for QueryPointerReply
impl Debug for QueryPointerRequest
impl Debug for QueryShapeOf
impl Debug for QueryTextExtentsReply
impl Debug for QueryTextExtentsRequest<'_>
impl Debug for QueryTreeReply
impl Debug for QueryTreeRequest
impl Debug for RecolorCursorRequest
impl Debug for Rectangle
impl Debug for ReparentNotifyEvent
impl Debug for ReparentWindowRequest
impl Debug for ResizeRequestEvent
impl Debug for x11rb_protocol::protocol::xproto::Rgb
impl Debug for RotatePropertiesRequest<'_>
impl Debug for x11rb_protocol::protocol::xproto::Screen
impl Debug for ScreenSaver
impl Debug for Segment
impl Debug for SelectionClearEvent
impl Debug for x11rb_protocol::protocol::xproto::SelectionNotifyEvent
impl Debug for SelectionRequestEvent
impl Debug for SendEventDest
impl Debug for SendEventRequest<'_>
impl Debug for SetAccessControlRequest
impl Debug for SetClipRectanglesRequest<'_>
impl Debug for SetCloseDownModeRequest
impl Debug for SetDashesRequest<'_>
impl Debug for SetFontPathRequest<'_>
impl Debug for SetInputFocusRequest
impl Debug for SetMode
impl Debug for SetModifierMappingReply
impl Debug for SetModifierMappingRequest<'_>
impl Debug for SetPointerMappingReply
impl Debug for SetPointerMappingRequest<'_>
impl Debug for SetScreenSaverRequest
impl Debug for SetSelectionOwnerRequest
impl Debug for Setup
impl Debug for SetupAuthenticate
impl Debug for SetupFailed
impl Debug for SetupRequest
impl Debug for StackMode
impl Debug for StoreColorsRequest<'_>
impl Debug for StoreNamedColorRequest<'_>
impl Debug for x11rb_protocol::protocol::xproto::Str
impl Debug for SubwindowMode
impl Debug for Time
impl Debug for Timecoord
impl Debug for TranslateCoordinatesReply
impl Debug for TranslateCoordinatesRequest
impl Debug for UngrabButtonRequest
impl Debug for UngrabKeyRequest
impl Debug for UngrabKeyboardRequest
impl Debug for UngrabPointerRequest
impl Debug for UngrabServerRequest
impl Debug for UninstallColormapRequest
impl Debug for UnmapNotifyEvent
impl Debug for UnmapSubwindowsRequest
impl Debug for UnmapWindowRequest
impl Debug for x11rb_protocol::protocol::xproto::Visibility
impl Debug for VisibilityNotifyEvent
impl Debug for VisualClass
impl Debug for Visualtype
impl Debug for WarpPointerRequest
impl Debug for WindowClass
impl Debug for WindowEnum
impl Debug for x11rb_protocol::resource_manager::Database
impl Debug for ExtensionInformation
impl Debug for RequestHeader
impl Debug for X11Error
impl Debug for x11rb_protocol::xauth::Family
impl Debug for ExtensionManager
impl Debug for x11rb::properties::AspectRatio
impl Debug for WmClass
impl Debug for WmHints
impl Debug for WmSizeHints
impl Debug for DefaultStream
impl Debug for CSlice
impl Debug for XCBConnection
impl Debug for xcursor::parser::Image
impl Debug for xcursor::CursorTheme
impl Debug for xkeysym::KeyCode
impl Debug for Keysym
impl Debug for xmlwriter::Options
impl Debug for Address
impl Debug for Tcp
impl Debug for Unix
impl Debug for Unixexec
impl Debug for zbus::connection::Connection
impl Debug for ConnectionCredentials
impl Debug for NameAcquired
impl Debug for NameAcquiredStream
impl Debug for NameLost
impl Debug for NameLostStream
impl Debug for NameOwnerChanged
impl Debug for NameOwnerChangedStream
impl Debug for InterfacesAdded
impl Debug for InterfacesAddedStream
impl Debug for InterfacesRemoved
impl Debug for InterfacesRemovedStream
impl Debug for ObjectManager
impl Debug for PropertiesChanged
impl Debug for PropertiesChangedStream
impl Debug for OwnedGuid
impl Debug for OwnedMatchRule
impl Debug for Body
impl Debug for PrimaryHeader
impl Debug for zbus::message::Message
impl Debug for zbus::message::Sequence
impl Debug for MessageStream
impl Debug for ObjectServer
impl Debug for OwnedBusName
impl Debug for OwnedErrorName
impl Debug for OwnedInterfaceName
impl Debug for OwnedMemberName
impl Debug for OwnedPropertyName
impl Debug for OwnedUniqueName
impl Debug for OwnedWellKnownName
impl Debug for zerocopy::error::AllocError
impl Debug for AsciiProbeResult
impl Debug for CharULE
impl Debug for Index8
impl Debug for Index16
impl Debug for Index32
impl Debug for DecoderOptions
impl Debug for EncoderOptions
impl Debug for zvariant::fd::OwnedFd
impl Debug for ObjectPath<'_>
impl Debug for OwnedObjectPath
impl Debug for OwnedValue
impl Debug for zvariant::serialized::context::Context
impl Debug for zvariant::serialized::size::Size
impl Debug for Written
impl Debug for zvariant::str::Str<'_>
impl Debug for OwnedStructure
impl Debug for OwnedStructureSeed
impl Debug for Arguments<'_>
impl Debug for layer_shika::wayland_client::backend::smallvec::alloc::fmt::Error
impl Debug for FormattingOptions
impl Debug for __c_anonymous_ptrace_syscall_info_data
impl Debug for __c_anonymous_ifc_ifcu
impl Debug for __c_anonymous_ifr_ifru
impl Debug for __c_anonymous_iwreq
impl Debug for __c_anonymous_ptp_perout_request_1
impl Debug for __c_anonymous_ptp_perout_request_2
impl Debug for __c_anonymous_sockaddr_can_can_addr
impl Debug for __c_anonymous_xsk_tx_metadata_union
impl Debug for iwreq_data
impl Debug for tpacket_bd_header_u
impl Debug for tpacket_req_u
impl Debug for SockaddrStorage
impl Debug for XEvent
impl Debug for dyn ObjectData
impl Debug for dyn Any
impl Debug for dyn Any + Send
impl Debug for dyn Any + Send + Sync
impl Debug for dyn Value
impl Debug for dyn ObjectData
impl Debug for dyn ClientData
impl<'a> Debug for layer_shika::sctk::protocols::ext::data_control::v1::client::ext_data_control_device_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::ext::data_control::v1::client::ext_data_control_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::ext::data_control::v1::client::ext_data_control_offer_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::ext::data_control::v1::client::ext_data_control_source_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::ext::foreign_toplevel_list::v1::client::ext_foreign_toplevel_handle_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::ext::foreign_toplevel_list::v1::client::ext_foreign_toplevel_list_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::ext::idle_notify::v1::client::ext_idle_notification_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::ext::idle_notify::v1::client::ext_idle_notifier_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::ext::image_capture_source::v1::client::ext_foreign_toplevel_image_capture_source_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::ext::image_capture_source::v1::client::ext_image_capture_source_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::ext::image_capture_source::v1::client::ext_output_image_capture_source_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::ext::image_copy_capture::v1::client::ext_image_copy_capture_cursor_session_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::ext::image_copy_capture::v1::client::ext_image_copy_capture_frame_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::ext::image_copy_capture::v1::client::ext_image_copy_capture_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::ext::image_copy_capture::v1::client::ext_image_copy_capture_session_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::ext::session_lock::v1::client::ext_session_lock_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::ext::session_lock::v1::client::ext_session_lock_surface_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::ext::session_lock::v1::client::ext_session_lock_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::ext::transient_seat::v1::client::ext_transient_seat_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::ext::transient_seat::v1::client::ext_transient_seat_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::ext::workspace::v1::client::ext_workspace_group_handle_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::ext::workspace::v1::client::ext_workspace_handle_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::ext::workspace::v1::client::ext_workspace_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::alpha_modifier::v1::client::wp_alpha_modifier_surface_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::alpha_modifier::v1::client::wp_alpha_modifier_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::color_management::v1::client::wp_color_management_output_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::color_management::v1::client::wp_color_management_surface_feedback_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::color_management::v1::client::wp_color_management_surface_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::color_management::v1::client::wp_color_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::color_management::v1::client::wp_image_description_creator_icc_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::color_management::v1::client::wp_image_description_creator_params_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::color_management::v1::client::wp_image_description_info_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::color_management::v1::client::wp_image_description_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::color_representation::v1::client::wp_color_representation_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::color_representation::v1::client::wp_color_representation_surface_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::commit_timing::v1::client::wp_commit_timer_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::commit_timing::v1::client::wp_commit_timing_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::content_type::v1::client::wp_content_type_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::content_type::v1::client::wp_content_type_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::cursor_shape::v1::client::wp_cursor_shape_device_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::cursor_shape::v1::client::wp_cursor_shape_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::drm_lease::v1::client::wp_drm_lease_connector_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::drm_lease::v1::client::wp_drm_lease_device_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::drm_lease::v1::client::wp_drm_lease_request_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::drm_lease::v1::client::wp_drm_lease_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::fifo::v1::client::wp_fifo_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::fifo::v1::client::wp_fifo_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::fractional_scale::v1::client::wp_fractional_scale_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::fractional_scale::v1::client::wp_fractional_scale_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::fullscreen_shell::zv1::client::zwp_fullscreen_shell_mode_feedback_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::fullscreen_shell::zv1::client::zwp_fullscreen_shell_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::idle_inhibit::zv1::client::zwp_idle_inhibit_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::idle_inhibit::zv1::client::zwp_idle_inhibitor_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::input_method::zv1::client::zwp_input_method_context_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::input_method::zv1::client::zwp_input_method_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::input_method::zv1::client::zwp_input_panel_surface_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::input_method::zv1::client::zwp_input_panel_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::input_timestamps::zv1::client::zwp_input_timestamps_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::input_timestamps::zv1::client::zwp_input_timestamps_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::keyboard_shortcuts_inhibit::zv1::client::zwp_keyboard_shortcuts_inhibit_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::keyboard_shortcuts_inhibit::zv1::client::zwp_keyboard_shortcuts_inhibitor_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::linux_dmabuf::zv1::client::zwp_linux_buffer_params_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::linux_dmabuf::zv1::client::zwp_linux_dmabuf_feedback_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::linux_dmabuf::zv1::client::zwp_linux_dmabuf_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::linux_drm_syncobj::v1::client::wp_linux_drm_syncobj_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::linux_drm_syncobj::v1::client::wp_linux_drm_syncobj_surface_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::linux_drm_syncobj::v1::client::wp_linux_drm_syncobj_timeline_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::linux_explicit_synchronization::zv1::client::zwp_linux_buffer_release_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::linux_explicit_synchronization::zv1::client::zwp_linux_explicit_synchronization_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::linux_explicit_synchronization::zv1::client::zwp_linux_surface_synchronization_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::pointer_constraints::zv1::client::zwp_confined_pointer_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::pointer_constraints::zv1::client::zwp_locked_pointer_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::pointer_constraints::zv1::client::zwp_pointer_constraints_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::pointer_gestures::zv1::client::zwp_pointer_gesture_hold_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::pointer_gestures::zv1::client::zwp_pointer_gesture_pinch_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::pointer_gestures::zv1::client::zwp_pointer_gesture_swipe_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::pointer_gestures::zv1::client::zwp_pointer_gestures_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::presentation_time::client::wp_presentation::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::presentation_time::client::wp_presentation_feedback::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::primary_selection::zv1::client::zwp_primary_selection_device_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::primary_selection::zv1::client::zwp_primary_selection_device_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::primary_selection::zv1::client::zwp_primary_selection_offer_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::primary_selection::zv1::client::zwp_primary_selection_source_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::relative_pointer::zv1::client::zwp_relative_pointer_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::relative_pointer::zv1::client::zwp_relative_pointer_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::security_context::v1::client::wp_security_context_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::security_context::v1::client::wp_security_context_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::single_pixel_buffer::v1::client::wp_single_pixel_buffer_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::tablet::zv1::client::zwp_tablet_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::tablet::zv1::client::zwp_tablet_seat_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::tablet::zv1::client::zwp_tablet_tool_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::tablet::zv1::client::zwp_tablet_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::tablet::zv2::client::zwp_tablet_manager_v2::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::tablet::zv2::client::zwp_tablet_pad_group_v2::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::tablet::zv2::client::zwp_tablet_pad_ring_v2::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::tablet::zv2::client::zwp_tablet_pad_strip_v2::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::tablet::zv2::client::zwp_tablet_pad_v2::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::tablet::zv2::client::zwp_tablet_seat_v2::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::tablet::zv2::client::zwp_tablet_tool_v2::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::tablet::zv2::client::zwp_tablet_v2::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::tearing_control::v1::client::wp_tearing_control_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::tearing_control::v1::client::wp_tearing_control_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::text_input::zv1::client::zwp_text_input_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::text_input::zv1::client::zwp_text_input_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::text_input::zv3::client::zwp_text_input_manager_v3::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::text_input::zv3::client::zwp_text_input_v3::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::viewporter::client::wp_viewport::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::wp::viewporter::client::wp_viewporter::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xdg::activation::v1::client::xdg_activation_token_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xdg::activation::v1::client::xdg_activation_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xdg::decoration::zv1::client::zxdg_decoration_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xdg::decoration::zv1::client::zxdg_toplevel_decoration_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xdg::dialog::v1::client::xdg_dialog_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xdg::dialog::v1::client::xdg_wm_dialog_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xdg::foreign::zv1::client::zxdg_exported_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xdg::foreign::zv1::client::zxdg_exporter_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xdg::foreign::zv1::client::zxdg_imported_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xdg::foreign::zv1::client::zxdg_importer_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xdg::foreign::zv2::client::zxdg_exported_v2::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xdg::foreign::zv2::client::zxdg_exporter_v2::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xdg::foreign::zv2::client::zxdg_imported_v2::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xdg::foreign::zv2::client::zxdg_importer_v2::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xdg::shell::client::xdg_popup::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xdg::shell::client::xdg_positioner::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xdg::shell::client::xdg_surface::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xdg::shell::client::xdg_toplevel::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xdg::shell::client::xdg_wm_base::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xdg::system_bell::v1::client::xdg_system_bell_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xdg::toplevel_drag::v1::client::xdg_toplevel_drag_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xdg::toplevel_drag::v1::client::xdg_toplevel_drag_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xdg::toplevel_icon::v1::client::xdg_toplevel_icon_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xdg::toplevel_icon::v1::client::xdg_toplevel_icon_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xdg::toplevel_tag::v1::client::xdg_toplevel_tag_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xdg::xdg_output::zv1::client::zxdg_output_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xdg::xdg_output::zv1::client::zxdg_output_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xwayland::keyboard_grab::zv1::client::zwp_xwayland_keyboard_grab_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xwayland::keyboard_grab::zv1::client::zwp_xwayland_keyboard_grab_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xwayland::shell::v1::client::xwayland_shell_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols::xwayland::shell::v1::client::xwayland_surface_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols_wlr::data_control::v1::client::zwlr_data_control_device_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols_wlr::data_control::v1::client::zwlr_data_control_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols_wlr::data_control::v1::client::zwlr_data_control_offer_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols_wlr::data_control::v1::client::zwlr_data_control_source_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols_wlr::export_dmabuf::v1::client::zwlr_export_dmabuf_frame_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols_wlr::export_dmabuf::v1::client::zwlr_export_dmabuf_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols_wlr::foreign_toplevel::v1::client::zwlr_foreign_toplevel_handle_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols_wlr::foreign_toplevel::v1::client::zwlr_foreign_toplevel_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols_wlr::gamma_control::v1::client::zwlr_gamma_control_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols_wlr::gamma_control::v1::client::zwlr_gamma_control_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols_wlr::input_inhibitor::v1::client::zwlr_input_inhibit_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols_wlr::input_inhibitor::v1::client::zwlr_input_inhibitor_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols_wlr::layer_shell::v1::client::zwlr_layer_shell_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols_wlr::layer_shell::v1::client::zwlr_layer_surface_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols_wlr::output_management::v1::client::zwlr_output_configuration_head_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols_wlr::output_management::v1::client::zwlr_output_configuration_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols_wlr::output_management::v1::client::zwlr_output_head_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols_wlr::output_management::v1::client::zwlr_output_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols_wlr::output_management::v1::client::zwlr_output_mode_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols_wlr::output_power_management::v1::client::zwlr_output_power_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols_wlr::output_power_management::v1::client::zwlr_output_power_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols_wlr::screencopy::v1::client::zwlr_screencopy_frame_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols_wlr::screencopy::v1::client::zwlr_screencopy_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols_wlr::virtual_pointer::v1::client::zwlr_virtual_pointer_manager_v1::Request<'a>
impl<'a> Debug for layer_shika::sctk::protocols_wlr::virtual_pointer::v1::client::zwlr_virtual_pointer_v1::Request<'a>
impl<'a> Debug for layer_shika::wayland_client::protocol::wl_buffer::Request<'a>
impl<'a> Debug for layer_shika::wayland_client::protocol::wl_callback::Request<'a>
impl<'a> Debug for layer_shika::wayland_client::protocol::wl_compositor::Request<'a>
impl<'a> Debug for layer_shika::wayland_client::protocol::wl_data_device::Request<'a>
impl<'a> Debug for layer_shika::wayland_client::protocol::wl_data_device_manager::Request<'a>
impl<'a> Debug for layer_shika::wayland_client::protocol::wl_data_offer::Request<'a>
impl<'a> Debug for layer_shika::wayland_client::protocol::wl_data_source::Request<'a>
impl<'a> Debug for layer_shika::wayland_client::protocol::wl_display::Request<'a>
impl<'a> Debug for layer_shika::wayland_client::protocol::wl_keyboard::Request<'a>
impl<'a> Debug for layer_shika::wayland_client::protocol::wl_output::Request<'a>
impl<'a> Debug for layer_shika::wayland_client::protocol::wl_pointer::Request<'a>
impl<'a> Debug for layer_shika::wayland_client::protocol::wl_region::Request<'a>
impl<'a> Debug for layer_shika::wayland_client::protocol::wl_registry::Request<'a>
impl<'a> Debug for layer_shika::wayland_client::protocol::wl_seat::Request<'a>
impl<'a> Debug for layer_shika::wayland_client::protocol::wl_shell::Request<'a>
impl<'a> Debug for layer_shika::wayland_client::protocol::wl_shell_surface::Request<'a>
impl<'a> Debug for layer_shika::wayland_client::protocol::wl_shm::Request<'a>
impl<'a> Debug for layer_shika::wayland_client::protocol::wl_shm_pool::Request<'a>
impl<'a> Debug for layer_shika::wayland_client::protocol::wl_subcompositor::Request<'a>
impl<'a> Debug for layer_shika::wayland_client::protocol::wl_subsurface::Request<'a>
impl<'a> Debug for layer_shika::wayland_client::protocol::wl_surface::Request<'a>
impl<'a> Debug for layer_shika::wayland_client::protocol::wl_touch::Request<'a>
impl<'a> Debug for Utf8Pattern<'a>
impl<'a> Debug for std::path::Component<'a>
impl<'a> Debug for Prefix<'a>
impl<'a> Debug for EventBody<'a>
impl<'a> Debug for chrono::format::Item<'a>
impl<'a> Debug for ImageSource<'a>
impl<'a> Debug for fontdb::Family<'a>
impl<'a> Debug for ControlMessage<'a>
impl<'a> Debug for DynamicClockId<'a>
impl<'a> Debug for rustix::process::wait::WaitId<'a>
impl<'a> Debug for rustix::process::wait::WaitId<'a>
impl<'a> Debug for Unexpected<'a>
impl<'a> Debug for AttributeOperator<'a>
impl<'a> Debug for PseudoClass<'a>
impl<'a> Debug for SelectorToken<'a>
impl<'a> Debug for ThemeSpec<'a>
impl<'a> Debug for FilterValue<'a>
impl<'a> Debug for svgtypes::paint::Paint<'a>
impl<'a> Debug for Shader<'a>
impl<'a> Debug for ttf_parser::ggg::chained_context::ChainedContextLookup<'a>
impl<'a> Debug for ttf_parser::ggg::chained_context::ChainedContextLookup<'a>
impl<'a> Debug for ttf_parser::ggg::context::ContextLookup<'a>
impl<'a> Debug for ttf_parser::ggg::context::ContextLookup<'a>
impl<'a> Debug for ttf_parser::ggg::ClassDefinition<'a>
impl<'a> Debug for ttf_parser::ggg::ClassDefinition<'a>
impl<'a> Debug for ttf_parser::ggg::Coverage<'a>
impl<'a> Debug for ttf_parser::ggg::Coverage<'a>
impl<'a> Debug for ttf_parser::tables::cmap::Format<'a>
impl<'a> Debug for ttf_parser::tables::cmap::Format<'a>
impl<'a> Debug for ttf_parser::tables::colr::Paint<'a>
impl<'a> Debug for ttf_parser::tables::colr::Paint<'a>
impl<'a> Debug for ttf_parser::tables::gpos::Device<'a>
impl<'a> Debug for ttf_parser::tables::gpos::Device<'a>
impl<'a> Debug for ttf_parser::tables::gpos::PairAdjustment<'a>
impl<'a> Debug for ttf_parser::tables::gpos::PairAdjustment<'a>
impl<'a> Debug for ttf_parser::tables::gpos::PositioningSubtable<'a>
impl<'a> Debug for ttf_parser::tables::gpos::PositioningSubtable<'a>
impl<'a> Debug for ttf_parser::tables::gpos::SingleAdjustment<'a>
impl<'a> Debug for ttf_parser::tables::gpos::SingleAdjustment<'a>
impl<'a> Debug for ttf_parser::tables::gsub::SingleSubstitution<'a>
impl<'a> Debug for ttf_parser::tables::gsub::SingleSubstitution<'a>
impl<'a> Debug for ttf_parser::tables::gsub::SubstitutionSubtable<'a>
impl<'a> Debug for ttf_parser::tables::gsub::SubstitutionSubtable<'a>
impl<'a> Debug for ttf_parser::tables::kern::Format<'a>
impl<'a> Debug for ttf_parser::tables::kern::Format<'a>
impl<'a> Debug for ttf_parser::tables::kerx::Format<'a>
impl<'a> Debug for ttf_parser::tables::loca::Table<'a>
impl<'a> Debug for ttf_parser::tables::loca::Table<'a>
impl<'a> Debug for SubtableKind<'a>
impl<'a> Debug for AxisValueSubtable<'a>
impl<'a> Debug for wayland_protocols_plasma::appmenu::generated::client::org_kde_kwin_appmenu::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::appmenu::generated::client::org_kde_kwin_appmenu_manager::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::blur::generated::client::org_kde_kwin_blur::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::blur::generated::client::org_kde_kwin_blur_manager::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::contrast::generated::client::org_kde_kwin_contrast::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::contrast::generated::client::org_kde_kwin_contrast_manager::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::dpms::generated::client::org_kde_kwin_dpms::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::dpms::generated::client::org_kde_kwin_dpms_manager::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::external_brightness::v1::generated::client::kde_external_brightness_device_v1::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::external_brightness::v1::generated::client::kde_external_brightness_v1::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::fake_input::generated::client::org_kde_kwin_fake_input::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::fullscreen_shell::generated::client::_wl_fullscreen_shell::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::fullscreen_shell::generated::client::_wl_fullscreen_shell_mode_feedback::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::idle::generated::client::org_kde_kwin_idle::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::idle::generated::client::org_kde_kwin_idle_timeout::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::keystate::generated::client::org_kde_kwin_keystate::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::lockscreen_overlay::v1::generated::client::kde_lockscreen_overlay_v1::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::output_device::v1::generated::client::org_kde_kwin_outputdevice::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::output_device::v2::generated::client::kde_output_device_mode_v2::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::output_device::v2::generated::client::kde_output_device_v2::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::output_management::v1::generated::client::org_kde_kwin_outputconfiguration::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::output_management::v1::generated::client::org_kde_kwin_outputmanagement::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::output_management::v2::generated::client::kde_output_configuration_v2::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::output_management::v2::generated::client::kde_output_management_v2::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::output_order::v1::generated::client::kde_output_order_v1::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::plasma_shell::generated::client::org_kde_plasma_shell::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::plasma_shell::generated::client::org_kde_plasma_surface::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::plasma_virtual_desktop::generated::client::org_kde_plasma_virtual_desktop::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::plasma_virtual_desktop::generated::client::org_kde_plasma_virtual_desktop_management::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::plasma_window_management::generated::client::org_kde_plasma_activation::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::plasma_window_management::generated::client::org_kde_plasma_activation_feedback::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::plasma_window_management::generated::client::org_kde_plasma_stacking_order::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::plasma_window_management::generated::client::org_kde_plasma_window::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::plasma_window_management::generated::client::org_kde_plasma_window_management::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::primary_output::v1::generated::client::kde_primary_output_v1::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::remote_access::generated::client::org_kde_kwin_remote_access_manager::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::remote_access::generated::client::org_kde_kwin_remote_buffer::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::screen_edge::v1::generated::client::kde_auto_hide_screen_edge_v1::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::screen_edge::v1::generated::client::kde_screen_edge_manager_v1::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::screencast::v1::generated::client::zkde_screencast_stream_unstable_v1::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::screencast::v1::generated::client::zkde_screencast_unstable_v1::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::server_decoration::generated::client::org_kde_kwin_server_decoration::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::server_decoration::generated::client::org_kde_kwin_server_decoration_manager::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::server_decoration_palette::generated::client::org_kde_kwin_server_decoration_palette::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::server_decoration_palette::generated::client::org_kde_kwin_server_decoration_palette_manager::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::shadow::generated::client::org_kde_kwin_shadow::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::shadow::generated::client::org_kde_kwin_shadow_manager::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::slide::generated::client::org_kde_kwin_slide::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::slide::generated::client::org_kde_kwin_slide_manager::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::surface_extension::generated::client::qt_extended_surface::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::surface_extension::generated::client::qt_surface_extension::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::text_input::v1::generated::client::wl_text_input::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::text_input::v1::generated::client::wl_text_input_manager::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::text_input::v2::generated::client::zwp_text_input_manager_v2::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::text_input::v2::generated::client::zwp_text_input_v2::Request<'a>
impl<'a> Debug for wayland_protocols_plasma::wayland_eglstream_controller::generated::client::wl_eglstream_controller::Request<'a>
impl<'a> Debug for ConnectAddress<'a>
impl<'a> Debug for zvariant::value::Value<'a>
impl<'a> Debug for EventIterator<'a>
impl<'a> Debug for EscapeAscii<'a>
impl<'a> Debug for CharSearcher<'a>
impl<'a> Debug for layer_shika::wayland_client::backend::smallvec::alloc::str::Bytes<'a>
impl<'a> Debug for CharIndices<'a>
impl<'a> Debug for layer_shika::wayland_client::backend::smallvec::alloc::str::EscapeDebug<'a>
impl<'a> Debug for layer_shika::wayland_client::backend::smallvec::alloc::str::EscapeDefault<'a>
impl<'a> Debug for layer_shika::wayland_client::backend::smallvec::alloc::str::EscapeUnicode<'a>
impl<'a> Debug for layer_shika::wayland_client::backend::smallvec::alloc::str::Lines<'a>
impl<'a> Debug for LinesAny<'a>
impl<'a> Debug for SplitAsciiWhitespace<'a>
impl<'a> Debug for SplitWhitespace<'a>
impl<'a> Debug for Utf8Chunk<'a>
impl<'a> Debug for core::error::Request<'a>
impl<'a> Debug for core::error::Source<'a>
impl<'a> Debug for core::ffi::c_str::Bytes<'a>
impl<'a> Debug for BorrowedCursor<'a>
impl<'a> Debug for PanicInfo<'a>
impl<'a> Debug for ContextBuilder<'a>
impl<'a> Debug for IoSlice<'a>
impl<'a> Debug for IoSliceMut<'a>
impl<'a> Debug for std::net::tcp::Incoming<'a>
impl<'a> Debug for SocketAncillary<'a>
impl<'a> Debug for std::os::unix::net::listener::Incoming<'a>
impl<'a> Debug for PanicHookInfo<'a>
impl<'a> Debug for Ancestors<'a>
impl<'a> Debug for PrefixComponent<'a>
impl<'a> Debug for CommandArgs<'a>
impl<'a> Debug for CommandEnvs<'a>
impl<'a> Debug for ab_glyph::glyph::GlyphImage<'a>
impl<'a> Debug for GlyphSvg<'a>
impl<'a> Debug for ab_glyph::glyph::v2::GlyphImage<'a>
impl<'a> Debug for SemaphoreGuard<'a>
impl<'a> Debug for EventBodyBorrowed<'a>
impl<'a> Debug for atspi_proxies::device_event_controller::DeviceEvent<'a>
impl<'a> Debug for KeyDefinition<'a>
impl<'a> Debug for Proxies<'a>
impl<'a> Debug for StrftimeItems<'a>
impl<'a> Debug for NonBlocking<'a>
impl<'a> Debug for Query<'a>
impl<'a> Debug for ByteSerialize<'a>
impl<'a> Debug for WakerRef<'a>
impl<'a> Debug for gif::common::Frame<'a>
impl<'a> Debug for PropertyLookupResult<'a>
impl<'a> Debug for BoxLayoutData<'a>
impl<'a> Debug for GridLayoutData<'a>
impl<'a> Debug for CanonicalCombiningClassMapBorrowed<'a>
impl<'a> Debug for CanonicalCompositionBorrowed<'a>
impl<'a> Debug for CanonicalDecompositionBorrowed<'a>
impl<'a> Debug for ComposingNormalizerBorrowed<'a>
impl<'a> Debug for DecomposingNormalizerBorrowed<'a>
impl<'a> Debug for Uts46MapperBorrowed<'a>
impl<'a> Debug for CodePointSetDataBorrowed<'a>
impl<'a> Debug for EmojiSetDataBorrowed<'a>
impl<'a> Debug for ScriptExtensionsSet<'a>
impl<'a> Debug for ScriptWithExtensionsBorrowed<'a>
impl<'a> Debug for DataIdentifierBorrowed<'a>
impl<'a> Debug for DataRequest<'a>
impl<'a> Debug for log::Metadata<'a>
impl<'a> Debug for MetadataBuilder<'a>
impl<'a> Debug for log::Record<'a>
impl<'a> Debug for RecordBuilder<'a>
impl<'a> Debug for CmsgIterator<'a>
impl<'a> Debug for IoSliceIterator<'a>
impl<'a> Debug for PercentDecode<'a>
impl<'a> Debug for Info<'a>
impl<'a> Debug for rowan::green::node::Children<'a>
impl<'a> Debug for rustix::fs::inotify::Event<'a>
impl<'a> Debug for InotifyEvent<'a>
impl<'a> Debug for rustix::fs::raw_dir::RawDirEntry<'a>
impl<'a> Debug for rustix::fs::raw_dir::RawDirEntry<'a>
impl<'a> Debug for Selector<'a>
impl<'a> Debug for Declaration<'a>
impl<'a> Debug for Rule<'a>
impl<'a> Debug for StyleSheet<'a>
impl<'a> Debug for FilterValueListParser<'a>
impl<'a> Debug for FontShorthand<'a>
impl<'a> Debug for FuncIRI<'a>
impl<'a> Debug for IRI<'a>
impl<'a> Debug for LengthListParser<'a>
impl<'a> Debug for NumberListParser<'a>
impl<'a> Debug for svgtypes::path::PathParser<'a>
impl<'a> Debug for SimplifyingPathParser<'a>
impl<'a> Debug for PointsParser<'a>
impl<'a> Debug for TransformListParser<'a>
impl<'a> Debug for ImplGenerics<'a>
impl<'a> Debug for Turbofish<'a>
impl<'a> Debug for TypeGenerics<'a>
impl<'a> Debug for ParseBuffer<'a>
impl<'a> Debug for tiny_skia::painter::Paint<'a>
impl<'a> Debug for tiny_skia::shaders::pattern::Pattern<'a>
impl<'a> Debug for tracing_core::event::Event<'a>
impl<'a> Debug for tracing_core::span::Attributes<'a>
impl<'a> Debug for tracing_core::span::Record<'a>
impl<'a> Debug for Entered<'a>
impl<'a> Debug for ttf_parser::ggg::chained_context::ChainedSequenceRule<'a>
impl<'a> Debug for ttf_parser::ggg::chained_context::ChainedSequenceRule<'a>
impl<'a> Debug for ttf_parser::ggg::context::SequenceRule<'a>
impl<'a> Debug for ttf_parser::ggg::context::SequenceRule<'a>
impl<'a> Debug for FeatureVariations<'a>
impl<'a> Debug for ttf_parser::ggg::layout_table::Feature<'a>
impl<'a> Debug for ttf_parser::ggg::layout_table::Feature<'a>
impl<'a> Debug for ttf_parser::ggg::layout_table::LanguageSystem<'a>
impl<'a> Debug for ttf_parser::ggg::layout_table::LanguageSystem<'a>
impl<'a> Debug for ttf_parser::ggg::layout_table::LayoutTable<'a>
impl<'a> Debug for ttf_parser::ggg::layout_table::LayoutTable<'a>
impl<'a> Debug for ttf_parser::ggg::layout_table::Script<'a>
impl<'a> Debug for ttf_parser::ggg::layout_table::Script<'a>
impl<'a> Debug for ttf_parser::ggg::lookup::Lookup<'a>
impl<'a> Debug for ttf_parser::ggg::lookup::Lookup<'a>
impl<'a> Debug for ttf_parser::RasterGlyphImage<'a>
impl<'a> Debug for ttf_parser::RasterGlyphImage<'a>
impl<'a> Debug for ttf_parser::tables::avar::Table<'a>
impl<'a> Debug for ttf_parser::tables::cmap::format0::Subtable0<'a>
impl<'a> Debug for ttf_parser::tables::cmap::format0::Subtable0<'a>
impl<'a> Debug for ttf_parser::tables::cmap::format6::Subtable6<'a>
impl<'a> Debug for ttf_parser::tables::cmap::format6::Subtable6<'a>
impl<'a> Debug for ttf_parser::tables::cmap::format10::Subtable10<'a>
impl<'a> Debug for ttf_parser::tables::cmap::format10::Subtable10<'a>
impl<'a> Debug for ttf_parser::tables::cmap::Subtable<'a>
impl<'a> Debug for ttf_parser::tables::cmap::Subtable<'a>
impl<'a> Debug for ttf_parser::tables::cmap::Table<'a>
impl<'a> Debug for ttf_parser::tables::cmap::Table<'a>
impl<'a> Debug for ttf_parser::tables::colr::LinearGradient<'a>
impl<'a> Debug for ttf_parser::tables::colr::LinearGradient<'a>
impl<'a> Debug for ttf_parser::tables::colr::RadialGradient<'a>
impl<'a> Debug for ttf_parser::tables::colr::RadialGradient<'a>
impl<'a> Debug for ttf_parser::tables::colr::SweepGradient<'a>
impl<'a> Debug for ttf_parser::tables::colr::SweepGradient<'a>
impl<'a> Debug for ttf_parser::tables::colr::Table<'a>
impl<'a> Debug for ttf_parser::tables::colr::Table<'a>
impl<'a> Debug for ttf_parser::tables::cpal::Table<'a>
impl<'a> Debug for ttf_parser::tables::cpal::Table<'a>
impl<'a> Debug for FeatureName<'a>
impl<'a> Debug for FeatureNames<'a>
impl<'a> Debug for ttf_parser::tables::feat::Table<'a>
impl<'a> Debug for ttf_parser::tables::fvar::Table<'a>
impl<'a> Debug for ttf_parser::tables::gpos::Anchor<'a>
impl<'a> Debug for ttf_parser::tables::gpos::Anchor<'a>
impl<'a> Debug for ttf_parser::tables::gpos::CursiveAdjustment<'a>
impl<'a> Debug for ttf_parser::tables::gpos::CursiveAdjustment<'a>
impl<'a> Debug for ttf_parser::tables::gpos::MarkToBaseAdjustment<'a>
impl<'a> Debug for ttf_parser::tables::gpos::MarkToBaseAdjustment<'a>
impl<'a> Debug for ttf_parser::tables::gpos::MarkToLigatureAdjustment<'a>
impl<'a> Debug for ttf_parser::tables::gpos::MarkToLigatureAdjustment<'a>
impl<'a> Debug for ttf_parser::tables::gpos::MarkToMarkAdjustment<'a>
impl<'a> Debug for ttf_parser::tables::gpos::MarkToMarkAdjustment<'a>
impl<'a> Debug for ttf_parser::tables::gpos::ValueRecord<'a>
impl<'a> Debug for ttf_parser::tables::gpos::ValueRecord<'a>
impl<'a> Debug for ttf_parser::tables::gsub::AlternateSet<'a>
impl<'a> Debug for ttf_parser::tables::gsub::AlternateSet<'a>
impl<'a> Debug for ttf_parser::tables::gsub::AlternateSubstitution<'a>
impl<'a> Debug for ttf_parser::tables::gsub::AlternateSubstitution<'a>
impl<'a> Debug for ttf_parser::tables::gsub::Ligature<'a>
impl<'a> Debug for ttf_parser::tables::gsub::Ligature<'a>
impl<'a> Debug for ttf_parser::tables::gsub::LigatureSubstitution<'a>
impl<'a> Debug for ttf_parser::tables::gsub::LigatureSubstitution<'a>
impl<'a> Debug for ttf_parser::tables::gsub::MultipleSubstitution<'a>
impl<'a> Debug for ttf_parser::tables::gsub::MultipleSubstitution<'a>
impl<'a> Debug for ttf_parser::tables::gsub::ReverseChainSingleSubstitution<'a>
impl<'a> Debug for ttf_parser::tables::gsub::ReverseChainSingleSubstitution<'a>
impl<'a> Debug for ttf_parser::tables::gsub::Sequence<'a>
impl<'a> Debug for ttf_parser::tables::gsub::Sequence<'a>
impl<'a> Debug for ttf_parser::tables::hmtx::Table<'a>
impl<'a> Debug for ttf_parser::tables::hmtx::Table<'a>
impl<'a> Debug for ttf_parser::tables::kern::Subtable0<'a>
impl<'a> Debug for ttf_parser::tables::kern::Subtable0<'a>
impl<'a> Debug for ttf_parser::tables::kern::Subtable2<'a>
impl<'a> Debug for ttf_parser::tables::kern::Subtable2<'a>
impl<'a> Debug for ttf_parser::tables::kern::Subtable3<'a>
impl<'a> Debug for ttf_parser::tables::kern::Subtable3<'a>
impl<'a> Debug for ttf_parser::tables::kern::Subtable<'a>
impl<'a> Debug for ttf_parser::tables::kern::Subtable<'a>
impl<'a> Debug for ttf_parser::tables::kern::Table<'a>
impl<'a> Debug for ttf_parser::tables::kern::Table<'a>
impl<'a> Debug for ttf_parser::tables::kerx::Subtable0<'a>
impl<'a> Debug for ttf_parser::tables::kerx::Subtable<'a>
impl<'a> Debug for ttf_parser::tables::kerx::Table<'a>
impl<'a> Debug for ttf_parser::tables::math::GlyphAssembly<'a>
impl<'a> Debug for ttf_parser::tables::math::GlyphAssembly<'a>
impl<'a> Debug for ttf_parser::tables::math::GlyphConstruction<'a>
impl<'a> Debug for ttf_parser::tables::math::GlyphConstruction<'a>
impl<'a> Debug for ttf_parser::tables::math::GlyphInfo<'a>
impl<'a> Debug for ttf_parser::tables::math::GlyphInfo<'a>
impl<'a> Debug for ttf_parser::tables::math::KernInfo<'a>
impl<'a> Debug for ttf_parser::tables::math::KernInfo<'a>
impl<'a> Debug for ttf_parser::tables::math::MathValue<'a>
impl<'a> Debug for ttf_parser::tables::math::MathValue<'a>
impl<'a> Debug for ttf_parser::tables::math::Table<'a>
impl<'a> Debug for ttf_parser::tables::math::Table<'a>
impl<'a> Debug for ttf_parser::tables::math::Variants<'a>
impl<'a> Debug for ttf_parser::tables::math::Variants<'a>
impl<'a> Debug for ttf_parser::tables::morx::Chain<'a>
impl<'a> Debug for InsertionSubtable<'a>
impl<'a> Debug for LigatureSubtable<'a>
impl<'a> Debug for ttf_parser::tables::morx::Subtable<'a>
impl<'a> Debug for ttf_parser::tables::name::Name<'a>
impl<'a> Debug for ttf_parser::tables::name::Name<'a>
impl<'a> Debug for ttf_parser::tables::name::Table<'a>
impl<'a> Debug for ttf_parser::tables::name::Table<'a>
impl<'a> Debug for ttf_parser::tables::post::Table<'a>
impl<'a> Debug for ttf_parser::tables::post::Table<'a>
impl<'a> Debug for ttf_parser::tables::sbix::Table<'a>
impl<'a> Debug for ttf_parser::tables::sbix::Table<'a>
impl<'a> Debug for AxisValueSubtableFormat4<'a>
impl<'a> Debug for AxisValueSubtables<'a>
impl<'a> Debug for ttf_parser::tables::stat::Table<'a>
impl<'a> Debug for ttf_parser::tables::svg::SvgDocument<'a>
impl<'a> Debug for ttf_parser::tables::svg::SvgDocument<'a>
impl<'a> Debug for ttf_parser::tables::svg::Table<'a>
impl<'a> Debug for ttf_parser::tables::svg::Table<'a>
impl<'a> Debug for ttf_parser::tables::trak::Table<'a>
impl<'a> Debug for Track<'a>
impl<'a> Debug for TrackData<'a>
impl<'a> Debug for Tracks<'a>
impl<'a> Debug for ttf_parser::tables::vorg::Table<'a>
impl<'a> Debug for ttf_parser::tables::vorg::Table<'a>
impl<'a> Debug for GraphemeIndices<'a>
impl<'a> Debug for Graphemes<'a>
impl<'a> Debug for USentenceBoundIndices<'a>
impl<'a> Debug for USentenceBounds<'a>
impl<'a> Debug for UnicodeSentences<'a>
impl<'a> Debug for UWordBoundIndices<'a>
impl<'a> Debug for UWordBounds<'a>
impl<'a> Debug for UnicodeWordIndices<'a>
impl<'a> Debug for UnicodeWords<'a>
impl<'a> Debug for PathSegmentsMut<'a>
impl<'a> Debug for UrlQuery<'a>
impl<'a> Debug for usvg::parser::options::Options<'a>
impl<'a> Debug for Utf8CharIndices<'a>
impl<'a> Debug for ErrorReportingUtf8Chars<'a>
impl<'a> Debug for Utf8Chars<'a>
impl<'a> Debug for zbus::abstractions::executor::Executor<'a>
impl<'a> Debug for zbus::connection::builder::Builder<'a>
impl<'a> Debug for zbus::message::builder::Builder<'a>
impl<'a> Debug for Proxy<'a>
impl<'a> Debug for SignalStream<'a>
impl<'a> Debug for ZeroAsciiIgnoreCaseTrieCursor<'a>
impl<'a> Debug for ZeroTrieSimpleAsciiCursor<'a>
impl<'a> Debug for zvariant::array::Array<'a>
impl<'a> Debug for Structure<'a>
impl<'a> Debug for StructureBuilder<'a>
impl<'a> Debug for StructureSeed<'a>
impl<'a, 'b> Debug for CharSliceSearcher<'a, 'b>
impl<'a, 'b> Debug for StrSearcher<'a, 'b>
impl<'a, 'b, const N: usize> Debug for CharArrayRefSearcher<'a, 'b, N>
impl<'a, 'f> Debug for VaList<'a, 'f>where
'f: 'a,
impl<'a, 'h> Debug for memchr::arch::all::memchr::OneIter<'a, 'h>
impl<'a, 'h> Debug for memchr::arch::all::memchr::ThreeIter<'a, 'h>
impl<'a, 'h> Debug for memchr::arch::all::memchr::TwoIter<'a, 'h>
impl<'a, 'h> Debug for memchr::arch::x86_64::avx2::memchr::OneIter<'a, 'h>
impl<'a, 'h> Debug for memchr::arch::x86_64::avx2::memchr::ThreeIter<'a, 'h>
impl<'a, 'h> Debug for memchr::arch::x86_64::avx2::memchr::TwoIter<'a, 'h>
impl<'a, 'h> Debug for memchr::arch::x86_64::sse2::memchr::OneIter<'a, 'h>
impl<'a, 'h> Debug for memchr::arch::x86_64::sse2::memchr::ThreeIter<'a, 'h>
impl<'a, 'h> Debug for memchr::arch::x86_64::sse2::memchr::TwoIter<'a, 'h>
impl<'a, 'input> Debug for roxmltree::Children<'a, 'input>where
'input: 'a,
impl<'a, 'input> Debug for roxmltree::Node<'a, 'input>where
'input: 'a,
impl<'a, 's, S> Debug for nix::sys::socket::RecvMsg<'a, 's, S>where
S: Debug,
impl<'a, 'text> Debug for unicode_bidi::Paragraph<'a, 'text>
impl<'a, 'text> Debug for unicode_bidi::utf16::Paragraph<'a, 'text>
impl<'a, A> Debug for core::option::Iter<'a, A>where
A: Debug + 'a,
impl<'a, A> Debug for core::option::IterMut<'a, A>where
A: Debug + 'a,
impl<'a, C> Debug for ListFontsWithInfoCookie<'a, C>
impl<'a, C> Debug for VoidCookie<'a, C>
impl<'a, C, R> Debug for Cookie<'a, C, R>
impl<'a, C, R> Debug for CookieWithFds<'a, C, R>
impl<'a, Conn> Debug for WmClassCookie<'a, Conn>
impl<'a, Conn> Debug for WmHintsCookie<'a, Conn>
impl<'a, Conn> Debug for WmSizeHintsCookie<'a, Conn>
impl<'a, E> Debug for BytesDeserializer<'a, E>
impl<'a, E> Debug for CowStrDeserializer<'a, E>
impl<'a, E> Debug for StrDeserializer<'a, E>
impl<'a, Fut> Debug for futures_util::stream::futures_unordered::iter::Iter<'a, Fut>
impl<'a, Fut> Debug for futures_util::stream::futures_unordered::iter::IterMut<'a, Fut>
impl<'a, Fut> Debug for IterPinMut<'a, Fut>where
Fut: Debug,
impl<'a, Fut> Debug for IterPinRef<'a, Fut>where
Fut: Debug,
impl<'a, I> Debug for ByRefSized<'a, I>where
I: Debug,
impl<'a, I> Debug for image::image::Pixels<'a, I>
impl<'a, I> Debug for itertools::format::Format<'a, I>
impl<'a, I, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::vec::Splice<'a, I, A>
impl<'a, I, A> Debug for allocator_api2::stable::vec::splice::Splice<'a, I, A>
impl<'a, I, E> Debug for ProcessResults<'a, I, E>
impl<'a, I, F> Debug for PeekingTakeWhile<'a, I, F>
impl<'a, K0, K1, V> Debug for ZeroMap2dBorrowed<'a, K0, K1, V>
impl<'a, K0, K1, V> Debug for ZeroMap2d<'a, K0, K1, V>
impl<'a, K, V> Debug for slotmap::secondary::Entry<'a, K, V>
impl<'a, K, V> Debug for slotmap::sparse_secondary::Entry<'a, K, V>
impl<'a, K, V> Debug for CLruCacheIter<'a, K, V>
impl<'a, K, V> Debug for slotmap::basic::Drain<'a, K, V>
impl<'a, K, V> Debug for slotmap::basic::Iter<'a, K, V>
impl<'a, K, V> Debug for slotmap::basic::IterMut<'a, K, V>
impl<'a, K, V> Debug for slotmap::basic::Keys<'a, K, V>
impl<'a, K, V> Debug for slotmap::basic::Values<'a, K, V>
impl<'a, K, V> Debug for slotmap::basic::ValuesMut<'a, K, V>
impl<'a, K, V> Debug for slotmap::dense::Drain<'a, K, V>
impl<'a, K, V> Debug for slotmap::dense::Iter<'a, K, V>
impl<'a, K, V> Debug for slotmap::dense::IterMut<'a, K, V>
impl<'a, K, V> Debug for slotmap::dense::Keys<'a, K, V>
impl<'a, K, V> Debug for slotmap::dense::Values<'a, K, V>
impl<'a, K, V> Debug for slotmap::dense::ValuesMut<'a, K, V>
impl<'a, K, V> Debug for slotmap::hop::Drain<'a, K, V>
impl<'a, K, V> Debug for slotmap::hop::Iter<'a, K, V>
impl<'a, K, V> Debug for slotmap::hop::IterMut<'a, K, V>
impl<'a, K, V> Debug for slotmap::hop::Keys<'a, K, V>
impl<'a, K, V> Debug for slotmap::hop::Values<'a, K, V>
impl<'a, K, V> Debug for slotmap::hop::ValuesMut<'a, K, V>
impl<'a, K, V> Debug for slotmap::secondary::Drain<'a, K, V>
impl<'a, K, V> Debug for slotmap::secondary::Iter<'a, K, V>
impl<'a, K, V> Debug for slotmap::secondary::IterMut<'a, K, V>
impl<'a, K, V> Debug for slotmap::secondary::Keys<'a, K, V>
impl<'a, K, V> Debug for slotmap::secondary::OccupiedEntry<'a, K, V>
impl<'a, K, V> Debug for slotmap::secondary::VacantEntry<'a, K, V>
impl<'a, K, V> Debug for slotmap::secondary::Values<'a, K, V>
impl<'a, K, V> Debug for slotmap::secondary::ValuesMut<'a, K, V>
impl<'a, K, V> Debug for slotmap::sparse_secondary::Drain<'a, K, V>
impl<'a, K, V> Debug for slotmap::sparse_secondary::Iter<'a, K, V>
impl<'a, K, V> Debug for slotmap::sparse_secondary::IterMut<'a, K, V>
impl<'a, K, V> Debug for slotmap::sparse_secondary::Keys<'a, K, V>
impl<'a, K, V> Debug for slotmap::sparse_secondary::OccupiedEntry<'a, K, V>
impl<'a, K, V> Debug for slotmap::sparse_secondary::VacantEntry<'a, K, V>
impl<'a, K, V> Debug for slotmap::sparse_secondary::Values<'a, K, V>
impl<'a, K, V> Debug for slotmap::sparse_secondary::ValuesMut<'a, K, V>
impl<'a, K, V> Debug for ZeroMapBorrowed<'a, K, V>
impl<'a, K, V> Debug for ZeroMap<'a, K, V>
impl<'a, P> Debug for MatchIndices<'a, P>
impl<'a, P> Debug for Matches<'a, P>
impl<'a, P> Debug for RMatchIndices<'a, P>
impl<'a, P> Debug for RMatches<'a, P>
impl<'a, P> Debug for layer_shika::wayland_client::backend::smallvec::alloc::str::RSplit<'a, P>
impl<'a, P> Debug for layer_shika::wayland_client::backend::smallvec::alloc::str::RSplitN<'a, P>
impl<'a, P> Debug for RSplitTerminator<'a, P>
impl<'a, P> Debug for layer_shika::wayland_client::backend::smallvec::alloc::str::Split<'a, P>
impl<'a, P> Debug for layer_shika::wayland_client::backend::smallvec::alloc::str::SplitInclusive<'a, P>
impl<'a, P> Debug for layer_shika::wayland_client::backend::smallvec::alloc::str::SplitN<'a, P>
impl<'a, P> Debug for SplitTerminator<'a, P>
impl<'a, R> Debug for futures_lite::io::FillBuf<'a, R>
impl<'a, R> Debug for ReadExactFuture<'a, R>
impl<'a, R> Debug for ReadFuture<'a, R>
impl<'a, R> Debug for ReadLineFuture<'a, R>
impl<'a, R> Debug for ReadToEndFuture<'a, R>
impl<'a, R> Debug for ReadToStringFuture<'a, R>
impl<'a, R> Debug for ReadUntilFuture<'a, R>
impl<'a, R> Debug for ReadVectoredFuture<'a, R>
impl<'a, R> Debug for SeeKRelative<'a, R>where
R: Debug,
impl<'a, R> Debug for futures_util::io::fill_buf::FillBuf<'a, R>
impl<'a, R> Debug for futures_util::io::read::Read<'a, R>
impl<'a, R> Debug for ReadExact<'a, R>
impl<'a, R> Debug for ReadLine<'a, R>
impl<'a, R> Debug for ReadToEnd<'a, R>
impl<'a, R> Debug for ReadToString<'a, R>
impl<'a, R> Debug for ReadUntil<'a, R>
impl<'a, R> Debug for ReadVectored<'a, R>
impl<'a, R, W> Debug for Copy<'a, R, W>
impl<'a, R, W> Debug for CopyBuf<'a, R, W>
impl<'a, R, W> Debug for CopyBufAbortable<'a, R, W>
impl<'a, S> Debug for SeekFuture<'a, S>
impl<'a, S> Debug for futures_lite::stream::Drain<'a, S>
impl<'a, S> Debug for NextFuture<'a, S>
impl<'a, S> Debug for NthFuture<'a, S>
impl<'a, S> Debug for TryNextFuture<'a, S>
impl<'a, S> Debug for Seek<'a, S>
impl<'a, S> Debug for MultiResults<'a, S>where
S: Debug,
impl<'a, S> Debug for ordered_stream::adapters::Next<'a, S>
impl<'a, S> Debug for NextBefore<'a, S>
impl<'a, S, Data> Debug for Dispatcher<'a, S, Data>
impl<'a, S, F> Debug for FindMapFuture<'a, S, F>
impl<'a, S, F> Debug for TryForEachFuture<'a, S, F>
impl<'a, S, F, B> Debug for TryFoldFuture<'a, S, F, B>
impl<'a, S, P> Debug for AllFuture<'a, S, P>
impl<'a, S, P> Debug for AnyFuture<'a, S, P>
impl<'a, S, P> Debug for FindFuture<'a, S, P>
impl<'a, S, P> Debug for PositionFuture<'a, S, P>
impl<'a, Si, Item> Debug for futures_util::sink::close::Close<'a, Si, Item>
impl<'a, Si, Item> Debug for Feed<'a, Si, Item>
impl<'a, Si, Item> Debug for futures_util::sink::flush::Flush<'a, Si, Item>
impl<'a, Si, Item> Debug for futures_util::sink::send::Send<'a, Si, Item>
impl<'a, St> Debug for futures_util::stream::select_all::Iter<'a, St>
impl<'a, St> Debug for futures_util::stream::select_all::IterMut<'a, St>
impl<'a, St> Debug for futures_util::stream::stream::next::Next<'a, St>
impl<'a, St> Debug for SelectNextSome<'a, St>
impl<'a, St> Debug for TryNext<'a, St>
impl<'a, State> Debug for QueueFreezeGuard<'a, State>where
State: Debug,
impl<'a, T> Debug for MaybeBorrowed<'a, T>where
T: Debug,
impl<'a, T> Debug for layer_shika::wayland_client::backend::smallvec::Drain<'a, T>
impl<'a, T> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_set::Range<'a, T>where
T: Debug + 'a,
impl<'a, T> Debug for layer_shika::wayland_client::backend::smallvec::alloc::slice::Chunks<'a, T>where
T: Debug + 'a,
impl<'a, T> Debug for ChunksExact<'a, T>where
T: Debug + 'a,
impl<'a, T> Debug for ChunksExactMut<'a, T>where
T: Debug + 'a,
impl<'a, T> Debug for ChunksMut<'a, T>where
T: Debug + 'a,
impl<'a, T> Debug for RChunks<'a, T>where
T: Debug + 'a,
impl<'a, T> Debug for RChunksExact<'a, T>where
T: Debug + 'a,
impl<'a, T> Debug for RChunksExactMut<'a, T>where
T: Debug + 'a,
impl<'a, T> Debug for RChunksMut<'a, T>where
T: Debug + 'a,
impl<'a, T> Debug for Windows<'a, T>where
T: Debug + 'a,
impl<'a, T> Debug for core::result::Iter<'a, T>where
T: Debug + 'a,
impl<'a, T> Debug for core::result::IterMut<'a, T>where
T: Debug + 'a,
impl<'a, T> Debug for std::sync::mpmc::Iter<'a, T>where
T: Debug + 'a,
impl<'a, T> Debug for std::sync::mpmc::TryIter<'a, T>where
T: Debug + 'a,
impl<'a, T> Debug for std::sync::mpsc::Iter<'a, T>where
T: Debug + 'a,
impl<'a, T> Debug for std::sync::mpsc::TryIter<'a, T>where
T: Debug + 'a,
impl<'a, T> Debug for async_broadcast::Recv<'a, T>
impl<'a, T> Debug for async_broadcast::Send<'a, T>
impl<'a, T> Debug for Closed<'a, T>where
T: Debug,
impl<'a, T> Debug for async_channel::Recv<'a, T>where
T: Debug,
impl<'a, T> Debug for async_channel::Send<'a, T>where
T: Debug,
impl<'a, T> Debug for Cancellation<'a, T>where
T: Debug,
impl<'a, T> Debug for CodePointMapDataBorrowed<'a, T>
impl<'a, T> Debug for PropertyNamesLongBorrowed<'a, T>where
T: Debug + NamedEnumeratedProperty,
<T as NamedEnumeratedProperty>::DataStructLongBorrowed<'a>: Debug,
impl<'a, T> Debug for PropertyNamesShortBorrowed<'a, T>where
T: Debug + NamedEnumeratedProperty,
<T as NamedEnumeratedProperty>::DataStructShortBorrowed<'a>: Debug,
impl<'a, T> Debug for PropertyParserBorrowed<'a, T>where
T: Debug,
impl<'a, T> Debug for PixelsIterMut<'a, T>where
T: Debug,
impl<'a, T> Debug for PixelsRefIter<'a, T>where
T: Debug,
impl<'a, T> Debug for RowsIter<'a, T>where
T: Debug,
impl<'a, T> Debug for RowsIterMut<'a, T>where
T: Debug,
impl<'a, T> Debug for OnceRef<'a, T>
impl<'a, T> Debug for slab::VacantEntry<'a, T>where
T: Debug,
impl<'a, T> Debug for ttf_parser::ggg::layout_table::RecordList<'a, T>where
T: Debug + RecordListItem<'a>,
impl<'a, T> Debug for ttf_parser::ggg::layout_table::RecordList<'a, T>where
T: Debug + RecordListItem<'a>,
impl<'a, T> Debug for ttf_parser::parser::LazyArray16<'a, T>
impl<'a, T> Debug for ttf_parser::parser::LazyArray16<'a, T>
impl<'a, T> Debug for ttf_parser::parser::LazyArray32<'a, T>
impl<'a, T> Debug for ttf_parser::parser::LazyArray32<'a, T>
impl<'a, T> Debug for PropertyIterator<'a, T>where
T: Debug,
impl<'a, T> Debug for zbus::proxy::builder::Builder<'a, T>where
T: Debug,
impl<'a, T> Debug for PropertyStream<'a, T>where
T: Debug,
impl<'a, T> Debug for ZeroSliceIter<'a, T>
impl<'a, T, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::binary_heap::Drain<'a, T, A>
impl<'a, T, A> Debug for DrainSorted<'a, T, A>
impl<'a, T, F> Debug for VarZeroSliceIter<'a, T, F>
impl<'a, T, I> Debug for Ptr<'a, T, I>where
T: 'a + ?Sized,
I: Invariants,
impl<'a, T, P> Debug for ChunkBy<'a, T, P>where
T: 'a + Debug,
impl<'a, T, P> Debug for ChunkByMut<'a, T, P>where
T: 'a + Debug,
impl<'a, T, S> Debug for TupleSeed<'a, T, S>
impl<'a, T, const N: usize> Debug for layer_shika::wayland_client::backend::smallvec::alloc::slice::ArrayChunks<'a, T, N>where
T: Debug + 'a,
impl<'a, T, const N: usize> Debug for ArrayChunksMut<'a, T, N>where
T: Debug + 'a,
impl<'a, T, const N: usize> Debug for ArrayWindows<'a, T, N>where
T: Debug + 'a,
impl<'a, V> Debug for VarZeroCow<'a, V>
impl<'a, W> Debug for CloseFuture<'a, W>
impl<'a, W> Debug for FlushFuture<'a, W>
impl<'a, W> Debug for WriteAllFuture<'a, W>
impl<'a, W> Debug for WriteFuture<'a, W>
impl<'a, W> Debug for WriteVectoredFuture<'a, W>
impl<'a, W> Debug for futures_util::io::close::Close<'a, W>
impl<'a, W> Debug for futures_util::io::flush::Flush<'a, W>
impl<'a, W> Debug for futures_util::io::write::Write<'a, W>
impl<'a, W> Debug for WriteAll<'a, W>
impl<'a, W> Debug for WriteVectored<'a, W>
impl<'a, const N: usize> Debug for CharArraySearcher<'a, N>
impl<'bytes, 'fds> Debug for zvariant::serialized::data::Data<'bytes, 'fds>
impl<'c, C> Debug for GrabServer<'c, C>where
C: Debug + ConnectionExt,
impl<'cache> Debug for GreenNodeBuilder<'cache>
impl<'data> Debug for PropertyCodePointSet<'data>
impl<'data> Debug for PropertyUnicodeSet<'data>
impl<'data> Debug for Char16Trie<'data>
impl<'data> Debug for CodePointInversionList<'data>
impl<'data> Debug for CodePointInversionListAndStringList<'data>
impl<'data> Debug for CanonicalCompositions<'data>
impl<'data> Debug for DecompositionData<'data>
impl<'data> Debug for DecompositionTables<'data>
impl<'data> Debug for NonRecursiveDecompositionSupplement<'data>
impl<'data> Debug for PropertyEnumToValueNameLinearMap<'data>
impl<'data> Debug for PropertyEnumToValueNameSparseMap<'data>
impl<'data> Debug for PropertyScriptToIcuScriptMap<'data>
impl<'data> Debug for PropertyValueNameToEnumMap<'data>
impl<'data> Debug for ScriptWithExtensionsProperty<'data>
impl<'data> Debug for InterlacedRow<'data>
impl<'data, I> Debug for Composition<'data, I>
impl<'data, I> Debug for Decomposition<'data, I>
impl<'data, T> Debug for PropertyCodePointMap<'data, T>
impl<'de, E> Debug for BorrowedBytesDeserializer<'de, E>
impl<'de, E> Debug for BorrowedStrDeserializer<'de, E>
impl<'de, I, E> Debug for MapDeserializer<'de, I, E>
impl<'e, E, R> Debug for DecoderReader<'e, E, R>
impl<'e, E, W> Debug for EncoderWriter<'e, E, W>
impl<'f> Debug for Fd<'f>
impl<'f> Debug for VaListImpl<'f>
impl<'f> Debug for FilePath<'f>
impl<'fd> Debug for rustix::backend::event::poll_fd::PollFd<'fd>
impl<'fd> Debug for rustix::backend::event::poll_fd::PollFd<'fd>
impl<'g> Debug for Guid<'g>
impl<'h> Debug for Memchr2<'h>
impl<'h> Debug for Memchr3<'h>
impl<'h> Debug for Memchr<'h>
impl<'h, 'n> Debug for FindIter<'h, 'n>
impl<'h, 'n> Debug for FindRevIter<'h, 'n>
impl<'i> Debug for Idle<'i>
impl<'id> Debug for Guard<'id>
impl<'id> Debug for generativity::Id<'id>
impl<'input> Debug for StringStorage<'input>
impl<'input> Debug for x11rb_protocol::protocol::Request<'input>
impl<'input> Debug for roxmltree::Document<'input>
impl<'input> Debug for Namespace<'input>
impl<'input> Debug for PI<'input>
impl<'k, 'v> Debug for Dict<'k, 'v>
impl<'l> Debug for PathSample<'l>
impl<'l> Debug for WalkerEvent<'l>
impl<'l> Debug for PathCommandsSlice<'l>
impl<'l> Debug for IdIter<'l>
impl<'l> Debug for PathSlice<'l>
impl<'l> Debug for PathBufferSlice<'l>
impl<'l, 'a, K0, K1, V> Debug for ZeroMap2dCursor<'l, 'a, K0, K1, V>
impl<'l, Data> Debug for layer_shika::sctk::calloop::EventLoop<'l, Data>
impl<'l, Data> Debug for LoopHandle<'l, Data>
impl<'l, Endpoint, ControlPoint> Debug for CommandsPathSlice<'l, Endpoint, ControlPoint>
impl<'l, F> Debug for layer_shika::sctk::calloop::io::Async<'l, F>
impl<'m> Debug for PathSpec<'m>
impl<'m> Debug for EventBodyQtBorrowed<'m>
impl<'m> Debug for zbus::match_rule::builder::Builder<'m>
impl<'m> Debug for MatchRule<'m>
impl<'m> Debug for Header<'m>
impl<'n> Debug for memchr::memmem::Finder<'n>
impl<'n> Debug for memchr::memmem::FinderRev<'n>
impl<'name> Debug for ErrorName<'name>
impl<'name> Debug for InterfaceName<'name>
impl<'name> Debug for MemberName<'name>
impl<'name> Debug for PropertyName<'name>
impl<'name> Debug for UniqueName<'name>
impl<'name> Debug for WellKnownName<'name>
impl<'p> Debug for AccessibleProxy<'p>
impl<'p> Debug for ActionProxy<'p>
impl<'p> Debug for ApplicationProxy<'p>
impl<'p> Debug for BusProxy<'p>
impl<'p> Debug for StatusProxy<'p>
impl<'p> Debug for CacheProxy<'p>
impl<'p> Debug for CollectionProxy<'p>
impl<'p> Debug for ComponentProxy<'p>
impl<'p> Debug for DeviceEventControllerProxy<'p>
impl<'p> Debug for DeviceEventListenerProxy<'p>
impl<'p> Debug for DocumentProxy<'p>
impl<'p> Debug for EditableTextProxy<'p>
impl<'p> Debug for HyperlinkProxy<'p>
impl<'p> Debug for HypertextProxy<'p>
impl<'p> Debug for ImageProxy<'p>
impl<'p> Debug for RegistryProxy<'p>
impl<'p> Debug for SelectionProxy<'p>
impl<'p> Debug for SocketProxy<'p>
impl<'p> Debug for TableProxy<'p>
impl<'p> Debug for TableCellProxy<'p>
impl<'p> Debug for TextProxy<'p>
impl<'p> Debug for ValueProxy<'p>
impl<'p> Debug for DBusProxy<'p>
impl<'p> Debug for IntrospectableProxy<'p>
impl<'p> Debug for MonitoringProxy<'p>
impl<'p> Debug for ObjectManagerProxy<'p>
impl<'p> Debug for PeerProxy<'p>
impl<'p> Debug for PropertiesProxy<'p>
impl<'p> Debug for StatsProxy<'p>
impl<'r, 'ctx, T> Debug for AsyncAsSync<'r, 'ctx, T>where
T: Debug,
impl<'s> Debug for NameAcquiredArgs<'s>
impl<'s> Debug for NameLostArgs<'s>
impl<'s> Debug for NameOwnerChangedArgs<'s>
impl<'s> Debug for InterfacesAddedArgs<'s>
impl<'s> Debug for InterfacesRemovedArgs<'s>
impl<'s> Debug for PropertiesChangedArgs<'s>
impl<'s> Debug for SignalEmitter<'s>
impl<'s, 'l, F> Debug for layer_shika::sctk::calloop::io::Readable<'s, 'l, F>
impl<'s, 'l, F> Debug for layer_shika::sctk::calloop::io::Writable<'s, 'l, F>
impl<'s, T> Debug for SliceVec<'s, T>where
T: Debug,
impl<'scope, T> Debug for ScopedJoinHandle<'scope, T>
impl<'text> Debug for unicode_bidi::BidiInfo<'text>
impl<'text> Debug for unicode_bidi::InitialInfo<'text>
impl<'text> Debug for unicode_bidi::ParagraphBidiInfo<'text>
impl<'text> Debug for Utf8IndexLenIter<'text>
impl<'text> Debug for unicode_bidi::utf16::BidiInfo<'text>
impl<'text> Debug for unicode_bidi::utf16::InitialInfo<'text>
impl<'text> Debug for unicode_bidi::utf16::ParagraphBidiInfo<'text>
impl<'text> Debug for Utf16CharIndexIter<'text>
impl<'text> Debug for Utf16CharIter<'text>
impl<'text> Debug for Utf16IndexLenIter<'text>
impl<'trie, T> Debug for CodePointTrie<'trie, T>
impl<A> Debug for TinyVec<A>
impl<A> Debug for TinyVecIterator<A>
impl<A> Debug for layer_shika::wayland_client::backend::smallvec::IntoIter<A>
impl<A> Debug for SmallVec<A>
impl<A> Debug for core::iter::sources::repeat::Repeat<A>where
A: Debug,
impl<A> Debug for core::iter::sources::repeat_n::RepeatN<A>where
A: Debug,
impl<A> Debug for core::option::IntoIter<A>where
A: Debug,
impl<A> Debug for IterRange<A>where
A: Debug,
impl<A> Debug for IterRangeFrom<A>where
A: Debug,
impl<A> Debug for IterRangeInclusive<A>where
A: Debug,
impl<A> Debug for itertools::repeatn::RepeatN<A>where
A: Debug,
impl<A> Debug for EnumAccessDeserializer<A>where
A: Debug,
impl<A> Debug for MapAccessDeserializer<A>where
A: Debug,
impl<A> Debug for SeqAccessDeserializer<A>where
A: Debug,
impl<A> Debug for tinyvec::arrayvec::ArrayVec<A>
impl<A> Debug for ArrayVecIterator<A>
impl<A, B> Debug for futures_util::future::either::Either<A, B>
impl<A, B> Debug for EitherOrBoth<A, B>
impl<A, B> Debug for core::iter::adapters::chain::Chain<A, B>
impl<A, B> Debug for core::iter::adapters::zip::Zip<A, B>
impl<A, B> Debug for futures_lite::stream::Zip<A, B>
impl<A, B> Debug for futures_util::future::select::Select<A, B>
impl<A, B> Debug for TrySelect<A, B>
impl<A, B> Debug for ordered_stream::join::Join<A, B>where
A: Debug + OrderedStream,
B: Debug + OrderedStream<Data = <A as OrderedStream>::Data, Ordering = <A as OrderedStream>::Ordering>,
<A as OrderedStream>::Data: Debug,
<B as OrderedStream>::Data: Debug,
<A as OrderedStream>::Ordering: Debug,
impl<A, B> Debug for Tuple2ULE<A, B>
impl<A, B> Debug for VarTuple<A, B>
impl<A, B, C> Debug for Tuple3ULE<A, B, C>
impl<A, B, C, D> Debug for Tuple4ULE<A, B, C, D>
impl<A, B, C, D, E> Debug for Tuple5ULE<A, B, C, D, E>
impl<A, B, C, D, E, F> Debug for Tuple6ULE<A, B, C, D, E, F>
impl<A, B, C, D, E, F, Format> Debug for Tuple6VarULE<A, B, C, D, E, F, Format>
impl<A, B, C, D, E, Format> Debug for Tuple5VarULE<A, B, C, D, E, Format>
impl<A, B, C, D, Format> Debug for Tuple4VarULE<A, B, C, D, Format>
impl<A, B, C, Format> Debug for Tuple3VarULE<A, B, C, Format>
impl<A, B, Format> Debug for Tuple2VarULE<A, B, Format>
impl<A, B, S> Debug for LinkedHashMap<A, B, S>
impl<A, S, V> Debug for ConvertError<A, S, V>
impl<A, V> Debug for VarTupleULE<A, V>
impl<B> Debug for Cow<'_, B>
impl<B> Debug for std::io::Lines<B>where
B: Debug,
impl<B> Debug for std::io::Split<B>where
B: Debug,
impl<B> Debug for Flag<B>where
B: Debug,
impl<B> Debug for NoAttributes<B>where
B: Debug + PathBuilder,
impl<B, C> Debug for core::ops::control_flow::ControlFlow<B, C>
impl<Base, T, PinFlag> Debug for VOffset<Base, T, PinFlag>where
T: VTableMeta + ?Sized,
impl<Buffer> Debug for FlatSamples<Buffer>where
Buffer: Debug,
impl<Buffer, P> Debug for View<Buffer, P>
impl<Buffer, P> Debug for ViewMut<Buffer, P>
impl<C0, C1> Debug for EitherCart<C0, C1>
impl<C> Debug for JoinMultiple<C>where
C: Debug,
impl<C> Debug for JoinMultiplePin<C>where
C: Debug,
impl<C> Debug for ContextError<C>where
C: Debug,
impl<C> Debug for GlyphsetWrapper<C>where
C: Debug + RequestConnection,
impl<C> Debug for PictureWrapper<C>where
C: Debug + RequestConnection,
impl<C> Debug for SegWrapper<C>where
C: Debug + RequestConnection,
impl<C> Debug for RegionWrapper<C>where
C: Debug + RequestConnection,
impl<C> Debug for ColormapWrapper<C>where
C: Debug + RequestConnection,
impl<C> Debug for CursorWrapper<C>where
C: Debug + RequestConnection,
impl<C> Debug for FontWrapper<C>where
C: Debug + RequestConnection,
impl<C> Debug for GcontextWrapper<C>where
C: Debug + RequestConnection,
impl<C> Debug for PixmapWrapper<C>where
C: Debug + RequestConnection,
impl<C> Debug for WindowWrapper<C>where
C: Debug + RequestConnection,
impl<C> Debug for CartableOptionPointer<C>
impl<Container> Debug for Img<Container>where
Container: Debug,
impl<D> Debug for WaylandSource<D>where
D: Debug,
impl<D> Debug for wayland_backend::rs::server::Backend<D>where
D: Debug + 'static,
impl<D> Debug for dyn GlobalHandler<D>where
D: 'static,
impl<D> Debug for dyn ObjectData<D>where
D: 'static,
impl<DataStruct> Debug for ErasedMarker<DataStruct>
impl<Dyn> Debug for DynMetadata<Dyn>where
Dyn: ?Sized,
impl<E> Debug for data_url::forgiving_base64::DecodeError<E>where
E: Debug,
impl<E> Debug for ErrMode<E>where
E: Debug,
impl<E> Debug for Report<E>
impl<E> Debug for BoolDeserializer<E>
impl<E> Debug for CharDeserializer<E>
impl<E> Debug for F32Deserializer<E>
impl<E> Debug for F64Deserializer<E>
impl<E> Debug for I8Deserializer<E>
impl<E> Debug for I16Deserializer<E>
impl<E> Debug for I32Deserializer<E>
impl<E> Debug for I64Deserializer<E>
impl<E> Debug for I128Deserializer<E>
impl<E> Debug for IsizeDeserializer<E>
impl<E> Debug for StringDeserializer<E>
impl<E> Debug for U8Deserializer<E>
impl<E> Debug for U16Deserializer<E>
impl<E> Debug for U32Deserializer<E>
impl<E> Debug for U64Deserializer<E>
impl<E> Debug for U128Deserializer<E>
impl<E> Debug for UnitDeserializer<E>
impl<E> Debug for UsizeDeserializer<E>
impl<Endpoint, ControlPoint> Debug for lyon_path::events::Event<Endpoint, ControlPoint>
impl<Enum> Debug for TryFromPrimitiveError<Enum>where
Enum: TryFromPrimitive,
impl<F1, F2> Debug for futures_lite::future::Or<F1, F2>
impl<F1, F2> Debug for futures_lite::future::Race<F1, F2>
impl<F1, F2> Debug for futures_lite::future::Zip<F1, F2>
impl<F1, T1, F2, T2> Debug for TryZip<F1, T1, F2, T2>
impl<F> Debug for CharPredicateSearcher<'_, F>
impl<F> Debug for core::future::poll_fn::PollFn<F>
impl<F> Debug for core::iter::sources::from_fn::FromFn<F>
impl<F> Debug for OnceWith<F>
impl<F> Debug for core::iter::sources::repeat_with::RepeatWith<F>
impl<F> Debug for PxScaleFont<F>where
F: Debug,
impl<F> Debug for WithInfo<F>where
F: Debug,
impl<F> Debug for FutureWrapper<F>
impl<F> Debug for futures_lite::future::CatchUnwind<F>where
F: Debug,
impl<F> Debug for futures_lite::future::PollFn<F>
impl<F> Debug for PollOnce<F>
impl<F> Debug for OnceFuture<F>where
F: Debug,
impl<F> Debug for futures_lite::stream::PollFn<F>
impl<F> Debug for futures_lite::stream::RepeatWith<F>where
F: Debug,
impl<F> Debug for futures_util::future::future::Flatten<F>
impl<F> Debug for FlattenStream<F>
impl<F> Debug for futures_util::future::future::IntoStream<F>
impl<F> Debug for JoinAll<F>
impl<F> Debug for futures_util::future::lazy::Lazy<F>where
F: Debug,
impl<F> Debug for OptionFuture<F>where
F: Debug,
impl<F> Debug for futures_util::future::poll_fn::PollFn<F>
impl<F> Debug for TryJoinAll<F>
impl<F> Debug for futures_util::stream::poll_fn::PollFn<F>
impl<F> Debug for futures_util::stream::repeat_with::RepeatWith<F>where
F: Debug,
impl<F> Debug for FromFuture<F>where
F: Debug,
impl<F> Debug for PreParsedSubtables<'_, F>
impl<F> Debug for SyntaxElementChildrenByKind<F>
impl<F> Debug for SyntaxNodeChildrenByKind<F>
impl<F> Debug for layer_shika::wayland_client::backend::smallvec::alloc::fmt::FromFn<F>
impl<F> Debug for Fwhere
F: FnPtr,
impl<F, E> Debug for Generic<F, E>
impl<Fut1, Fut2> Debug for futures_util::future::join::Join<Fut1, Fut2>
impl<Fut1, Fut2> Debug for futures_util::future::try_future::TryFlatten<Fut1, Fut2>where
TryFlatten<Fut1, Fut2>: Debug,
impl<Fut1, Fut2> Debug for TryJoin<Fut1, Fut2>
impl<Fut1, Fut2, F> Debug for futures_util::future::future::Then<Fut1, Fut2, F>
impl<Fut1, Fut2, F> Debug for futures_util::future::try_future::AndThen<Fut1, Fut2, F>
impl<Fut1, Fut2, F> Debug for futures_util::future::try_future::OrElse<Fut1, Fut2, F>
impl<Fut1, Fut2, Fut3> Debug for Join3<Fut1, Fut2, Fut3>
impl<Fut1, Fut2, Fut3> Debug for TryJoin3<Fut1, Fut2, Fut3>
impl<Fut1, Fut2, Fut3, Fut4> Debug for Join4<Fut1, Fut2, Fut3, Fut4>
impl<Fut1, Fut2, Fut3, Fut4> Debug for TryJoin4<Fut1, Fut2, Fut3, Fut4>where
Fut1: TryFuture + Debug,
<Fut1 as TryFuture>::Ok: Debug,
<Fut1 as TryFuture>::Error: Debug,
Fut2: TryFuture + Debug,
<Fut2 as TryFuture>::Ok: Debug,
<Fut2 as TryFuture>::Error: Debug,
Fut3: TryFuture + Debug,
<Fut3 as TryFuture>::Ok: Debug,
<Fut3 as TryFuture>::Error: Debug,
Fut4: TryFuture + Debug,
<Fut4 as TryFuture>::Ok: Debug,
<Fut4 as TryFuture>::Error: Debug,
impl<Fut1, Fut2, Fut3, Fut4, Fut5> Debug for Join5<Fut1, Fut2, Fut3, Fut4, Fut5>
impl<Fut1, Fut2, Fut3, Fut4, Fut5> Debug for TryJoin5<Fut1, Fut2, Fut3, Fut4, Fut5>where
Fut1: TryFuture + Debug,
<Fut1 as TryFuture>::Ok: Debug,
<Fut1 as TryFuture>::Error: Debug,
Fut2: TryFuture + Debug,
<Fut2 as TryFuture>::Ok: Debug,
<Fut2 as TryFuture>::Error: Debug,
Fut3: TryFuture + Debug,
<Fut3 as TryFuture>::Ok: Debug,
<Fut3 as TryFuture>::Error: Debug,
Fut4: TryFuture + Debug,
<Fut4 as TryFuture>::Ok: Debug,
<Fut4 as TryFuture>::Error: Debug,
Fut5: TryFuture + Debug,
<Fut5 as TryFuture>::Ok: Debug,
<Fut5 as TryFuture>::Error: Debug,
impl<Fut> Debug for MaybeDone<Fut>
impl<Fut> Debug for TryMaybeDone<Fut>
impl<Fut> Debug for futures_lite::future::Fuse<Fut>where
Fut: Debug,
impl<Fut> Debug for futures_util::future::future::catch_unwind::CatchUnwind<Fut>where
Fut: Debug,
impl<Fut> Debug for futures_util::future::future::fuse::Fuse<Fut>where
Fut: Debug,
impl<Fut> Debug for Remote<Fut>
impl<Fut> Debug for NeverError<Fut>
impl<Fut> Debug for futures_util::future::future::UnitError<Fut>
impl<Fut> Debug for futures_util::future::select_all::SelectAll<Fut>where
Fut: Debug,
impl<Fut> Debug for SelectOk<Fut>where
Fut: Debug,
impl<Fut> Debug for IntoFuture<Fut>where
Fut: Debug,
impl<Fut> Debug for TryFlattenStream<Fut>
impl<Fut> Debug for FuturesOrdered<Fut>where
Fut: Future,
impl<Fut> Debug for futures_util::stream::futures_unordered::iter::IntoIter<Fut>
impl<Fut> Debug for FuturesUnordered<Fut>
impl<Fut> Debug for futures_util::stream::once::Once<Fut>where
Fut: Debug,
impl<Fut, E> Debug for futures_util::future::try_future::ErrInto<Fut, E>
impl<Fut, E> Debug for OkInto<Fut, E>
impl<Fut, F> Debug for futures_util::future::future::Inspect<Fut, F>where
Map<Fut, InspectFn<F>>: Debug,
impl<Fut, F> Debug for futures_util::future::future::Map<Fut, F>where
Map<Fut, F>: Debug,
impl<Fut, F> Debug for futures_util::future::try_future::InspectErr<Fut, F>
impl<Fut, F> Debug for futures_util::future::try_future::InspectOk<Fut, F>
impl<Fut, F> Debug for futures_util::future::try_future::MapErr<Fut, F>
impl<Fut, F> Debug for futures_util::future::try_future::MapOk<Fut, F>
impl<Fut, F> Debug for UnwrapOrElse<Fut, F>
impl<Fut, F, G> Debug for MapOkOrElse<Fut, F, G>
impl<Fut, Si> Debug for FlattenSink<Fut, Si>where
TryFlatten<Fut, Si>: Debug,
impl<Fut, T> Debug for MapInto<Fut, T>
impl<G> Debug for FromCoroutine<G>
impl<H> Debug for BuildHasherDefault<H>
impl<I> Debug for GlobalProxy<I>where
I: Debug,
impl<I> Debug for layer_shika::wayland_client::Weak<I>where
I: Debug,
impl<I> Debug for FromIter<I>where
I: Debug,
impl<I> Debug for DecodeUtf16<I>
impl<I> Debug for core::iter::adapters::cloned::Cloned<I>where
I: Debug,
impl<I> Debug for core::iter::adapters::copied::Copied<I>where
I: Debug,
impl<I> Debug for core::iter::adapters::cycle::Cycle<I>where
I: Debug,
impl<I> Debug for core::iter::adapters::enumerate::Enumerate<I>where
I: Debug,
impl<I> Debug for core::iter::adapters::fuse::Fuse<I>where
I: Debug,
impl<I> Debug for Intersperse<I>
impl<I> Debug for core::iter::adapters::peekable::Peekable<I>
impl<I> Debug for core::iter::adapters::skip::Skip<I>where
I: Debug,
impl<I> Debug for core::iter::adapters::step_by::StepBy<I>where
I: Debug,
impl<I> Debug for core::iter::adapters::take::Take<I>where
I: Debug,
impl<I> Debug for DelayedFormat<I>where
I: Debug,
impl<I> Debug for futures_lite::stream::Iter<I>where
I: Debug,
impl<I> Debug for futures_util::stream::iter::Iter<I>where
I: Debug,
impl<I> Debug for MultiProduct<I>
impl<I> Debug for PutBack<I>
impl<I> Debug for WhileSome<I>where
I: Debug,
impl<I> Debug for CombinationsWithReplacement<I>
impl<I> Debug for ExactlyOneError<I>
impl<I> Debug for GroupingMap<I>where
I: Debug,
impl<I> Debug for MultiPeek<I>
impl<I> Debug for PeekNth<I>
impl<I> Debug for Permutations<I>
impl<I> Debug for Powerset<I>
impl<I> Debug for PutBackN<I>
impl<I> Debug for RcIter<I>where
I: Debug,
impl<I> Debug for Tee<I>
impl<I> Debug for Unique<I>
impl<I> Debug for WithPosition<I>
impl<I> Debug for InputError<I>
impl<I> Debug for TreeErrorBase<I>where
I: Debug,
impl<I> Debug for LocatingSlice<I>where
I: Debug,
impl<I> Debug for Partial<I>where
I: Debug,
impl<I, C> Debug for TreeError<I, C>
impl<I, C> Debug for TreeErrorFrame<I, C>
impl<I, C> Debug for TreeErrorContext<I, C>
impl<I, E> Debug for SeqDeserializer<I, E>where
I: Debug,
impl<I, E> Debug for winnow::error::ParseError<I, E>
impl<I, ElemF> Debug for itertools::intersperse::IntersperseWith<I, ElemF>
impl<I, F> Debug for core::iter::adapters::filter_map::FilterMap<I, F>where
I: Debug,
impl<I, F> Debug for core::iter::adapters::inspect::Inspect<I, F>where
I: Debug,
impl<I, F> Debug for core::iter::adapters::map::Map<I, F>where
I: Debug,
impl<I, F> Debug for Batching<I, F>where
I: Debug,
impl<I, F> Debug for FilterMapOk<I, F>where
I: Debug,
impl<I, F> Debug for FilterOk<I, F>where
I: Debug,
impl<I, F> Debug for Positions<I, F>where
I: Debug,
impl<I, F> Debug for TakeWhileRef<'_, I, F>
impl<I, F> Debug for Update<I, F>where
I: Debug,
impl<I, F> Debug for FormatWith<'_, I, F>
impl<I, F> Debug for KMergeBy<I, F>
impl<I, F> Debug for PadUsing<I, F>where
I: Debug,
impl<I, F> Debug for TakeWhileInclusive<I, F>
impl<I, F, const N: usize> Debug for MapWindows<I, F, N>
impl<I, G> Debug for core::iter::adapters::intersperse::IntersperseWith<I, G>
impl<I, J> Debug for Diff<I, J>
impl<I, J> Debug for Interleave<I, J>
impl<I, J> Debug for InterleaveShortest<I, J>
impl<I, J> Debug for Product<I, J>
impl<I, J> Debug for ZipEq<I, J>
impl<I, J, F> Debug for MergeBy<I, J, F>
impl<I, P> Debug for core::iter::adapters::filter::Filter<I, P>where
I: Debug,
impl<I, P> Debug for core::iter::adapters::map_while::MapWhile<I, P>where
I: Debug,
impl<I, P> Debug for core::iter::adapters::skip_while::SkipWhile<I, P>where
I: Debug,
impl<I, P> Debug for core::iter::adapters::take_while::TakeWhile<I, P>where
I: Debug,
impl<I, S> Debug for Stateful<I, S>
impl<I, St, F> Debug for core::iter::adapters::scan::Scan<I, St, F>
impl<I, T> Debug for TupleCombinations<I, T>
impl<I, T> Debug for CircularTupleWindows<I, T>
impl<I, T> Debug for TupleWindows<I, T>
impl<I, T> Debug for Tuples<I, T>where
I: Debug + Iterator<Item = <T as TupleCollect>::Item>,
T: Debug + HomogeneousTuple,
<T as TupleCollect>::Buffer: Debug,
impl<I, T, E> Debug for FlattenOk<I, T, E>where
I: Iterator<Item = Result<T, E>> + Debug,
T: IntoIterator,
<T as IntoIterator>::IntoIter: Debug,
impl<I, U> Debug for core::iter::adapters::flatten::Flatten<I>
impl<I, U, F> Debug for core::iter::adapters::flatten::FlatMap<I, U, F>
impl<I, U, State> Debug for QueueProxyData<I, U, State>
impl<I, V, F> Debug for UniqueBy<I, V, F>
impl<I, const MAX_VERSION: u32> Debug for SimpleGlobal<I, MAX_VERSION>where
I: Debug,
impl<I, const N: usize> Debug for core::iter::adapters::array_chunks::ArrayChunks<I, N>
impl<Id, Fd> Debug for Argument<Id, Fd>
impl<Id, Fd> Debug for layer_shika::wayland_client::backend::protocol::Message<Id, Fd>
impl<Idx> Debug for core::ops::range::Range<Idx>where
Idx: Debug,
impl<Idx> Debug for core::ops::range::RangeFrom<Idx>where
Idx: Debug,
impl<Idx> Debug for core::ops::range::RangeInclusive<Idx>where
Idx: Debug,
impl<Idx> Debug for RangeTo<Idx>where
Idx: Debug,
impl<Idx> Debug for RangeToInclusive<Idx>where
Idx: Debug,
impl<Idx> Debug for core::range::Range<Idx>where
Idx: Debug,
impl<Idx> Debug for core::range::RangeFrom<Idx>where
Idx: Debug,
impl<Idx> Debug for core::range::RangeInclusive<Idx>where
Idx: Debug,
impl<K> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_set::Cursor<'_, K>where
K: Debug,
impl<K> Debug for std::collections::hash::set::Drain<'_, K>where
K: Debug,
impl<K> Debug for std::collections::hash::set::IntoIter<K>where
K: Debug,
impl<K> Debug for std::collections::hash::set::Iter<'_, K>where
K: Debug,
impl<K> Debug for hashbrown::set::Iter<'_, K>where
K: Debug,
impl<K> Debug for hashbrown::set::Iter<'_, K>where
K: Debug,
impl<K> Debug for linked_hash_set::Iter<'_, K>where
K: Debug,
impl<K> Debug for BufferSlot<K>where
K: Debug,
impl<K> Debug for MultiPool<K>where
K: Debug,
impl<K, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_set::CursorMut<'_, K, A>where
K: Debug,
impl<K, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_set::CursorMutKey<'_, K, A>where
K: Debug,
impl<K, A> Debug for hashbrown::set::Drain<'_, K, A>
impl<K, A> Debug for hashbrown::set::Drain<'_, K, A>where
K: Debug,
A: Allocator,
impl<K, A> Debug for hashbrown::set::IntoIter<K, A>
impl<K, A> Debug for hashbrown::set::IntoIter<K, A>where
K: Debug,
A: Allocator,
impl<K, F> Debug for std::collections::hash::set::ExtractIf<'_, K, F>where
K: Debug,
impl<K, Q, V, S, A> Debug for hashbrown::map::EntryRef<'_, '_, K, Q, V, S, A>
impl<K, Q, V, S, A> Debug for hashbrown::map::EntryRef<'_, '_, K, Q, V, S, A>
impl<K, Q, V, S, A> Debug for OccupiedEntryRef<'_, '_, K, Q, V, S, A>
impl<K, Q, V, S, A> Debug for hashbrown::map::VacantEntryRef<'_, '_, K, Q, V, S, A>
impl<K, Q, V, S, A> Debug for hashbrown::map::VacantEntryRef<'_, '_, K, Q, V, S, A>
impl<K, V> Debug for std::collections::hash::map::Entry<'_, K, V>
impl<K, V> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_map::Cursor<'_, K, V>
impl<K, V> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_map::Iter<'_, K, V>
impl<K, V> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_map::IterMut<'_, K, V>
impl<K, V> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_map::Keys<'_, K, V>where
K: Debug,
impl<K, V> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_map::Range<'_, K, V>
impl<K, V> Debug for RangeMut<'_, K, V>
impl<K, V> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_map::Values<'_, K, V>where
V: Debug,
impl<K, V> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_map::ValuesMut<'_, K, V>where
V: Debug,
impl<K, V> Debug for std::collections::hash::map::Drain<'_, K, V>
impl<K, V> Debug for std::collections::hash::map::IntoIter<K, V>
impl<K, V> Debug for std::collections::hash::map::IntoKeys<K, V>where
K: Debug,
impl<K, V> Debug for std::collections::hash::map::IntoValues<K, V>where
V: Debug,
impl<K, V> Debug for std::collections::hash::map::Iter<'_, K, V>
impl<K, V> Debug for std::collections::hash::map::IterMut<'_, K, V>
impl<K, V> Debug for std::collections::hash::map::Keys<'_, K, V>where
K: Debug,
impl<K, V> Debug for std::collections::hash::map::OccupiedEntry<'_, K, V>
impl<K, V> Debug for std::collections::hash::map::OccupiedError<'_, K, V>
impl<K, V> Debug for std::collections::hash::map::VacantEntry<'_, K, V>where
K: Debug,
impl<K, V> Debug for std::collections::hash::map::Values<'_, K, V>where
V: Debug,
impl<K, V> Debug for std::collections::hash::map::ValuesMut<'_, K, V>where
V: Debug,
impl<K, V> Debug for hashbrown::map::Iter<'_, K, V>
impl<K, V> Debug for hashbrown::map::Iter<'_, K, V>
impl<K, V> Debug for hashbrown::map::IterMut<'_, K, V>
impl<K, V> Debug for hashbrown::map::IterMut<'_, K, V>
impl<K, V> Debug for hashbrown::map::Keys<'_, K, V>where
K: Debug,
impl<K, V> Debug for hashbrown::map::Keys<'_, K, V>where
K: Debug,
impl<K, V> Debug for hashbrown::map::Values<'_, K, V>where
V: Debug,
impl<K, V> Debug for hashbrown::map::Values<'_, K, V>where
V: Debug,
impl<K, V> Debug for hashbrown::map::ValuesMut<'_, K, V>where
V: Debug,
impl<K, V> Debug for hashbrown::map::ValuesMut<'_, K, V>where
V: Debug,
impl<K, V> Debug for slotmap::basic::IntoIter<K, V>
impl<K, V> Debug for SlotMap<K, V>
impl<K, V> Debug for DenseSlotMap<K, V>
impl<K, V> Debug for slotmap::dense::IntoIter<K, V>
impl<K, V> Debug for HopSlotMap<K, V>
impl<K, V> Debug for slotmap::hop::IntoIter<K, V>
impl<K, V> Debug for slotmap::secondary::IntoIter<K, V>
impl<K, V> Debug for SecondaryMap<K, V>
impl<K, V> Debug for slotmap::sparse_secondary::IntoIter<K, V>
impl<K, V> Debug for TiSlice<K, V>
impl<K, V> Debug for TiVec<K, V>
impl<K, V, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_map::Entry<'_, K, V, A>
impl<K, V, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_map::CursorMut<'_, K, V, A>
impl<K, V, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_map::CursorMutKey<'_, K, V, A>
impl<K, V, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_map::IntoIter<K, V, A>
impl<K, V, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_map::IntoKeys<K, V, A>
impl<K, V, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_map::IntoValues<K, V, A>
impl<K, V, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_map::OccupiedEntry<'_, K, V, A>
impl<K, V, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_map::OccupiedError<'_, K, V, A>
impl<K, V, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_map::VacantEntry<'_, K, V, A>
impl<K, V, A> Debug for BTreeMap<K, V, A>
impl<K, V, A> Debug for hashbrown::map::Drain<'_, K, V, A>
impl<K, V, A> Debug for hashbrown::map::Drain<'_, K, V, A>
impl<K, V, A> Debug for hashbrown::map::IntoIter<K, V, A>
impl<K, V, A> Debug for hashbrown::map::IntoIter<K, V, A>
impl<K, V, A> Debug for hashbrown::map::IntoKeys<K, V, A>
impl<K, V, A> Debug for hashbrown::map::IntoKeys<K, V, A>
impl<K, V, A> Debug for hashbrown::map::IntoValues<K, V, A>
impl<K, V, A> Debug for hashbrown::map::IntoValues<K, V, A>where
V: Debug,
A: Allocator,
impl<K, V, F> Debug for std::collections::hash::map::ExtractIf<'_, K, V, F>
impl<K, V, R, F, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_map::ExtractIf<'_, K, V, R, F, A>
impl<K, V, S> Debug for litemap::map::Entry<'_, K, V, S>
impl<K, V, S> Debug for std::collections::hash::map::HashMap<K, V, S>
impl<K, V, S> Debug for AHashMap<K, V, S>
impl<K, V, S> Debug for LiteMap<K, V, S>
impl<K, V, S> Debug for litemap::map::OccupiedEntry<'_, K, V, S>
impl<K, V, S> Debug for litemap::map::VacantEntry<'_, K, V, S>
impl<K, V, S> Debug for LruCache<K, V, S>
impl<K, V, S> Debug for SparseSecondaryMap<K, V, S>
impl<K, V, S, A> Debug for hashbrown::map::Entry<'_, K, V, S, A>
impl<K, V, S, A> Debug for hashbrown::map::Entry<'_, K, V, S, A>
impl<K, V, S, A> Debug for hashbrown::map::RawEntryMut<'_, K, V, S, A>
impl<K, V, S, A> Debug for hashbrown::raw_entry::RawEntryMut<'_, K, V, S, A>
impl<K, V, S, A> Debug for hashbrown::map::HashMap<K, V, S, A>
impl<K, V, S, A> Debug for hashbrown::map::HashMap<K, V, S, A>
impl<K, V, S, A> Debug for hashbrown::map::OccupiedEntry<'_, K, V, S, A>
impl<K, V, S, A> Debug for hashbrown::map::OccupiedEntry<'_, K, V, S, A>
impl<K, V, S, A> Debug for hashbrown::map::OccupiedError<'_, K, V, S, A>
impl<K, V, S, A> Debug for hashbrown::map::OccupiedError<'_, K, V, S, A>
impl<K, V, S, A> Debug for hashbrown::map::RawEntryBuilder<'_, K, V, S, A>where
A: Allocator,
impl<K, V, S, A> Debug for hashbrown::map::RawEntryBuilderMut<'_, K, V, S, A>where
A: Allocator,
impl<K, V, S, A> Debug for hashbrown::map::RawOccupiedEntryMut<'_, K, V, S, A>
impl<K, V, S, A> Debug for hashbrown::map::RawVacantEntryMut<'_, K, V, S, A>where
A: Allocator,
impl<K, V, S, A> Debug for hashbrown::map::VacantEntry<'_, K, V, S, A>
impl<K, V, S, A> Debug for hashbrown::map::VacantEntry<'_, K, V, S, A>where
K: Debug,
A: Allocator,
impl<K, V, S, A> Debug for hashbrown::raw_entry::RawEntryBuilder<'_, K, V, S, A>where
A: Allocator,
impl<K, V, S, A> Debug for hashbrown::raw_entry::RawEntryBuilderMut<'_, K, V, S, A>where
A: Allocator,
impl<K, V, S, A> Debug for hashbrown::raw_entry::RawOccupiedEntryMut<'_, K, V, S, A>
impl<K, V, S, A> Debug for hashbrown::raw_entry::RawVacantEntryMut<'_, K, V, S, A>where
A: Allocator,
impl<K, V, S, W> Debug for CLruCache<K, V, S, W>
impl<L> Debug for rowan::api::SyntaxElementChildren<L>
impl<L> Debug for rowan::api::SyntaxNode<L>where
L: Language,
impl<L> Debug for rowan::api::SyntaxNodeChildren<L>
impl<L> Debug for rowan::api::SyntaxToken<L>where
L: Language,
impl<L> Debug for SyntaxNodePtr<L>
impl<L, R> Debug for either::Either<L, R>
impl<L, R> Debug for IterEither<L, R>
impl<Length> Debug for TextLine<Length>
impl<Length> Debug for i_slint_core::textlayout::shaping::Glyph<Length>where
Length: Debug,
impl<M> Debug for async_task::runnable::Builder<M>where
M: Debug,
impl<M> Debug for Runnable<M>where
M: Debug,
impl<M> Debug for icu_provider::baked::zerotrie::Data<M>
impl<M> Debug for DataPayload<M>where
M: DynamicDataMarker,
&'a <<M as DynamicDataMarker>::DataStruct as Yokeable<'a>>::Output: for<'a> Debug,
impl<M> Debug for DataResponse<M>where
M: DynamicDataMarker,
&'a <<M as DynamicDataMarker>::DataStruct as Yokeable<'a>>::Output: for<'a> Debug,
impl<M, O> Debug for DataPayloadOr<M, O>where
M: DynamicDataMarker,
&'a <<M as DynamicDataMarker>::DataStruct as Yokeable<'a>>::Output: for<'a> Debug,
O: Debug,
impl<M, P> Debug for DataProviderWithMarker<M, P>
impl<N> Debug for AstChildren<N>
impl<N> Debug for AstPtr<N>where
N: AstNode,
impl<N, T> Debug for rowan::utility_types::NodeOrToken<N, T>
impl<O> Debug for F32<O>where
O: ByteOrder,
impl<O> Debug for F64<O>where
O: ByteOrder,
impl<O> Debug for I16<O>where
O: ByteOrder,
impl<O> Debug for I32<O>where
O: ByteOrder,
impl<O> Debug for I64<O>where
O: ByteOrder,
impl<O> Debug for I128<O>where
O: ByteOrder,
impl<O> Debug for Isize<O>where
O: ByteOrder,
impl<O> Debug for U16<O>where
O: ByteOrder,
impl<O> Debug for U32<O>where
O: ByteOrder,
impl<O> Debug for U64<O>where
O: ByteOrder,
impl<O> Debug for U128<O>where
O: ByteOrder,
impl<O> Debug for Usize<O>where
O: ByteOrder,
impl<Opcode> Debug for rustix::ioctl::patterns::NoArg<Opcode>where
Opcode: CompileTimeOpcode,
impl<Opcode, Input> Debug for rustix::ioctl::patterns::Setter<Opcode, Input>where
Opcode: CompileTimeOpcode,
Input: Debug,
impl<Opcode, Output> Debug for rustix::ioctl::patterns::Getter<Opcode, Output>where
Opcode: CompileTimeOpcode,
impl<Ordering, Data> Debug for PollResult<Ordering, Data>
impl<P> Debug for LogicalInsets<P>where
P: Debug,
impl<P> Debug for dpi::LogicalPosition<P>where
P: Debug,
impl<P> Debug for dpi::LogicalSize<P>where
P: Debug,
impl<P> Debug for LogicalUnit<P>where
P: Debug,
impl<P> Debug for PhysicalInsets<P>where
P: Debug,
impl<P> Debug for dpi::PhysicalPosition<P>where
P: Debug,
impl<P> Debug for dpi::PhysicalSize<P>where
P: Debug,
impl<P> Debug for PhysicalUnit<P>where
P: Debug,
impl<P> Debug for EnumeratePixels<'_, P>
impl<P> Debug for EnumeratePixelsMut<'_, P>
impl<P> Debug for EnumerateRows<'_, P>
impl<P> Debug for EnumerateRowsMut<'_, P>
impl<P> Debug for image::buffer_::Pixels<'_, P>
impl<P> Debug for PixelsMut<'_, P>
impl<P> Debug for Rows<'_, P>
impl<P> Debug for RowsMut<'_, P>
impl<P, Container> Debug for ImageBuffer<P, Container>
impl<Ptr> Debug for Pin<Ptr>where
Ptr: Debug,
impl<R1, R2> Debug for futures_lite::io::Chain<R1, R2>
impl<R> Debug for std::io::buffered::bufreader::BufReader<R>
impl<R> Debug for std::io::Bytes<R>where
R: Debug,
impl<R> Debug for CrcReader<R>where
R: Debug,
impl<R> Debug for flate2::deflate::bufread::DeflateDecoder<R>where
R: Debug,
impl<R> Debug for flate2::deflate::bufread::DeflateEncoder<R>where
R: Debug,
impl<R> Debug for flate2::deflate::read::DeflateDecoder<R>where
R: Debug,
impl<R> Debug for flate2::deflate::read::DeflateEncoder<R>where
R: Debug,
impl<R> Debug for flate2::gz::bufread::GzDecoder<R>where
R: Debug,
impl<R> Debug for flate2::gz::bufread::GzEncoder<R>where
R: Debug,
impl<R> Debug for flate2::gz::bufread::MultiGzDecoder<R>where
R: Debug,
impl<R> Debug for flate2::gz::read::GzDecoder<R>where
R: Debug,
impl<R> Debug for flate2::gz::read::GzEncoder<R>where
R: Debug,
impl<R> Debug for flate2::gz::read::MultiGzDecoder<R>where
R: Debug,
impl<R> Debug for flate2::zlib::bufread::ZlibDecoder<R>where
R: Debug,
impl<R> Debug for flate2::zlib::bufread::ZlibEncoder<R>where
R: Debug,
impl<R> Debug for flate2::zlib::read::ZlibDecoder<R>where
R: Debug,
impl<R> Debug for flate2::zlib::read::ZlibEncoder<R>where
R: Debug,
impl<R> Debug for futures_lite::io::BufReader<R>where
R: Debug,
impl<R> Debug for futures_lite::io::Bytes<R>where
R: Debug,
impl<R> Debug for futures_lite::io::Lines<R>where
R: Debug,
impl<R> Debug for futures_lite::io::Split<R>where
R: Debug,
impl<R> Debug for futures_lite::io::Take<R>where
R: Debug,
impl<R> Debug for futures_util::io::buf_reader::BufReader<R>where
R: Debug,
impl<R> Debug for futures_util::io::lines::Lines<R>where
R: Debug,
impl<R> Debug for futures_util::io::take::Take<R>where
R: Debug,
impl<R> Debug for ResponseDispatchNotifier<R>where
R: Debug,
impl<R, E> Debug for ReplyOrError<R, E>
impl<R, W> Debug for zbus::connection::socket::split::Split<R, W>
impl<S1, S2> Debug for futures_lite::stream::Or<S1, S2>
impl<S1, S2> Debug for futures_lite::stream::Race<S1, S2>
impl<S> Debug for url::host::Host<S>where
S: Debug,
impl<S> Debug for BlockingStream<S>
impl<S> Debug for futures_lite::stream::BlockOn<S>where
S: Debug,
impl<S> Debug for futures_lite::stream::Cloned<S>where
S: Debug,
impl<S> Debug for futures_lite::stream::Copied<S>where
S: Debug,
impl<S> Debug for CountFuture<S>
impl<S> Debug for futures_lite::stream::Cycle<S>where
S: Debug,
impl<S> Debug for futures_lite::stream::Enumerate<S>where
S: Debug,
impl<S> Debug for futures_lite::stream::Flatten<S>
impl<S> Debug for futures_lite::stream::Fuse<S>where
S: Debug,
impl<S> Debug for LastFuture<S>
impl<S> Debug for futures_lite::stream::Skip<S>where
S: Debug,
impl<S> Debug for futures_lite::stream::StepBy<S>where
S: Debug,
impl<S> Debug for futures_lite::stream::Take<S>where
S: Debug,
impl<S> Debug for futures_util::stream::poll_immediate::PollImmediate<S>where
S: Debug,
impl<S> Debug for SplitStream<S>where
S: Debug,
impl<S> Debug for lyon_geom::arc::Arc<S>where
S: Debug,
impl<S> Debug for lyon_geom::arc::SvgArc<S>where
S: Debug,
impl<S> Debug for CubicBezierSegment<S>where
S: Debug,
impl<S> Debug for lyon_geom::line::Line<S>where
S: Debug,
impl<S> Debug for LineEquation<S>where
S: Debug,
impl<S> Debug for LineSegment<S>where
S: Debug,
impl<S> Debug for QuadraticBezierSegment<S>where
S: Debug,
impl<S> Debug for lyon_geom::triangle::Triangle<S>where
S: Debug,
impl<S> Debug for MultiHeaders<S>where
S: Debug,
impl<S> Debug for FromSortedStream<S>where
S: Debug,
impl<S> Debug for IntoOrdering<S>where
S: Debug,
impl<S> Debug for ordered_stream::adapters::IntoStream<S>where
S: Debug,
impl<S> Debug for IntoTupleStream<S>where
S: Debug,
impl<S> Debug for ordered_stream::adapters::Peekable<S>where
S: Debug + OrderedStream,
<S as OrderedStream>::Ordering: Debug,
<S as OrderedStream>::Data: Debug,
impl<S> Debug for RustConnection<S>
impl<S, C> Debug for CollectFuture<S, C>
impl<S, C> Debug for TryCollectFuture<S, C>
impl<S, F> Debug for futures_lite::stream::FilterMap<S, F>
impl<S, F> Debug for ForEachFuture<S, F>
impl<S, F> Debug for futures_lite::stream::Inspect<S, F>
impl<S, F> Debug for futures_lite::stream::Map<S, F>
impl<S, F> Debug for ordered_stream::adapters::Filter<S, F>
impl<S, F> Debug for ordered_stream::adapters::FilterMap<S, F>
impl<S, F> Debug for FromStreamDirect<S, F>
impl<S, F> Debug for ordered_stream::adapters::Map<S, F>
impl<S, F> Debug for MapItem<S, F>
impl<S, F, Fut> Debug for futures_lite::stream::Then<S, F, Fut>
impl<S, F, Fut> Debug for ordered_stream::adapters::Then<S, F, Fut>
impl<S, F, Ordering> Debug for FromStream<S, F, Ordering>
impl<S, F, T> Debug for FoldFuture<S, F, T>
impl<S, FromA, FromB> Debug for UnzipFuture<S, FromA, FromB>
impl<S, Fut> Debug for StopAfterFuture<S, Fut>
impl<S, Item> Debug for SplitSink<S, Item>
impl<S, MapInto, MapFrom> Debug for MapOrdering<S, MapInto, MapFrom>
impl<S, P> Debug for futures_lite::stream::Filter<S, P>
impl<S, P> Debug for futures_lite::stream::MapWhile<S, P>
impl<S, P> Debug for futures_lite::stream::SkipWhile<S, P>
impl<S, P> Debug for futures_lite::stream::TakeWhile<S, P>
impl<S, P, B> Debug for PartitionFuture<S, P, B>
impl<S, St, F> Debug for futures_lite::stream::Scan<S, St, F>
impl<S, U> Debug for futures_lite::stream::Chain<S, U>
impl<S, U, F> Debug for futures_lite::stream::FlatMap<S, U, F>
impl<Si1, Si2> Debug for Fanout<Si1, Si2>
impl<Si, F> Debug for SinkMapErr<Si, F>
impl<Si, Item> Debug for futures_util::sink::buffer::Buffer<Si, Item>
impl<Si, Item, E> Debug for SinkErrInto<Si, Item, E>
impl<Si, Item, U, Fut, F> Debug for With<Si, Item, U, Fut, F>
impl<Si, Item, U, St, F> Debug for WithFlatMap<Si, Item, U, St, F>
impl<Si, St> Debug for SendAll<'_, Si, St>
impl<Src, Dst> Debug for AlignmentError<Src, Dst>where
Dst: ?Sized,
impl<Src, Dst> Debug for SizeError<Src, Dst>where
Dst: ?Sized,
impl<Src, Dst> Debug for ValidityError<Src, Dst>where
Dst: TryFromBytes + ?Sized,
impl<St1, St2> Debug for futures_util::stream::select::Select<St1, St2>
impl<St1, St2> Debug for futures_util::stream::stream::chain::Chain<St1, St2>
impl<St1, St2> Debug for futures_util::stream::stream::zip::Zip<St1, St2>
impl<St1, St2, Clos, State> Debug for SelectWithStrategy<St1, St2, Clos, State>
impl<St> Debug for futures_util::stream::select_all::IntoIter<St>
impl<St> Debug for futures_util::stream::select_all::SelectAll<St>where
St: Debug,
impl<St> Debug for BufferUnordered<St>
impl<St> Debug for Buffered<St>
impl<St> Debug for futures_util::stream::stream::catch_unwind::CatchUnwind<St>where
St: Debug,
impl<St> Debug for futures_util::stream::stream::chunks::Chunks<St>
impl<St> Debug for Concat<St>
impl<St> Debug for futures_util::stream::stream::count::Count<St>where
St: Debug,
impl<St> Debug for futures_util::stream::stream::cycle::Cycle<St>where
St: Debug,
impl<St> Debug for futures_util::stream::stream::enumerate::Enumerate<St>where
St: Debug,
impl<St> Debug for futures_util::stream::stream::fuse::Fuse<St>where
St: Debug,
impl<St> Debug for StreamFuture<St>where
St: Debug,
impl<St> Debug for Peek<'_, St>
impl<St> Debug for futures_util::stream::stream::peek::PeekMut<'_, St>
impl<St> Debug for futures_util::stream::stream::peek::Peekable<St>
impl<St> Debug for ReadyChunks<St>
impl<St> Debug for futures_util::stream::stream::skip::Skip<St>where
St: Debug,
impl<St> Debug for futures_util::stream::stream::Flatten<St>
impl<St> Debug for futures_util::stream::stream::take::Take<St>where
St: Debug,
impl<St> Debug for IntoAsyncRead<St>
impl<St> Debug for futures_util::stream::try_stream::into_stream::IntoStream<St>where
St: Debug,
impl<St> Debug for TryBufferUnordered<St>
impl<St> Debug for TryBuffered<St>
impl<St> Debug for TryChunks<St>
impl<St> Debug for TryConcat<St>
impl<St> Debug for futures_util::stream::try_stream::try_flatten::TryFlatten<St>
impl<St> Debug for TryFlattenUnordered<St>
impl<St> Debug for TryReadyChunks<St>
impl<St, C> Debug for Collect<St, C>
impl<St, C> Debug for TryCollect<St, C>
impl<St, E> Debug for futures_util::stream::try_stream::ErrInto<St, E>
impl<St, F> Debug for futures_util::stream::stream::map::Map<St, F>where
St: Debug,
impl<St, F> Debug for NextIf<'_, St, F>
impl<St, F> Debug for futures_util::stream::stream::Inspect<St, F>
impl<St, F> Debug for futures_util::stream::try_stream::InspectErr<St, F>
impl<St, F> Debug for futures_util::stream::try_stream::InspectOk<St, F>
impl<St, F> Debug for futures_util::stream::try_stream::MapErr<St, F>
impl<St, F> Debug for futures_util::stream::try_stream::MapOk<St, F>
impl<St, F> Debug for Iterate<St, F>where
St: Debug,
impl<St, F> Debug for itertools::sources::Unfold<St, F>where
St: Debug,
impl<St, FromA, FromB> Debug for Unzip<St, FromA, FromB>
impl<St, Fut> Debug for TakeUntil<St, Fut>
impl<St, Fut, F> Debug for All<St, Fut, F>
impl<St, Fut, F> Debug for Any<St, Fut, F>
impl<St, Fut, F> Debug for futures_util::stream::stream::filter::Filter<St, Fut, F>
impl<St, Fut, F> Debug for futures_util::stream::stream::filter_map::FilterMap<St, Fut, F>
impl<St, Fut, F> Debug for ForEach<St, Fut, F>
impl<St, Fut, F> Debug for ForEachConcurrent<St, Fut, F>
impl<St, Fut, F> Debug for futures_util::stream::stream::skip_while::SkipWhile<St, Fut, F>
impl<St, Fut, F> Debug for futures_util::stream::stream::take_while::TakeWhile<St, Fut, F>
impl<St, Fut, F> Debug for futures_util::stream::stream::then::Then<St, Fut, F>
impl<St, Fut, F> Debug for futures_util::stream::try_stream::and_then::AndThen<St, Fut, F>
impl<St, Fut, F> Debug for futures_util::stream::try_stream::or_else::OrElse<St, Fut, F>
impl<St, Fut, F> Debug for TryAll<St, Fut, F>
impl<St, Fut, F> Debug for TryAny<St, Fut, F>
impl<St, Fut, F> Debug for TryFilter<St, Fut, F>
impl<St, Fut, F> Debug for TryFilterMap<St, Fut, F>
impl<St, Fut, F> Debug for TryForEach<St, Fut, F>
impl<St, Fut, F> Debug for TryForEachConcurrent<St, Fut, F>
impl<St, Fut, F> Debug for TrySkipWhile<St, Fut, F>
impl<St, Fut, F> Debug for TryTakeWhile<St, Fut, F>
impl<St, Fut, T, F> Debug for Fold<St, Fut, T, F>
impl<St, Fut, T, F> Debug for TryFold<St, Fut, T, F>
impl<St, S, Fut, F> Debug for futures_util::stream::stream::scan::Scan<St, S, Fut, F>
impl<St, Si> Debug for Forward<St, Si>
impl<St, T> Debug for NextIfEq<'_, St, T>
impl<St, U, F> Debug for futures_util::stream::stream::FlatMap<St, U, F>
impl<St, U, F> Debug for FlatMapUnordered<St, U, F>
impl<State> Debug for EventQueue<State>
impl<State> Debug for QueueHandle<State>
impl<State> Debug for AdwaitaFrame<State>where
State: Debug,
impl<State> Debug for FallbackFrame<State>where
State: Debug,
impl<Storage> Debug for linux_raw_sys::general::__BindgenBitfieldUnit<Storage>where
Storage: Debug,
impl<Storage> Debug for linux_raw_sys::general::__BindgenBitfieldUnit<Storage>where
Storage: Debug,
impl<Storage> Debug for linux_raw_sys::net::__BindgenBitfieldUnit<Storage>where
Storage: Debug,
impl<Storage> Debug for linux_raw_sys::net::__BindgenBitfieldUnit<Storage>where
Storage: Debug,
impl<Store> Debug for ZeroAsciiIgnoreCaseTrie<Store>
impl<Store> Debug for ZeroTrie<Store>where
Store: Debug,
impl<Store> Debug for ZeroTrieExtendedCapacity<Store>
impl<Store> Debug for ZeroTriePerfectHash<Store>
impl<Store> Debug for ZeroTrieSimpleAscii<Store>
impl<Str> Debug for winit::keyboard::Key<Str>where
Str: Debug,
impl<T> Debug for layer_shika::sctk::calloop::channel::Event<T>where
T: Debug,
impl<T> Debug for WEnum<T>where
T: Debug,
impl<T> Debug for Bound<T>where
T: Debug,
impl<T> Debug for Option<T>where
T: Debug,
impl<T> Debug for core::task::poll::Poll<T>where
T: Debug,
impl<T> Debug for SendTimeoutError<T>
impl<T> Debug for std::sync::mpsc::TrySendError<T>
impl<T> Debug for std::sync::poison::TryLockError<T>
impl<T> Debug for async_broadcast::TrySendError<T>
impl<T> Debug for async_channel::TrySendError<T>
impl<T> Debug for LocalResult<T>where
T: Debug,
impl<T> Debug for PushError<T>where
T: Debug,
impl<T> Debug for glutin::surface::Surface<T>where
T: Debug + SurfaceTypeTrait,
impl<T> Debug for FoldWhile<T>where
T: Debug,
impl<T> Debug for MinMaxResult<T>where
T: Debug,
impl<T> Debug for TokenAtOffset<T>where
T: Debug,
impl<T> Debug for WalkEvent<T>where
T: Debug,
impl<T> Debug for winit::event::Event<T>where
T: Debug + 'static,
impl<T> Debug for *const Twhere
T: ?Sized,
impl<T> Debug for *mut Twhere
T: ?Sized,
impl<T> Debug for &T
impl<T> Debug for &mut T
impl<T> Debug for [T]where
T: Debug,
impl<T> Debug for (T₁, T₂, …, Tₙ)where
T: Debug,
This trait is implemented for tuples up to twelve items long.
impl<T> Debug for Channel<T>where
T: Debug,
impl<T> Debug for layer_shika::sctk::calloop::channel::Sender<T>where
T: Debug,
impl<T> Debug for layer_shika::sctk::calloop::channel::SyncSender<T>where
T: Debug,
impl<T> Debug for FdWrapper<T>
impl<T> Debug for NoIoDrop<T>where
T: Debug,
impl<T> Debug for InsertError<T>
impl<T> Debug for TransientSource<T>where
T: Debug,
impl<T> Debug for ThinBox<T>
impl<T> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::binary_heap::Iter<'_, T>where
T: Debug,
impl<T> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_set::Iter<'_, T>where
T: Debug,
impl<T> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_set::SymmetricDifference<'_, T>where
T: Debug,
impl<T> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_set::Union<'_, T>where
T: Debug,
impl<T> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::linked_list::Iter<'_, T>where
T: Debug,
impl<T> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::linked_list::IterMut<'_, T>where
T: Debug,
impl<T> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::vec_deque::Iter<'_, T>where
T: Debug,
impl<T> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::vec_deque::IterMut<'_, T>where
T: Debug,
impl<T> Debug for layer_shika::wayland_client::backend::smallvec::alloc::slice::Iter<'_, T>where
T: Debug,
impl<T> Debug for layer_shika::wayland_client::backend::smallvec::alloc::slice::IterMut<'_, T>where
T: Debug,
impl<T> Debug for layer_shika::wayland_client::backend::smallvec::alloc::vec::PeekMut<'_, T>where
T: Debug,
impl<T> Debug for core::cell::once::OnceCell<T>where
T: Debug,
impl<T> Debug for Cell<T>
impl<T> Debug for core::cell::Ref<'_, T>
impl<T> Debug for RefCell<T>
impl<T> Debug for RefMut<'_, T>
impl<T> Debug for SyncUnsafeCell<T>where
T: ?Sized,
impl<T> Debug for UnsafeCell<T>where
T: ?Sized,
impl<T> Debug for Reverse<T>where
T: Debug,
impl<T> Debug for NumBuffer<T>where
T: Debug + NumBufferTrait,
impl<T> Debug for core::future::pending::Pending<T>
impl<T> Debug for core::future::ready::Ready<T>where
T: Debug,
impl<T> Debug for Rev<T>where
T: Debug,
impl<T> Debug for core::iter::sources::empty::Empty<T>
impl<T> Debug for core::iter::sources::once::Once<T>where
T: Debug,
impl<T> Debug for PhantomData<T>where
T: ?Sized,
impl<T> Debug for PhantomContravariant<T>where
T: ?Sized,
impl<T> Debug for PhantomCovariant<T>where
T: ?Sized,
impl<T> Debug for PhantomInvariant<T>where
T: ?Sized,
impl<T> Debug for ManuallyDrop<T>
impl<T> Debug for Discriminant<T>
impl<T> Debug for NonZero<T>where
T: ZeroablePrimitive + Debug,
impl<T> Debug for Saturating<T>where
T: Debug,
impl<T> Debug for Wrapping<T>where
T: Debug,
impl<T> Debug for Yeet<T>where
T: Debug,
impl<T> Debug for AssertUnwindSafe<T>where
T: Debug,
impl<T> Debug for UnsafePinned<T>where
T: ?Sized,
impl<T> Debug for NonNull<T>where
T: ?Sized,
impl<T> Debug for core::result::IntoIter<T>where
T: Debug,
impl<T> Debug for core::sync::atomic::AtomicPtr<T>
impl<T> Debug for Exclusive<T>where
T: ?Sized,
impl<T> Debug for std::io::cursor::Cursor<T>where
T: Debug,
impl<T> Debug for std::io::Take<T>where
T: Debug,
impl<T> Debug for std::sync::mpmc::IntoIter<T>where
T: Debug,
impl<T> Debug for std::sync::mpmc::Receiver<T>
impl<T> Debug for std::sync::mpmc::Sender<T>
impl<T> Debug for std::sync::mpsc::IntoIter<T>where
T: Debug,
impl<T> Debug for std::sync::mpsc::Receiver<T>
impl<T> Debug for std::sync::mpsc::SendError<T>
impl<T> Debug for std::sync::mpsc::Sender<T>
impl<T> Debug for std::sync::mpsc::SyncSender<T>
impl<T> Debug for OnceLock<T>where
T: Debug,
impl<T> Debug for std::sync::poison::mutex::MappedMutexGuard<'_, T>
impl<T> Debug for std::sync::poison::mutex::Mutex<T>
impl<T> Debug for std::sync::poison::mutex::MutexGuard<'_, T>
impl<T> Debug for MappedRwLockReadGuard<'_, T>
impl<T> Debug for MappedRwLockWriteGuard<'_, T>
impl<T> Debug for std::sync::poison::rwlock::RwLock<T>
impl<T> Debug for std::sync::poison::rwlock::RwLockReadGuard<'_, T>
impl<T> Debug for std::sync::poison::rwlock::RwLockWriteGuard<'_, T>
impl<T> Debug for PoisonError<T>
impl<T> Debug for ReentrantLock<T>
impl<T> Debug for ReentrantLockGuard<'_, T>
impl<T> Debug for LocalKey<T>where
T: 'static,
impl<T> Debug for JoinHandle<T>
impl<T> Debug for CapacityError<T>
impl<T> Debug for InactiveReceiver<T>where
T: Debug,
impl<T> Debug for async_broadcast::Receiver<T>where
T: Debug,
impl<T> Debug for async_broadcast::SendError<T>
impl<T> Debug for async_broadcast::Sender<T>where
T: Debug,
impl<T> Debug for async_channel::Receiver<T>
impl<T> Debug for async_channel::SendError<T>
impl<T> Debug for async_channel::Sender<T>
impl<T> Debug for WeakReceiver<T>
impl<T> Debug for WeakSender<T>
impl<T> Debug for async_io::reactor::Readable<'_, T>
impl<T> Debug for ReadableOwned<T>
impl<T> Debug for async_io::reactor::Writable<'_, T>
impl<T> Debug for WritableOwned<T>
impl<T> Debug for async_io::Async<T>where
T: Debug,
impl<T> Debug for Lock<'_, T>where
T: ?Sized,
impl<T> Debug for async_lock::mutex::Mutex<T>
impl<T> Debug for async_lock::mutex::MutexGuard<'_, T>
impl<T> Debug for MutexGuardArc<T>
impl<T> Debug for async_lock::once_cell::OnceCell<T>where
T: Debug,
impl<T> Debug for async_lock::rwlock::futures::Read<'_, T>where
T: ?Sized,
impl<T> Debug for ReadArc<'_, T>
impl<T> Debug for UpgradableRead<'_, T>where
T: ?Sized,
impl<T> Debug for UpgradableReadArc<'_, T>where
T: ?Sized,
impl<T> Debug for Upgrade<'_, T>where
T: ?Sized,
impl<T> Debug for UpgradeArc<T>where
T: ?Sized,
impl<T> Debug for async_lock::rwlock::futures::Write<'_, T>where
T: ?Sized,
impl<T> Debug for WriteArc<'_, T>where
T: ?Sized,
impl<T> Debug for async_lock::rwlock::RwLock<T>
impl<T> Debug for async_lock::rwlock::RwLockReadGuard<'_, T>
impl<T> Debug for RwLockReadGuardArc<T>where
T: Debug,
impl<T> Debug for RwLockUpgradableReadGuard<'_, T>
impl<T> Debug for RwLockUpgradableReadGuardArc<T>
impl<T> Debug for async_lock::rwlock::RwLockWriteGuard<'_, T>
impl<T> Debug for RwLockWriteGuardArc<T>
impl<T> Debug for Unblock<T>where
T: Debug,
impl<T> Debug for ByAddress<T>
impl<T> Debug for ByThinAddress<T>
impl<T> Debug for ConcurrentQueue<T>
impl<T> Debug for ForcePushError<T>where
T: Debug,
impl<T> Debug for concurrent_queue::TryIter<'_, T>
impl<T> Debug for countme::Count<T>where
T: Debug + 'static,
impl<T> Debug for AtomicCell<T>
impl<T> Debug for CachePadded<T>where
T: Debug,
impl<T> Debug for FromBitsError<T>
impl<T> Debug for enumflags2::iter::Iter<T>
impl<T> Debug for BitFlags<T>
impl<T> Debug for euclid::angle::Angle<T>where
T: Debug,
impl<T> Debug for event_listener::Event<T>
impl<T> Debug for EventListener<T>
impl<T> Debug for futures_channel::mpsc::Receiver<T>
impl<T> Debug for futures_channel::mpsc::Sender<T>
impl<T> Debug for futures_channel::mpsc::TrySendError<T>
impl<T> Debug for UnboundedReceiver<T>
impl<T> Debug for UnboundedSender<T>
impl<T> Debug for futures_channel::oneshot::Receiver<T>
impl<T> Debug for futures_channel::oneshot::Sender<T>
impl<T> Debug for AssertAsync<T>where
T: Debug,
impl<T> Debug for futures_lite::io::BlockOn<T>where
T: Debug,
impl<T> Debug for futures_lite::io::Cursor<T>where
T: Debug,
impl<T> Debug for futures_lite::io::ReadHalf<T>where
T: Debug,
impl<T> Debug for futures_lite::io::WriteHalf<T>where
T: Debug,
impl<T> Debug for futures_lite::stream::Empty<T>where
T: Debug,
impl<T> Debug for futures_lite::stream::Once<T>where
T: Debug,
impl<T> Debug for futures_lite::stream::Pending<T>where
T: Debug,
impl<T> Debug for futures_lite::stream::Repeat<T>where
T: Debug,
impl<T> Debug for FutureObj<'_, T>
impl<T> Debug for LocalFutureObj<'_, T>
impl<T> Debug for Abortable<T>where
T: Debug,
impl<T> Debug for RemoteHandle<T>where
T: Debug,
impl<T> Debug for futures_util::future::pending::Pending<T>where
T: Debug,
impl<T> Debug for futures_util::future::poll_immediate::PollImmediate<T>where
T: Debug,
impl<T> Debug for futures_util::future::ready::Ready<T>where
T: Debug,
impl<T> Debug for AllowStdIo<T>where
T: Debug,
impl<T> Debug for futures_util::io::cursor::Cursor<T>where
T: Debug,
impl<T> Debug for futures_util::io::split::ReadHalf<T>where
T: Debug,
impl<T> Debug for futures_util::io::split::ReuniteError<T>
impl<T> Debug for futures_util::io::split::WriteHalf<T>where
T: Debug,
impl<T> Debug for futures_util::io::window::Window<T>where
T: Debug,
impl<T> Debug for futures_util::lock::mutex::Mutex<T>where
T: ?Sized,
impl<T> Debug for futures_util::lock::mutex::MutexGuard<'_, T>
impl<T> Debug for MutexLockFuture<'_, T>where
T: ?Sized,
impl<T> Debug for OwnedMutexGuard<T>
impl<T> Debug for OwnedMutexLockFuture<T>where
T: ?Sized,
impl<T> Debug for futures_util::sink::drain::Drain<T>where
T: Debug,
impl<T> Debug for futures_util::stream::empty::Empty<T>where
T: Debug,
impl<T> Debug for futures_util::stream::pending::Pending<T>where
T: Debug,
impl<T> Debug for futures_util::stream::repeat::Repeat<T>where
T: Debug,
impl<T> Debug for glutin::api::egl::surface::Surface<T>where
T: SurfaceTypeTrait,
impl<T> Debug for glutin::api::glx::surface::Surface<T>where
T: SurfaceTypeTrait,
impl<T> Debug for SurfaceAttributes<T>where
T: Debug + SurfaceTypeTrait,
impl<T> Debug for SurfaceAttributesBuilder<T>
impl<T> Debug for hashbrown::table::Iter<'_, T>where
T: Debug,
impl<T> Debug for IterHash<'_, T>where
T: Debug,
impl<T> Debug for IterHashMut<'_, T>where
T: Debug,
impl<T> Debug for hashbrown::table::IterMut<'_, T>where
T: Debug,
impl<T> Debug for i_slint_core::graphics::color::RgbaColor<T>where
T: Debug,
impl<T> Debug for ModelRc<T>
impl<T> Debug for i_slint_core::properties::Property<T>
impl<T> Debug for Slice<'_, T>where
T: Debug,
impl<T> Debug for CodePointMapRange<T>where
T: Debug,
impl<T> Debug for CodePointMapData<T>
impl<T> Debug for PropertyNamesLong<T>where
T: NamedEnumeratedProperty,
impl<T> Debug for PropertyNamesShort<T>where
T: NamedEnumeratedProperty,
impl<T> Debug for PropertyParser<T>where
T: Debug,
impl<T> Debug for Luma<T>where
T: Debug,
impl<T> Debug for LumaA<T>where
T: Debug,
impl<T> Debug for image::color::Rgb<T>where
T: Debug,
impl<T> Debug for image::color::Rgba<T>where
T: Debug,
impl<T> Debug for TupleBuffer<T>
impl<T> Debug for itertools::ziptuple::Zip<T>where
T: Debug,
impl<T> Debug for libloading::os::unix::Symbol<T>
impl<T> Debug for libloading::safe::Symbol<'_, T>
impl<T> Debug for linux_raw_sys::general::__IncompleteArrayField<T>
impl<T> Debug for linux_raw_sys::general::__IncompleteArrayField<T>
impl<T> Debug for linux_raw_sys::net::__BindgenUnionField<T>
impl<T> Debug for linux_raw_sys::net::__BindgenUnionField<T>
impl<T> Debug for linux_raw_sys::net::__IncompleteArrayField<T>
impl<T> Debug for linux_raw_sys::net::__IncompleteArrayField<T>
impl<T> Debug for linux_raw_sys::netlink::__IncompleteArrayField<T>
impl<T> Debug for linux_raw_sys::netlink::__IncompleteArrayField<T>
impl<T> Debug for linux_raw_sys::system::__IncompleteArrayField<T>
impl<T> Debug for AlgSetKey<T>where
T: Debug,
impl<T> Debug for TcpUlp<T>where
T: Debug,
impl<T> Debug for OnceBox<T>
impl<T> Debug for once_cell::sync::OnceCell<T>where
T: Debug,
impl<T> Debug for once_cell::unsync::OnceCell<T>where
T: Debug,
impl<T> Debug for pin_weak::rc::PinWeak<T>
impl<T> Debug for pin_weak::sync::PinWeak<T>
impl<T> Debug for portable_atomic::AtomicPtr<T>
impl<T> Debug for Bgr<T>where
T: Debug,
impl<T> Debug for Gray_v08<T>where
T: Debug,
impl<T> Debug for Grb<T>where
T: Debug,
impl<T> Debug for rgb::formats::rgb::Rgb<T>where
T: Debug,
impl<T> Debug for slab::Drain<'_, T>
impl<T> Debug for slab::IntoIter<T>where
T: Debug,
impl<T> Debug for slab::Iter<'_, T>where
T: Debug,
impl<T> Debug for slab::IterMut<'_, T>where
T: Debug,
impl<T> Debug for Slab<T>where
T: Debug,
impl<T> Debug for KeyboardData<T>
impl<T> Debug for DebugValue<T>where
T: Debug,
impl<T> Debug for DisplayValue<T>where
T: Display,
impl<T> Debug for Instrumented<T>where
T: Debug,
impl<T> Debug for WithDispatch<T>where
T: Debug,
impl<T> Debug for ExtendedStateTable<'_, T>
impl<T> Debug for GenericStateEntry<T>
impl<T> Debug for winit::event_loop::EventLoop<T>
impl<T> Debug for EventLoopClosed<T>where
T: Debug,
impl<T> Debug for EventLoopProxy<T>where
T: 'static,
impl<T> Debug for Caseless<T>where
T: Debug,
impl<T> Debug for TokenSlice<'_, T>where
T: Debug,
impl<T> Debug for LossyWrap<T>where
T: Debug,
impl<T> Debug for WithPart<T>
impl<T> Debug for TryWriteableInfallibleAsWriteable<T>where
T: Debug,
impl<T> Debug for WriteableAsTryWriteableInfallible<T>where
T: Debug,
impl<T> Debug for zerocopy::split_at::Split<T>where
T: Debug,
impl<T> Debug for Unalign<T>
impl<T> Debug for ZeroSlice<T>
impl<T> Debug for ZeroVec<'_, T>
impl<T> Debug for Optional<T>where
T: Debug,
impl<T> Debug for DynamicTuple<T>where
T: Debug,
impl<T> Debug for MaybeUninit<T>
impl<T, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_set::Entry<'_, T, A>
impl<T, A> Debug for hashbrown::table::Entry<'_, T, A>
impl<T, A> Debug for hashbrown::table::Entry<'_, T, A>where
T: Debug,
A: Allocator,
impl<T, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::boxed::Box<T, A>
impl<T, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::binary_heap::IntoIter<T, A>
impl<T, A> Debug for IntoIterSorted<T, A>
impl<T, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::binary_heap::PeekMut<'_, T, A>
impl<T, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_set::Difference<'_, T, A>
impl<T, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_set::Intersection<'_, T, A>
impl<T, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_set::IntoIter<T, A>
impl<T, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_set::OccupiedEntry<'_, T, A>
impl<T, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_set::VacantEntry<'_, T, A>
impl<T, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::linked_list::Cursor<'_, T, A>
impl<T, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::linked_list::CursorMut<'_, T, A>
impl<T, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::linked_list::IntoIter<T, A>
impl<T, A> Debug for BTreeSet<T, A>
impl<T, A> Debug for BinaryHeap<T, A>
impl<T, A> Debug for LinkedList<T, A>
impl<T, A> Debug for VecDeque<T, A>
impl<T, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::vec_deque::Drain<'_, T, A>
impl<T, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::vec_deque::IntoIter<T, A>
impl<T, A> Debug for Rc<T, A>
impl<T, A> Debug for UniqueRc<T, A>
impl<T, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::rc::Weak<T, A>
impl<T, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::sync::Arc<T, A>
impl<T, A> Debug for UniqueArc<T, A>
impl<T, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::sync::Weak<T, A>
impl<T, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::vec::Drain<'_, T, A>
impl<T, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::vec::IntoIter<T, A>
impl<T, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::vec::Vec<T, A>
impl<T, A> Debug for allocator_api2::stable::boxed::Box<T, A>
impl<T, A> Debug for allocator_api2::stable::vec::drain::Drain<'_, T, A>
impl<T, A> Debug for allocator_api2::stable::vec::into_iter::IntoIter<T, A>
impl<T, A> Debug for allocator_api2::stable::vec::Vec<T, A>
impl<T, A> Debug for hashbrown::table::AbsentEntry<'_, T, A>
impl<T, A> Debug for hashbrown::table::AbsentEntry<'_, T, A>where
T: Debug,
A: Allocator,
impl<T, A> Debug for hashbrown::table::Drain<'_, T, A>
impl<T, A> Debug for hashbrown::table::Drain<'_, T, A>where
T: Debug,
A: Allocator,
impl<T, A> Debug for hashbrown::table::HashTable<T, A>
impl<T, A> Debug for hashbrown::table::HashTable<T, A>where
T: Debug,
A: Allocator,
impl<T, A> Debug for hashbrown::table::IntoIter<T, A>
impl<T, A> Debug for hashbrown::table::OccupiedEntry<'_, T, A>
impl<T, A> Debug for hashbrown::table::OccupiedEntry<'_, T, A>where
T: Debug,
A: Allocator,
impl<T, A> Debug for hashbrown::table::VacantEntry<'_, T, A>
impl<T, A> Debug for hashbrown::table::VacantEntry<'_, T, A>where
T: Debug,
A: Allocator,
impl<T, A> Debug for Abgr<T, A>
impl<T, A> Debug for Argb<T, A>
impl<T, A> Debug for Bgra<T, A>
impl<T, A> Debug for GrayA<T, A>
impl<T, A> Debug for GrayAlpha_v08<T, A>
impl<T, A> Debug for rgb::formats::rgba::Rgba<T, A>
impl<T, B> Debug for zerocopy::ref::def::Ref<B, T>
impl<T, E> Debug for Result<T, E>
impl<T, E> Debug for TryChunksError<T, E>where
E: Debug,
impl<T, E> Debug for TryReadyChunksError<T, E>where
E: Debug,
impl<T, F> Debug for LazyCell<T, F>where
T: Debug,
impl<T, F> Debug for Successors<T, F>where
T: Debug,
impl<T, F> Debug for LazyLock<T, F>where
T: Debug,
impl<T, F> Debug for AlwaysReady<T, F>where
F: Fn() -> T,
impl<T, F> Debug for once_cell::sync::Lazy<T, F>where
T: Debug,
impl<T, F> Debug for once_cell::unsync::Lazy<T, F>where
T: Debug,
impl<T, F> Debug for VarZeroVecOwned<T, F>
impl<T, F> Debug for VarZeroSlice<T, F>
impl<T, F> Debug for VarZeroVec<'_, T, F>
impl<T, F, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::linked_list::ExtractIf<'_, T, F, A>
impl<T, F, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::vec::ExtractIf<'_, T, F, A>
impl<T, F, Fut> Debug for futures_lite::stream::TryUnfold<T, F, Fut>
impl<T, F, Fut> Debug for futures_lite::stream::Unfold<T, F, Fut>
impl<T, F, Fut> Debug for futures_util::stream::try_stream::try_unfold::TryUnfold<T, F, Fut>
impl<T, F, Fut> Debug for futures_util::stream::unfold::Unfold<T, F, Fut>
impl<T, F, R> Debug for futures_util::sink::unfold::Unfold<T, F, R>
impl<T, F, S> Debug for ScopeGuard<T, F, S>
impl<T, Item> Debug for futures_util::stream::stream::split::ReuniteError<T, Item>
impl<T, M> Debug for FallibleTask<T, M>where
M: Debug,
impl<T, M> Debug for Task<T, M>where
M: Debug,
impl<T, P> Debug for layer_shika::wayland_client::backend::smallvec::alloc::slice::RSplit<'_, T, P>
impl<T, P> Debug for RSplitMut<'_, T, P>
impl<T, P> Debug for layer_shika::wayland_client::backend::smallvec::alloc::slice::RSplitN<'_, T, P>
impl<T, P> Debug for RSplitNMut<'_, T, P>
impl<T, P> Debug for layer_shika::wayland_client::backend::smallvec::alloc::slice::Split<'_, T, P>
impl<T, P> Debug for layer_shika::wayland_client::backend::smallvec::alloc::slice::SplitInclusive<'_, T, P>
impl<T, P> Debug for SplitInclusiveMut<'_, T, P>
impl<T, P> Debug for SplitMut<'_, T, P>
impl<T, P> Debug for layer_shika::wayland_client::backend::smallvec::alloc::slice::SplitN<'_, T, P>
impl<T, P> Debug for SplitNMut<'_, T, P>
impl<T, P> Debug for Punctuated<T, P>
impl<T, R, F, A> Debug for layer_shika::wayland_client::backend::smallvec::alloc::collections::btree_set::ExtractIf<'_, T, R, F, A>
impl<T, S> Debug for std::collections::hash::set::Entry<'_, T, S>where
T: Debug,
impl<T, S> Debug for std::collections::hash::set::Difference<'_, T, S>
impl<T, S> Debug for std::collections::hash::set::HashSet<T, S>where
T: Debug,
impl<T, S> Debug for std::collections::hash::set::Intersection<'_, T, S>
impl<T, S> Debug for std::collections::hash::set::OccupiedEntry<'_, T, S>where
T: Debug,
impl<T, S> Debug for std::collections::hash::set::SymmetricDifference<'_, T, S>
impl<T, S> Debug for std::collections::hash::set::Union<'_, T, S>
impl<T, S> Debug for std::collections::hash::set::VacantEntry<'_, T, S>where
T: Debug,
impl<T, S> Debug for AHashSet<T, S>where
T: Debug,
S: BuildHasher,
impl<T, S> Debug for linked_hash_set::Difference<'_, T, S>
impl<T, S> Debug for linked_hash_set::Intersection<'_, T, S>
impl<T, S> Debug for LinkedHashSet<T, S>
impl<T, S> Debug for linked_hash_set::SymmetricDifference<'_, T, S>
impl<T, S> Debug for linked_hash_set::Union<'_, T, S>
impl<T, S> Debug for winnow::stream::Checkpoint<T, S>where
T: Debug,
impl<T, S, A> Debug for hashbrown::set::Entry<'_, T, S, A>
impl<T, S, A> Debug for hashbrown::set::Entry<'_, T, S, A>where
T: Debug,
A: Allocator,
impl<T, S, A> Debug for hashbrown::set::Difference<'_, T, S, A>
impl<T, S, A> Debug for hashbrown::set::Difference<'_, T, S, A>
impl<T, S, A> Debug for hashbrown::set::HashSet<T, S, A>
impl<T, S, A> Debug for hashbrown::set::HashSet<T, S, A>where
T: Debug,
A: Allocator,
impl<T, S, A> Debug for hashbrown::set::Intersection<'_, T, S, A>
impl<T, S, A> Debug for hashbrown::set::Intersection<'_, T, S, A>
impl<T, S, A> Debug for hashbrown::set::OccupiedEntry<'_, T, S, A>
impl<T, S, A> Debug for hashbrown::set::OccupiedEntry<'_, T, S, A>where
T: Debug,
A: Allocator,
impl<T, S, A> Debug for hashbrown::set::SymmetricDifference<'_, T, S, A>
impl<T, S, A> Debug for hashbrown::set::SymmetricDifference<'_, T, S, A>
impl<T, S, A> Debug for hashbrown::set::Union<'_, T, S, A>
impl<T, S, A> Debug for hashbrown::set::Union<'_, T, S, A>
impl<T, S, A> Debug for hashbrown::set::VacantEntry<'_, T, S, A>
impl<T, S, A> Debug for hashbrown::set::VacantEntry<'_, T, S, A>where
T: Debug,
A: Allocator,
impl<T, Src, Dst> Debug for RigidTransform3D<T, Src, Dst>where
T: Debug,
impl<T, Src, Dst> Debug for Rotation2D<T, Src, Dst>where
T: Debug,
impl<T, Src, Dst> Debug for Rotation3D<T, Src, Dst>where
T: Debug,
impl<T, Src, Dst> Debug for Scale<T, Src, Dst>where
T: Debug,
impl<T, Src, Dst> Debug for euclid::transform2d::Transform2D<T, Src, Dst>
impl<T, Src, Dst> Debug for Transform3D<T, Src, Dst>
impl<T, Src, Dst> Debug for Translation2D<T, Src, Dst>where
T: Debug,
impl<T, Src, Dst> Debug for Translation3D<T, Src, Dst>where
T: Debug,
impl<T, U> Debug for std::io::Chain<T, U>
impl<T, U> Debug for Box2D<T, U>where
T: Debug,
impl<T, U> Debug for Box3D<T, U>where
T: Debug,
impl<T, U> Debug for HomogeneousVector<T, U>where
T: Debug,
impl<T, U> Debug for euclid::length::Length<T, U>where
T: Debug,
impl<T, U> Debug for Point2D<T, U>where
T: Debug,
impl<T, U> Debug for Point3D<T, U>where
T: Debug,
impl<T, U> Debug for euclid::rect::Rect<T, U>where
T: Debug,
impl<T, U> Debug for SideOffsets2D<T, U>where
T: Debug,
impl<T, U> Debug for Size2D<T, U>where
T: Debug,
impl<T, U> Debug for Size3D<T, U>where
T: Debug,
impl<T, U> Debug for Vector2D<T, U>where
T: Debug,
impl<T, U> Debug for Vector3D<T, U>where
T: Debug,
impl<T, U> Debug for futures_util::io::chain::Chain<T, U>
impl<T, U> Debug for futures_util::lock::mutex::MappedMutexGuard<'_, T, U>
impl<T, U> Debug for BorderRadius<T, U>where
T: Debug,
impl<T, U> Debug for ZipLongest<T, U>
impl<T, U, Flag> Debug for FieldOffset<T, U, Flag>
The debug implementation prints the byte offset of the field in hexadecimal.