pub trait Clone: Sized {
// Required method
fn clone(&self) -> Self;
// Provided method
fn clone_from(&mut self, source: &Self) { ... }
}Expand description
A common trait that allows explicit creation of a duplicate value.
Calling clone always produces a new value.
However, for types that are references to other data (such as smart pointers or references),
the new value may still point to the same underlying data, rather than duplicating it.
See Clone::clone for more details.
This distinction is especially important when using #[derive(Clone)] on structs containing
smart pointers like Arc<Mutex<T>> - the cloned struct will share mutable state with the
original.
Differs from Copy in that Copy is implicit and an inexpensive bit-wise copy, while
Clone is always explicit and may or may not be expensive. In order to enforce
these characteristics, Rust does not allow you to reimplement Copy, but you
may reimplement Clone and run arbitrary code.
Since Clone is more general than Copy, you can automatically make anything
Copy be Clone as well.
§Derivable
This trait can be used with #[derive] if all fields are Clone. The derived
implementation of Clone calls clone on each field.
For a generic struct, #[derive] implements Clone conditionally by adding bound Clone on
generic parameters.
// `derive` implements Clone for Reading<T> when T is Clone.
#[derive(Clone)]
struct Reading<T> {
frequency: T,
}§How can I implement Clone?
Types that are Copy should have a trivial implementation of Clone. More formally:
if T: Copy, x: T, and y: &T, then let x = y.clone(); is equivalent to let x = *y;.
Manual implementations should be careful to uphold this invariant; however, unsafe code
must not rely on it to ensure memory safety.
An example is a generic struct holding a function pointer. In this case, the
implementation of Clone cannot be derived, but can be implemented as:
struct Generate<T>(fn() -> T);
impl<T> Copy for Generate<T> {}
impl<T> Clone for Generate<T> {
fn clone(&self) -> Self {
*self
}
}If we derive:
#[derive(Copy, Clone)]
struct Generate<T>(fn() -> T);the auto-derived implementations will have unnecessary T: Copy and T: Clone bounds:
// Automatically derived
impl<T: Copy> Copy for Generate<T> { }
// Automatically derived
impl<T: Clone> Clone for Generate<T> {
fn clone(&self) -> Generate<T> {
Generate(Clone::clone(&self.0))
}
}The bounds are unnecessary because clearly the function itself should be copy- and cloneable even if its return type is not:
#[derive(Copy, Clone)]
struct Generate<T>(fn() -> T);
struct NotCloneable;
fn generate_not_cloneable() -> NotCloneable {
NotCloneable
}
Generate(generate_not_cloneable).clone(); // error: trait bounds were not satisfied
// Note: With the manual implementations the above line will compile.§Clone and PartialEq/Eq
Clone is intended for the duplication of objects. Consequently, when implementing
both Clone and PartialEq, the following property is expected to hold:
x == x -> x.clone() == xIn other words, if an object compares equal to itself, its clone must also compare equal to the original.
For types that also implement Eq – for which x == x always holds –
this implies that x.clone() == x must always be true.
Standard library collections such as
HashMap, HashSet, BTreeMap, BTreeSet and BinaryHeap
rely on their keys respecting this property for correct behavior.
Furthermore, these collections require that cloning a key preserves the outcome of the
Hash and Ord methods. Thankfully, this follows automatically from x.clone() == x
if Hash and Ord are correctly implemented according to their own requirements.
When deriving both Clone and PartialEq using #[derive(Clone, PartialEq)]
or when additionally deriving Eq using #[derive(Clone, PartialEq, Eq)],
then this property is automatically upheld – provided that it is satisfied by
the underlying types.
Violating this property is a logic error. The behavior resulting from a logic error is not
specified, but users of the trait must ensure that such logic errors do not result in
undefined behavior. This means that unsafe code must not rely on this property
being satisfied.
§Additional implementors
In addition to the implementors listed below,
the following types also implement Clone:
- Function item types (i.e., the distinct types defined for each function)
- Function pointer types (e.g.,
fn() -> i32) - Closure types, if they capture no value from the environment
or if all such captured values implement
Clonethemselves. Note that variables captured by shared reference always implementClone(even if the referent doesn’t), while variables captured by mutable reference never implementClone.
Required Methods§
1.0.0 · Sourcefn clone(&self) -> Self
fn clone(&self) -> Self
Returns a duplicate of the value.
Note that what “duplicate” means varies by type:
- For most types, this creates a deep, independent copy
- For reference types like
&T, this creates another reference to the same value - For smart pointers like
ArcorRc, this increments the reference count but still points to the same underlying data
§Examples
let hello = "Hello"; // &str implements Clone
assert_eq!("Hello", hello.clone());Example with a reference-counted type:
use std::sync::{Arc, Mutex};
let data = Arc::new(Mutex::new(vec![1, 2, 3]));
let data_clone = data.clone(); // Creates another Arc pointing to the same Mutex
{
let mut lock = data.lock().unwrap();
lock.push(4);
}
// Changes are visible through the clone because they share the same underlying data
assert_eq!(*data_clone.lock().unwrap(), vec![1, 2, 3, 4]);Provided Methods§
1.0.0 · Sourcefn clone_from(&mut self, source: &Self)
fn clone_from(&mut self, source: &Self)
Performs copy-assignment from source.
a.clone_from(&b) is equivalent to a = b.clone() in functionality,
but can be overridden to reuse the resources of a to avoid unnecessary
allocations.
Dyn Compatibility§
This trait is not dyn compatible.
In older versions of Rust, dyn compatibility was called "object safety", so this trait is not object safe.
Implementors§
impl Clone for ElfNoteType
impl Clone for FileLeaseType
impl Clone for IptIpFlags
impl Clone for KcmpResource
impl Clone for Resource
impl Clone for SyslogAction
impl Clone for AsciiChar
impl Clone for starnix_uapi::arch32::__static_assertions::_core::cmp::Ordering
impl Clone for Infallible
impl Clone for FromBytesWithNulError
impl Clone for starnix_uapi::arch32::__static_assertions::_core::fmt::Alignment
impl Clone for DebugAsHex
impl Clone for Sign
impl Clone for IpAddr
impl Clone for Ipv6MulticastScope
impl Clone for starnix_uapi::arch32::__static_assertions::_core::net::SocketAddr
impl Clone for FpCategory
impl Clone for IntErrorKind
impl Clone for starnix_uapi::arch32::__static_assertions::_core::slice::GetDisjointMutError
impl Clone for SearchStep
impl Clone for starnix_uapi::arch32::__static_assertions::_core::sync::atomic::Ordering
impl Clone for TryReserveErrorKind
impl Clone for VarError
impl Clone for SeekFrom
impl Clone for std::io::error::ErrorKind
impl Clone for Shutdown
impl Clone for BacktraceStyle
impl Clone for std::sync::mpsc::RecvTimeoutError
impl Clone for std::sync::mpsc::TryRecvError
impl Clone for Colons
impl Clone for Fixed
impl Clone for Numeric
impl Clone for OffsetPrecision
impl Clone for Pad
impl Clone for ParseErrorKind
impl Clone for SecondsFormat
impl Clone for Month
impl Clone for RoundingError
impl Clone for Weekday
impl Clone for log::Level
impl Clone for LevelFilter
impl Clone for Category
impl Clone for serde_json::value::Value
impl Clone for Origin
impl Clone for url::parser::ParseError
impl Clone for SyntaxViolation
impl Clone for url::slicing::Position
impl Clone for zerocopy::byteorder::BigEndian
impl Clone for zerocopy::byteorder::LittleEndian
impl Clone for zx_packet_guest_vcpu_type_t
impl Clone for zx_packet_type_t
impl Clone for zx_page_request_command_t
impl Clone for bool
impl Clone for char
impl Clone for f16
impl Clone for f32
impl Clone for f64
impl Clone for f128
impl Clone for i8
impl Clone for i16
impl Clone for i32
impl Clone for i64
impl Clone for i128
impl Clone for isize
impl Clone for !
impl Clone for u8
impl Clone for u16
impl Clone for u32
impl Clone for u64
impl Clone for u128
impl Clone for usize
impl Clone for Capabilities
impl Clone for Credentials
impl Clone for FsCred
impl Clone for PtraceAccessMode
impl Clone for SecureBits
impl Clone for UserAndOrGroupId
impl Clone for UserCredentials
impl Clone for DeviceType
impl Clone for Errno
impl Clone for ErrnoCode
impl Clone for Access
impl Clone for FileMode
impl Clone for InotifyMask
impl Clone for IptIpFlagsV4
impl Clone for IptIpFlagsV6
impl Clone for IptIpInverseFlags
impl Clone for NfIpHooks
impl Clone for NfNatRangeFlags
impl Clone for XtTcpInverseFlags
impl Clone for XtUdpInverseFlags
impl Clone for MountFlags
impl Clone for starnix_uapi::open_flags::OpenFlags
impl Clone for PersonalityFlags
impl Clone for ResourceLimits
impl Clone for SealFlags
impl Clone for SigSet
impl Clone for Signal
impl Clone for UncheckedSignal
impl Clone for __kernel_fd_set
impl Clone for __kernel_fsid_t
impl Clone for __kernel_itimerspec
impl Clone for __kernel_old_timespec
impl Clone for __kernel_sigaction
impl Clone for __kernel_sock_timeval
impl Clone for __kernel_timespec
impl Clone for __old_kernel_stat
impl Clone for __sifields__bindgen_ty_1
impl Clone for __sifields__bindgen_ty_2
impl Clone for __sifields__bindgen_ty_3
impl Clone for __sifields__bindgen_ty_4
impl Clone for __sifields__bindgen_ty_5
impl Clone for __sifields__bindgen_ty_5__bindgen_ty_1__bindgen_ty_1
impl Clone for __sifields__bindgen_ty_5__bindgen_ty_1__bindgen_ty_2
impl Clone for __sifields__bindgen_ty_5__bindgen_ty_1__bindgen_ty_3
impl Clone for __sifields__bindgen_ty_6
impl Clone for __sifields__bindgen_ty_7
impl Clone for __sk_buff
impl Clone for __user_cap_data_struct
impl Clone for __user_cap_header_struct
impl Clone for _fpreg
impl Clone for _fpstate_32
impl Clone for _fpstate_64
impl Clone for _fpx_sw_bytes
impl Clone for _fpxreg
impl Clone for _header
impl Clone for _xmmreg
impl Clone for _xstate
impl Clone for _xt_align
impl Clone for _ymmh_state
impl Clone for arphdr
impl Clone for arpreq
impl Clone for arpreq_old
impl Clone for ashmem_pin
impl Clone for audit_features
impl Clone for audit_status
impl Clone for audit_tty_status
impl Clone for binder_buffer_object
impl Clone for binder_extended_error
impl Clone for binder_fd_array_object
impl Clone for binder_fd_object
impl Clone for binder_freeze_info
impl Clone for binder_frozen_state_info
impl Clone for binder_frozen_status_info
impl Clone for binder_node_debug_info
impl Clone for binder_node_info_for_ref
impl Clone for binder_object_header
impl Clone for binder_pri_desc
impl Clone for binder_transaction_data
impl Clone for binder_transaction_data__bindgen_ty_2__bindgen_ty_1
impl Clone for binder_transaction_data_secctx
impl Clone for binder_transaction_data_sg
impl Clone for binder_version
impl Clone for binder_write_read
impl Clone for binderfs_device
impl Clone for bpf_attr__bindgen_ty_1
impl Clone for bpf_attr__bindgen_ty_2
impl Clone for bpf_attr__bindgen_ty_3
impl Clone for bpf_attr__bindgen_ty_4
impl Clone for bpf_attr__bindgen_ty_5
impl Clone for bpf_attr__bindgen_ty_6
impl Clone for bpf_attr__bindgen_ty_7
impl Clone for bpf_attr__bindgen_ty_8
impl Clone for bpf_attr__bindgen_ty_9
impl Clone for bpf_attr__bindgen_ty_10
impl Clone for bpf_attr__bindgen_ty_11
impl Clone for bpf_attr__bindgen_ty_12
impl Clone for bpf_attr__bindgen_ty_13
impl Clone for bpf_attr__bindgen_ty_14
impl Clone for bpf_attr__bindgen_ty_14__bindgen_ty_3__bindgen_ty_1
impl Clone for bpf_attr__bindgen_ty_14__bindgen_ty_3__bindgen_ty_2
impl Clone for bpf_attr__bindgen_ty_14__bindgen_ty_3__bindgen_ty_3
impl Clone for bpf_attr__bindgen_ty_14__bindgen_ty_3__bindgen_ty_4
impl Clone for bpf_attr__bindgen_ty_14__bindgen_ty_3__bindgen_ty_5
impl Clone for bpf_attr__bindgen_ty_14__bindgen_ty_3__bindgen_ty_6
impl Clone for bpf_attr__bindgen_ty_14__bindgen_ty_3__bindgen_ty_7
impl Clone for bpf_attr__bindgen_ty_14__bindgen_ty_3__bindgen_ty_8
impl Clone for bpf_attr__bindgen_ty_15
impl Clone for bpf_attr__bindgen_ty_16
impl Clone for bpf_attr__bindgen_ty_17
impl Clone for bpf_attr__bindgen_ty_18
impl Clone for bpf_attr__bindgen_ty_19
impl Clone for bpf_attr__bindgen_ty_20
impl Clone for bpf_btf_info
impl Clone for bpf_cgroup_dev_ctx
impl Clone for bpf_cgroup_storage_key
impl Clone for bpf_core_relo
impl Clone for bpf_cpumap_val
impl Clone for bpf_devmap_val
impl Clone for bpf_dynptr
impl Clone for bpf_fib_lookup
impl Clone for bpf_fib_lookup__bindgen_ty_5__bindgen_ty_1
impl Clone for bpf_fib_lookup__bindgen_ty_6__bindgen_ty_1
impl Clone for bpf_fib_lookup__bindgen_ty_6__bindgen_ty_2
impl Clone for bpf_flow_keys
impl Clone for bpf_flow_keys__bindgen_ty_1__bindgen_ty_1
impl Clone for bpf_flow_keys__bindgen_ty_1__bindgen_ty_2
impl Clone for bpf_func_info
impl Clone for bpf_insn
impl Clone for bpf_iter_link_info__bindgen_ty_1
impl Clone for bpf_iter_link_info__bindgen_ty_2
impl Clone for bpf_iter_link_info__bindgen_ty_3
impl Clone for bpf_iter_num
impl Clone for bpf_line_info
impl Clone for bpf_link_info
impl Clone for bpf_link_info__bindgen_ty_1__bindgen_ty_1
impl Clone for bpf_link_info__bindgen_ty_1__bindgen_ty_2
impl Clone for bpf_link_info__bindgen_ty_1__bindgen_ty_3
impl Clone for bpf_link_info__bindgen_ty_1__bindgen_ty_4
impl Clone for bpf_link_info__bindgen_ty_1__bindgen_ty_4__bindgen_ty_1__bindgen_ty_1
impl Clone for bpf_link_info__bindgen_ty_1__bindgen_ty_4__bindgen_ty_2__bindgen_ty_1
impl Clone for bpf_link_info__bindgen_ty_1__bindgen_ty_4__bindgen_ty_2__bindgen_ty_2
impl Clone for bpf_link_info__bindgen_ty_1__bindgen_ty_5
impl Clone for bpf_link_info__bindgen_ty_1__bindgen_ty_6
impl Clone for bpf_link_info__bindgen_ty_1__bindgen_ty_7
impl Clone for bpf_link_info__bindgen_ty_1__bindgen_ty_8
impl Clone for bpf_link_info__bindgen_ty_1__bindgen_ty_9
impl Clone for bpf_link_info__bindgen_ty_1__bindgen_ty_10
impl Clone for bpf_link_info__bindgen_ty_1__bindgen_ty_11
impl Clone for bpf_link_info__bindgen_ty_1__bindgen_ty_11__bindgen_ty_1__bindgen_ty_1
impl Clone for bpf_link_info__bindgen_ty_1__bindgen_ty_11__bindgen_ty_1__bindgen_ty_2
impl Clone for bpf_link_info__bindgen_ty_1__bindgen_ty_11__bindgen_ty_1__bindgen_ty_3
impl Clone for bpf_link_info__bindgen_ty_1__bindgen_ty_11__bindgen_ty_1__bindgen_ty_4
impl Clone for bpf_link_info__bindgen_ty_1__bindgen_ty_12
impl Clone for bpf_link_info__bindgen_ty_1__bindgen_ty_13
impl Clone for bpf_link_info__bindgen_ty_1__bindgen_ty_14
impl Clone for bpf_list_head
impl Clone for bpf_list_node
impl Clone for bpf_lpm_trie_key_hdr
impl Clone for bpf_map_info
impl Clone for bpf_perf_event_data
impl Clone for bpf_perf_event_value
impl Clone for bpf_pidns_info
impl Clone for bpf_prog
impl Clone for bpf_prog_info
impl Clone for bpf_rb_node
impl Clone for bpf_rb_root
impl Clone for bpf_redir_neigh
impl Clone for bpf_refcount
impl Clone for bpf_sk_lookup
impl Clone for bpf_sock
impl Clone for bpf_sock_addr
impl Clone for bpf_sock_ops
impl Clone for bpf_sock_tuple
impl Clone for bpf_sock_tuple__bindgen_ty_1__bindgen_ty_1
impl Clone for bpf_sock_tuple__bindgen_ty_1__bindgen_ty_2
impl Clone for bpf_sockopt
impl Clone for bpf_spin_lock
impl Clone for bpf_stack_build_id
impl Clone for bpf_sysctl
impl Clone for bpf_tcp_sock
impl Clone for bpf_timer
impl Clone for bpf_tunnel_key
impl Clone for bpf_wq
impl Clone for bpf_xdp_sock
impl Clone for bpf_xfrm_state
impl Clone for btf_ptr
impl Clone for cachestat
impl Clone for cachestat_range
impl Clone for cisco_proto
impl Clone for clone_args
impl Clone for starnix_uapi::uapi::cmsghdr
impl Clone for compat_statfs64
impl Clone for cuse_init_in
impl Clone for cuse_init_out
impl Clone for dm_ioctl
impl Clone for dm_target_spec
impl Clone for dma_buf_export_sync_file
impl Clone for dma_buf_import_sync_file
impl Clone for dma_buf_sync
impl Clone for dma_heap_allocation_data
impl Clone for dmabuf_cmsg
impl Clone for dmabuf_token
impl Clone for starnix_uapi::uapi::epoll_event
impl Clone for epoll_params
impl Clone for ethhdr
impl Clone for f_owner_ex
impl Clone for fanout_args
impl Clone for fastrpc_ioctl_capability
impl Clone for fastrpc_ioctl_init
impl Clone for fastrpc_ioctl_invoke2
impl Clone for fastrpc_ioctl_invoke
impl Clone for fastrpc_ioctl_invoke_fd
impl Clone for fb_bitfield
impl Clone for fb_cmap
impl Clone for fb_con2fbmap
impl Clone for fb_copyarea
impl Clone for fb_cursor
impl Clone for fb_fillrect
impl Clone for fb_fix_screeninfo
impl Clone for fb_image
impl Clone for fb_var_screeninfo
impl Clone for fb_vblank
impl Clone for fbcurpos
impl Clone for starnix_uapi::uapi::ff_condition_effect
impl Clone for starnix_uapi::uapi::ff_constant_effect
impl Clone for starnix_uapi::uapi::ff_effect
impl Clone for starnix_uapi::uapi::ff_envelope
impl Clone for starnix_uapi::uapi::ff_periodic_effect
impl Clone for starnix_uapi::uapi::ff_ramp_effect
impl Clone for starnix_uapi::uapi::ff_replay
impl Clone for starnix_uapi::uapi::ff_rumble_effect
impl Clone for starnix_uapi::uapi::ff_trigger
impl Clone for fib_rule_hdr
impl Clone for fib_rule_port_range
impl Clone for fib_rule_uid_range
impl Clone for file_clone_range
impl Clone for file_dedupe_range_info
impl Clone for files_stat_struct
impl Clone for flat_binder_object
impl Clone for starnix_uapi::uapi::flock
impl Clone for fr_proto
impl Clone for fr_proto_pvc
impl Clone for fr_proto_pvc_info
impl Clone for fs_sysfs_path
impl Clone for fscrypt_add_key_arg
impl Clone for fscrypt_descriptor
impl Clone for fscrypt_get_policy_ex_arg
impl Clone for fscrypt_identifier
impl Clone for fscrypt_key
impl Clone for fscrypt_key_specifier
impl Clone for fscrypt_policy_v1
impl Clone for fscrypt_policy_v2
impl Clone for fstrim_range
impl Clone for fsuuid2
impl Clone for fsverity_descriptor
impl Clone for fsverity_digest
impl Clone for fsverity_enable_arg
impl Clone for fsverity_read_metadata_arg
impl Clone for fsxattr
impl Clone for fuse_access_in
impl Clone for fuse_attr
impl Clone for fuse_attr_out
impl Clone for fuse_backing_map
impl Clone for fuse_batch_forget_in
impl Clone for fuse_bmap_in
impl Clone for fuse_bmap_out
impl Clone for fuse_bpf_arg
impl Clone for fuse_bpf_args
impl Clone for fuse_bpf_in_arg
impl Clone for fuse_copy_file_range_in
impl Clone for fuse_create_in
impl Clone for fuse_dirent
impl Clone for fuse_direntplus
impl Clone for fuse_entry_bpf_out
impl Clone for fuse_entry_out
impl Clone for fuse_ext_header
impl Clone for fuse_fallocate_in
impl Clone for fuse_file_lock
impl Clone for fuse_flush_in
impl Clone for fuse_forget_in
impl Clone for fuse_forget_one
impl Clone for fuse_fsync_in
impl Clone for fuse_getattr_in
impl Clone for fuse_getxattr_in
impl Clone for fuse_getxattr_out
impl Clone for fuse_in_header
impl Clone for fuse_in_header__bindgen_ty_1__bindgen_ty_1
impl Clone for fuse_init_in
impl Clone for fuse_init_out
impl Clone for fuse_interrupt_in
impl Clone for fuse_ioctl_in
impl Clone for fuse_ioctl_iovec
impl Clone for fuse_ioctl_out
impl Clone for fuse_kstatfs
impl Clone for fuse_link_in
impl Clone for fuse_lk_in
impl Clone for fuse_lk_out
impl Clone for fuse_lseek_in
impl Clone for fuse_lseek_out
impl Clone for fuse_mkdir_in
impl Clone for fuse_mknod_in
impl Clone for fuse_notify_delete_out
impl Clone for fuse_notify_inval_entry_out
impl Clone for fuse_notify_inval_inode_out
impl Clone for fuse_notify_poll_wakeup_out
impl Clone for fuse_notify_retrieve_in
impl Clone for fuse_notify_retrieve_out
impl Clone for fuse_notify_store_out
impl Clone for fuse_open_in
impl Clone for fuse_open_out
impl Clone for fuse_out_header
impl Clone for fuse_passthrough_out_v0
impl Clone for fuse_poll_in
impl Clone for fuse_poll_out
impl Clone for fuse_read_in
impl Clone for fuse_read_out
impl Clone for fuse_release_in
impl Clone for fuse_removemapping_in
impl Clone for fuse_removemapping_one
impl Clone for fuse_rename2_in
impl Clone for fuse_rename_in
impl Clone for fuse_secctx
impl Clone for fuse_secctx_header
impl Clone for fuse_setattr_in
impl Clone for fuse_setupmapping_in
impl Clone for fuse_setxattr_in
impl Clone for fuse_statfs_out
impl Clone for fuse_statx
impl Clone for fuse_statx_in
impl Clone for fuse_statx_out
impl Clone for fuse_sx_time
impl Clone for fuse_syncfs_in
impl Clone for fuse_write_in
impl Clone for fuse_write_out
impl Clone for futex_waitv
impl Clone for group_filter
impl Clone for group_filter__bindgen_ty_1__bindgen_ty_1
impl Clone for group_filter__bindgen_ty_1__bindgen_ty_2
impl Clone for group_req
impl Clone for group_source_req
impl Clone for i2c_msg
impl Clone for if_settings
impl Clone for if_stats_msg
impl Clone for ifa_cacheinfo
impl Clone for ifaddrmsg
impl Clone for ifconf
impl Clone for ifinfomsg
impl Clone for ifla_bridge_id
impl Clone for ifla_cacheinfo
impl Clone for ifla_port_vsi
impl Clone for ifla_rmnet_flags
impl Clone for ifla_vf_broadcast
impl Clone for ifla_vf_guid
impl Clone for ifla_vf_link_state
impl Clone for ifla_vf_mac
impl Clone for ifla_vf_rate
impl Clone for ifla_vf_rss_query_en
impl Clone for ifla_vf_spoofchk
impl Clone for ifla_vf_trust
impl Clone for ifla_vf_tx_rate
impl Clone for ifla_vf_vlan
impl Clone for ifla_vf_vlan_info
impl Clone for ifla_vlan_flags
impl Clone for ifla_vlan_qos_mapping
impl Clone for ifla_vxlan_port_range
impl Clone for ifmap
impl Clone for ifreq
impl Clone for starnix_uapi::uapi::in6_addr
impl Clone for in6_flowlabel_req
impl Clone for in6_ifreq
impl Clone for starnix_uapi::uapi::in6_pktinfo
impl Clone for starnix_uapi::uapi::in_addr
impl Clone for in_pktinfo
impl Clone for inodes_stat_t
impl Clone for starnix_uapi::uapi::input_absinfo
impl Clone for starnix_uapi::uapi::input_event
impl Clone for starnix_uapi::uapi::input_id
impl Clone for starnix_uapi::uapi::input_keymap_entry
impl Clone for starnix_uapi::uapi::input_mask
impl Clone for io_cqring_offsets
impl Clone for io_event
impl Clone for io_sqring_offsets
impl Clone for io_uring_buf
impl Clone for io_uring_buf_reg
impl Clone for io_uring_buf_ring__bindgen_ty_1__bindgen_ty_1
impl Clone for io_uring_buf_ring__bindgen_ty_1__bindgen_ty_2__bindgen_ty_1
impl Clone for io_uring_buf_status
impl Clone for io_uring_clock_register
impl Clone for io_uring_clone_buffers
impl Clone for io_uring_file_index_range
impl Clone for io_uring_files_update
impl Clone for io_uring_getevents_arg
impl Clone for io_uring_napi
impl Clone for io_uring_params
impl Clone for io_uring_probe_op
impl Clone for io_uring_recvmsg_out
impl Clone for io_uring_restriction
impl Clone for io_uring_rsrc_register
impl Clone for io_uring_rsrc_update2
impl Clone for io_uring_rsrc_update
impl Clone for io_uring_sqe__bindgen_ty_1__bindgen_ty_1
impl Clone for io_uring_sqe__bindgen_ty_2__bindgen_ty_1
impl Clone for io_uring_sqe__bindgen_ty_5__bindgen_ty_1
impl Clone for io_uring_sqe__bindgen_ty_6__bindgen_ty_1
impl Clone for io_uring_sync_cancel_reg
impl Clone for iocb
impl Clone for starnix_uapi::uapi::iovec
impl Clone for ip6_mtuinfo
impl Clone for ip6t_getinfo
impl Clone for ip6t_icmp
impl Clone for ip6t_ip6
impl Clone for ip6t_reject_info
impl Clone for ip_beet_phdr
impl Clone for ip_comp_hdr
impl Clone for starnix_uapi::uapi::ip_mreq
impl Clone for starnix_uapi::uapi::ip_mreqn
impl Clone for iphdr
impl Clone for iphdr__bindgen_ty_1__bindgen_ty_1
impl Clone for iphdr__bindgen_ty_1__bindgen_ty_2
impl Clone for ipt_getinfo
impl Clone for ipt_icmp
impl Clone for ipt_ip
impl Clone for ipt_reject_info
impl Clone for ipv6_destopt_hao
impl Clone for starnix_uapi::uapi::ipv6_mreq
impl Clone for ipv6_opt_hdr
impl Clone for ipv6_rt_hdr
impl Clone for ipv6hdr
impl Clone for ipv6hdr__bindgen_ty_1__bindgen_ty_1
impl Clone for ipv6hdr__bindgen_ty_1__bindgen_ty_2
impl Clone for starnix_uapi::uapi::itimerspec
impl Clone for starnix_uapi::uapi::itimerval
impl Clone for kcmp_epoll_slot
impl Clone for kgsl_bind_gmem_shadow
impl Clone for kgsl_buffer_desc
impl Clone for kgsl_capabilities
impl Clone for kgsl_capabilities_properties
impl Clone for kgsl_cff_sync_gpuobj
impl Clone for kgsl_cff_syncmem
impl Clone for kgsl_cff_user_event
impl Clone for kgsl_cmd_syncpoint
impl Clone for kgsl_cmd_syncpoint_fence
impl Clone for kgsl_cmd_syncpoint_timeline
impl Clone for kgsl_cmd_syncpoint_timestamp
impl Clone for kgsl_cmdbatch_profiling_buffer
impl Clone for kgsl_cmdstream_freememontimestamp
impl Clone for kgsl_cmdstream_freememontimestamp_ctxtid
impl Clone for kgsl_cmdstream_readtimestamp
impl Clone for kgsl_cmdstream_readtimestamp_ctxtid
impl Clone for kgsl_cmdwindow_write
impl Clone for kgsl_command_object
impl Clone for kgsl_command_syncpoint
impl Clone for kgsl_context_property
impl Clone for kgsl_context_property_fault
impl Clone for kgsl_device_constraint
impl Clone for kgsl_device_constraint_pwrlevel
impl Clone for kgsl_device_getproperty
impl Clone for kgsl_device_waittimestamp
impl Clone for kgsl_device_waittimestamp_ctxtid
impl Clone for kgsl_devinfo
impl Clone for kgsl_devmemstore
impl Clone for kgsl_drawctxt_create
impl Clone for kgsl_drawctxt_destroy
impl Clone for kgsl_drawctxt_set_bin_base_offset
impl Clone for kgsl_fault
impl Clone for kgsl_fault_report
impl Clone for kgsl_gmem_desc
impl Clone for kgsl_gpmu_version
impl Clone for kgsl_gpu_aux_command
impl Clone for kgsl_gpu_aux_command_bind
impl Clone for kgsl_gpu_aux_command_generic
impl Clone for kgsl_gpu_aux_command_timeline
impl Clone for kgsl_gpu_command
impl Clone for kgsl_gpu_event_fence
impl Clone for kgsl_gpu_event_timestamp
impl Clone for kgsl_gpu_model
impl Clone for kgsl_gpu_sparse_command
impl Clone for kgsl_gpumem_alloc
impl Clone for kgsl_gpumem_alloc_id
impl Clone for kgsl_gpumem_bind_range
impl Clone for kgsl_gpumem_bind_ranges
impl Clone for kgsl_gpumem_free_id
impl Clone for kgsl_gpumem_get_info
impl Clone for kgsl_gpumem_sync_cache
impl Clone for kgsl_gpumem_sync_cache_bulk
impl Clone for kgsl_gpuobj_alloc
impl Clone for kgsl_gpuobj_free
impl Clone for kgsl_gpuobj_import
impl Clone for kgsl_gpuobj_import_dma_buf
impl Clone for kgsl_gpuobj_import_useraddr
impl Clone for kgsl_gpuobj_info
impl Clone for kgsl_gpuobj_set_info
impl Clone for kgsl_gpuobj_sync
impl Clone for kgsl_gpuobj_sync_obj
impl Clone for kgsl_ibdesc
impl Clone for kgsl_map_user_mem
impl Clone for kgsl_pagefault_report
impl Clone for kgsl_perfcounter_get
impl Clone for kgsl_perfcounter_put
impl Clone for kgsl_perfcounter_query
impl Clone for kgsl_perfcounter_read
impl Clone for kgsl_perfcounter_read_group
impl Clone for kgsl_preemption_counters_query
impl Clone for kgsl_qdss_stm_prop
impl Clone for kgsl_qtimer_prop
impl Clone for kgsl_read_calibrated_timestamps
impl Clone for kgsl_recurring_command
impl Clone for kgsl_ringbuffer_issueibcmds
impl Clone for kgsl_shadowprop
impl Clone for kgsl_sp_generic_mem
impl Clone for kgsl_sparse_bind
impl Clone for kgsl_sparse_binding_object
impl Clone for kgsl_sparse_phys_alloc
impl Clone for kgsl_sparse_phys_free
impl Clone for kgsl_sparse_virt_alloc
impl Clone for kgsl_sparse_virt_free
impl Clone for kgsl_submit_commands
impl Clone for kgsl_syncsource_create
impl Clone for kgsl_syncsource_create_fence
impl Clone for kgsl_syncsource_destroy
impl Clone for kgsl_syncsource_signal_fence
impl Clone for kgsl_timeline_create
impl Clone for kgsl_timeline_fence_get
impl Clone for kgsl_timeline_signal
impl Clone for kgsl_timeline_val
impl Clone for kgsl_timeline_wait
impl Clone for kgsl_timestamp_event
impl Clone for kgsl_timestamp_event_fence
impl Clone for kgsl_timestamp_event_genlock
impl Clone for kgsl_ucode_version
impl Clone for kgsl_version
impl Clone for ktermios
impl Clone for starnix_uapi::uapi::linger
impl Clone for loop_config
impl Clone for loop_info64
impl Clone for loop_info
impl Clone for max_align_t
impl Clone for starnix_uapi::uapi::mmsghdr
impl Clone for mnt_id_req
impl Clone for mount_attr
impl Clone for starnix_uapi::uapi::mq_attr
impl Clone for starnix_uapi::uapi::msghdr
impl Clone for nda_cacheinfo
impl Clone for ndmsg
impl Clone for ndt_config
impl Clone for ndt_stats
impl Clone for ndtmsg
impl Clone for nduseroptmsg
impl Clone for new_utsname
impl Clone for nf_conntrack_man_proto__bindgen_ty_1
impl Clone for nf_conntrack_man_proto__bindgen_ty_2
impl Clone for nf_conntrack_man_proto__bindgen_ty_3
impl Clone for nf_conntrack_man_proto__bindgen_ty_4
impl Clone for nf_conntrack_man_proto__bindgen_ty_5
impl Clone for nf_conntrack_man_proto__bindgen_ty_6
impl Clone for nf_nat_ipv4_multi_range_compat
impl Clone for nf_nat_ipv4_range
impl Clone for nf_nat_range2
impl Clone for nf_nat_range
impl Clone for nl_mmap_hdr
impl Clone for nl_mmap_req
impl Clone for nl_pktinfo
impl Clone for nla_bitfield32
impl Clone for nlattr
impl Clone for nlmsgerr
impl Clone for nlmsghdr
impl Clone for old_utsname
impl Clone for oldold_utsname
impl Clone for open_how
impl Clone for packet_mreq
impl Clone for page_region
impl Clone for perf_branch_entry
impl Clone for perf_event_attr
impl Clone for perf_event_header
impl Clone for perf_event_mmap_page
impl Clone for perf_event_mmap_page__bindgen_ty_1__bindgen_ty_1
impl Clone for perf_mem_data_src__bindgen_ty_1
impl Clone for perf_ns_link_info
impl Clone for perf_sample_weight__bindgen_ty_1
impl Clone for pm_scan_arg
impl Clone for starnix_uapi::uapi::pollfd
impl Clone for prctl_mm_map
impl Clone for prefix_cacheinfo
impl Clone for prefixmsg
impl Clone for procmap_query
impl Clone for pselect6_sigmask
impl Clone for pt_regs
impl Clone for ptrace_peeksiginfo_args
impl Clone for ptrace_rseq_configuration
impl Clone for ptrace_sud_config
impl Clone for ptrace_syscall_info
impl Clone for ptrace_syscall_info__bindgen_ty_1__bindgen_ty_1
impl Clone for ptrace_syscall_info__bindgen_ty_1__bindgen_ty_2
impl Clone for ptrace_syscall_info__bindgen_ty_1__bindgen_ty_3
impl Clone for raw_hdlc_proto
impl Clone for remote_binder_start_command
impl Clone for remote_binder_wait_command
impl Clone for remote_buf
impl Clone for starnix_uapi::uapi::rlimit64
impl Clone for starnix_uapi::uapi::rlimit
impl Clone for robust_list
impl Clone for robust_list_head
impl Clone for rt2_hdr
impl Clone for rta_cacheinfo
impl Clone for rta_mfc_stats
impl Clone for rta_session
impl Clone for rta_session__bindgen_ty_1__bindgen_ty_1
impl Clone for rta_session__bindgen_ty_1__bindgen_ty_2
impl Clone for rtattr
impl Clone for rtgenmsg
impl Clone for rtmsg
impl Clone for rtnexthop
impl Clone for rtnl_hw_stats64
impl Clone for rtnl_link_ifmap
impl Clone for rtnl_link_stats64
impl Clone for rtnl_link_stats
impl Clone for starnix_uapi::uapi::rusage
impl Clone for sadb_address
impl Clone for sadb_alg
impl Clone for sadb_comb
impl Clone for sadb_ext
impl Clone for sadb_ident
impl Clone for sadb_key
impl Clone for sadb_lifetime
impl Clone for sadb_msg
impl Clone for sadb_prop
impl Clone for sadb_sa
impl Clone for sadb_sens
impl Clone for sadb_spirange
impl Clone for sadb_supported
impl Clone for sadb_x_filter
impl Clone for sadb_x_ipsecrequest
impl Clone for sadb_x_kmaddress
impl Clone for sadb_x_kmprivate
impl Clone for sadb_x_nat_t_port
impl Clone for sadb_x_nat_t_type
impl Clone for sadb_x_policy
impl Clone for sadb_x_sa2
impl Clone for sadb_x_sec_ctx
impl Clone for sched_attr
impl Clone for starnix_uapi::uapi::sched_param
impl Clone for seccomp_data
impl Clone for seccomp_metadata
impl Clone for seccomp_notif
impl Clone for seccomp_notif_addfd
impl Clone for seccomp_notif_resp
impl Clone for seccomp_notif_sizes
impl Clone for sigaltstack
impl Clone for sigcontext
impl Clone for sigcontext_32
impl Clone for sigcontext_64
impl Clone for starnix_uapi::uapi::sigevent
impl Clone for sigevent__bindgen_ty_1__bindgen_ty_1
impl Clone for siginfo
impl Clone for siginfo__bindgen_ty_1__bindgen_ty_1
impl Clone for starnix_uapi::uapi::signalfd_siginfo
impl Clone for sk_msg_md
impl Clone for sk_reuseport_md
impl Clone for sock_diag_req
impl Clone for sock_filter
impl Clone for sock_fprog
impl Clone for starnix_uapi::uapi::sockaddr
impl Clone for starnix_uapi::uapi::sockaddr_in6
impl Clone for starnix_uapi::uapi::sockaddr_in
impl Clone for starnix_uapi::uapi::sockaddr_ll
impl Clone for starnix_uapi::uapi::sockaddr_nl
impl Clone for sockaddr_pkt
impl Clone for sockaddr_qrtr
impl Clone for starnix_uapi::uapi::sockaddr_storage
impl Clone for sockaddr_storage__bindgen_ty_1__bindgen_ty_1
impl Clone for starnix_uapi::uapi::sockaddr_un
impl Clone for starnix_uapi::uapi::sockaddr_vm
impl Clone for starnix_uapi::uapi::stat
impl Clone for starnix_uapi::uapi::statfs64
impl Clone for starnix_uapi::uapi::statfs
impl Clone for statx
impl Clone for statx_timestamp
impl Clone for sync_fence_info
impl Clone for sync_file_info
impl Clone for sync_merge_data
impl Clone for sync_serial_settings
impl Clone for sync_set_deadline
impl Clone for taskstats
impl Clone for tcamsg
impl Clone for tcmsg
impl Clone for te1_settings
impl Clone for termio
impl Clone for starnix_uapi::uapi::termios2
impl Clone for starnix_uapi::uapi::termios
impl Clone for starnix_uapi::uapi::timespec
impl Clone for starnix_uapi::uapi::timeval
impl Clone for starnix_uapi::uapi::timezone
impl Clone for starnix_uapi::uapi::tms
impl Clone for tpacket2_hdr
impl Clone for tpacket3_hdr
impl Clone for tpacket_auxdata
impl Clone for tpacket_bd_ts
impl Clone for tpacket_block_desc
impl Clone for tpacket_hdr
impl Clone for tpacket_hdr_v1
impl Clone for tpacket_hdr_variant1
impl Clone for tpacket_req3
impl Clone for tpacket_req
impl Clone for tpacket_rollover_stats
impl Clone for tpacket_stats
impl Clone for tpacket_stats_v3
impl Clone for tun_pi
impl Clone for tunnel_msg
impl Clone for uaddr32
impl Clone for uaddr
impl Clone for ucontext
impl Clone for starnix_uapi::uapi::ucred
impl Clone for uffd_msg
impl Clone for uffd_msg__bindgen_ty_1__bindgen_ty_1
impl Clone for uffd_msg__bindgen_ty_1__bindgen_ty_2
impl Clone for uffd_msg__bindgen_ty_1__bindgen_ty_3
impl Clone for uffd_msg__bindgen_ty_1__bindgen_ty_4
impl Clone for uffd_msg__bindgen_ty_1__bindgen_ty_5
impl Clone for uffdio_api
impl Clone for uffdio_continue
impl Clone for uffdio_copy
impl Clone for uffdio_move
impl Clone for uffdio_poison
impl Clone for uffdio_range
impl Clone for uffdio_register
impl Clone for uffdio_writeprotect
impl Clone for uffdio_zeropage
impl Clone for uinput_abs_setup
impl Clone for uinput_ff_erase
impl Clone for uinput_ff_upload
impl Clone for uinput_setup
impl Clone for uinput_user_dev
impl Clone for usb_bos_descriptor
impl Clone for usb_config_descriptor
impl Clone for usb_connection_context
impl Clone for usb_ctrlrequest
impl Clone for usb_debug_descriptor
impl Clone for usb_descriptor_header
impl Clone for usb_dev_cap_header
impl Clone for usb_device_descriptor
impl Clone for usb_dfu_functional_descriptor
impl Clone for usb_encryption_descriptor
impl Clone for usb_endpoint_descriptor
impl Clone for usb_endpoint_descriptor_no_audio
impl Clone for usb_ext_cap_descriptor
impl Clone for usb_ext_compat_desc
impl Clone for usb_ext_compat_desc__bindgen_ty_1__bindgen_ty_1
impl Clone for usb_ext_compat_desc__bindgen_ty_1__bindgen_ty_2
impl Clone for usb_ext_prop_desc
impl Clone for usb_ffs_dmabuf_transfer_req
impl Clone for usb_functionfs_descs_head
impl Clone for usb_functionfs_descs_head_v2
impl Clone for usb_functionfs_event
impl Clone for usb_functionfs_strings_head
impl Clone for usb_handshake
impl Clone for usb_interface_assoc_descriptor
impl Clone for usb_interface_descriptor
impl Clone for usb_os_desc_header
impl Clone for usb_os_desc_header__bindgen_ty_1__bindgen_ty_1
impl Clone for usb_otg20_descriptor
impl Clone for usb_otg_descriptor
impl Clone for usb_pd_cap_battery_info_descriptor
impl Clone for usb_pd_cap_consumer_port_descriptor
impl Clone for usb_pd_cap_descriptor
impl Clone for usb_ptm_cap_descriptor
impl Clone for usb_qualifier_descriptor
impl Clone for usb_security_descriptor
impl Clone for usb_set_sel_req
impl Clone for usb_ss_cap_descriptor
impl Clone for usb_ss_container_id_descriptor
impl Clone for usb_ss_ep_comp_descriptor
impl Clone for usb_ssp_cap_descriptor__bindgen_ty_1__bindgen_ty_1__bindgen_ty_1
impl Clone for usb_ssp_isoc_ep_comp_descriptor
impl Clone for usb_string_descriptor__bindgen_ty_1__bindgen_ty_1__bindgen_ty_1
impl Clone for usb_wireless_cap_descriptor
impl Clone for usb_wireless_ep_comp_descriptor
impl Clone for vfs_cap_data
impl Clone for vfs_cap_data__bindgen_ty_1
impl Clone for vfs_ns_cap_data
impl Clone for vfs_ns_cap_data__bindgen_ty_1
impl Clone for vgetrandom_opaque_params
impl Clone for starnix_uapi::uapi::winsize
impl Clone for x25_hdlc_proto
impl Clone for xdp_md
impl Clone for xfrm_address_filter
impl Clone for xfrm_aevent_id
impl Clone for xfrm_encap_tmpl
impl Clone for xfrm_id
impl Clone for xfrm_lifetime_cfg
impl Clone for xfrm_lifetime_cur
impl Clone for xfrm_mark
impl Clone for xfrm_replay_state
impl Clone for xfrm_selector
impl Clone for xfrm_stats
impl Clone for xfrm_user_acquire
impl Clone for xfrm_user_expire
impl Clone for xfrm_user_kmaddress
impl Clone for xfrm_user_mapping
impl Clone for xfrm_user_migrate
impl Clone for xfrm_user_offload
impl Clone for xfrm_user_polexpire
impl Clone for xfrm_user_report
impl Clone for xfrm_user_sec_ctx
impl Clone for xfrm_user_tmpl
impl Clone for xfrm_userpolicy_default
impl Clone for xfrm_userpolicy_id
impl Clone for xfrm_userpolicy_info
impl Clone for xfrm_userpolicy_type
impl Clone for xfrm_usersa_flush
impl Clone for xfrm_usersa_id
impl Clone for xfrm_usersa_info
impl Clone for xfrm_userspi_info
impl Clone for xfrmu_sadhinfo
impl Clone for xfrmu_spdhinfo
impl Clone for xfrmu_spdhthresh
impl Clone for xfrmu_spdinfo
impl Clone for xt_bpf_info
impl Clone for xt_bpf_info_v1
impl Clone for xt_counters
impl Clone for xt_entry_match__bindgen_ty_1__bindgen_ty_1
impl Clone for xt_entry_match__bindgen_ty_1__bindgen_ty_2
impl Clone for xt_entry_target__bindgen_ty_1__bindgen_ty_1
impl Clone for xt_entry_target__bindgen_ty_1__bindgen_ty_2
impl Clone for xt_get_revision
impl Clone for xt_mark_mtinfo1
impl Clone for xt_mark_tginfo2
impl Clone for xt_match
impl Clone for xt_target
impl Clone for xt_tcp
impl Clone for xt_tproxy_target_info
impl Clone for xt_tproxy_target_info_v1
impl Clone for xt_udp
impl Clone for UnmountFlags
impl Clone for UserAddress32
impl Clone for UserAddress
impl Clone for FdEvents
impl Clone for ResolveFlags
impl Clone for user
impl Clone for user_fpregs_struct
impl Clone for user_regs_struct
impl Clone for starnix_uapi::arch32::__static_assertions::_core::alloc::AllocError
impl Clone for Layout
impl Clone for LayoutError
impl Clone for TypeId
impl Clone for CpuidResult
impl Clone for __m128
impl Clone for __m128bh
impl Clone for __m128d
impl Clone for __m128h
impl Clone for __m128i
impl Clone for __m256
impl Clone for __m256bh
impl Clone for __m256d
impl Clone for __m256h
impl Clone for __m256i
impl Clone for __m512
impl Clone for __m512bh
impl Clone for __m512d
impl Clone for __m512h
impl Clone for __m512i
impl Clone for bf16
impl Clone for starnix_uapi::arch32::__static_assertions::_core::array::TryFromSliceError
impl Clone for starnix_uapi::arch32::__static_assertions::_core::ascii::EscapeDefault
impl Clone for CharTryFromError
impl Clone for DecodeUtf16Error
impl Clone for starnix_uapi::arch32::__static_assertions::_core::char::EscapeDebug
impl Clone for starnix_uapi::arch32::__static_assertions::_core::char::EscapeDefault
impl Clone for starnix_uapi::arch32::__static_assertions::_core::char::EscapeUnicode
impl Clone for ParseCharError
impl Clone for ToLowercase
impl Clone for ToUppercase
impl Clone for TryFromCharError
impl Clone for FromBytesUntilNulError
impl Clone for starnix_uapi::arch32::__static_assertions::_core::fmt::Error
impl Clone for FormattingOptions
impl Clone for SipHasher
impl Clone for PhantomPinned
impl Clone for Assume
impl Clone for AddrParseError
impl Clone for Ipv4Addr
impl Clone for Ipv6Addr
impl Clone for SocketAddrV4
impl Clone for SocketAddrV6
impl Clone for ParseFloatError
impl Clone for ParseIntError
impl Clone for TryFromIntError
impl Clone for RangeFull
impl Clone for starnix_uapi::arch32::__static_assertions::_core::ptr::Alignment
impl Clone for ParseBoolError
impl Clone for starnix_uapi::arch32::__static_assertions::_core::str::Utf8Error
impl Clone for LocalWaker
impl Clone for RawWakerVTable
impl Clone for Waker
impl Clone for starnix_uapi::arch32::__static_assertions::_core::time::Duration
impl Clone for TryFromFloatSecsError
impl Clone for Global
impl Clone for Box<str>
no_global_oom_handling only.impl Clone for Box<ByteStr>
impl Clone for Box<CStr>
impl Clone for Box<OsStr>
impl Clone for Box<Path>
impl Clone for Box<BStr>
alloc only.impl Clone for ByteString
impl Clone for UnorderedKeyError
impl Clone for alloc::collections::TryReserveError
impl Clone for CString
impl Clone for FromVecWithNulError
impl Clone for IntoStringError
impl Clone for NulError
impl Clone for FromUtf8Error
impl Clone for IntoChars
impl Clone for String
no_global_oom_handling only.impl Clone for System
impl Clone for OsString
impl Clone for FileTimes
impl Clone for FileType
impl Clone for std::fs::Metadata
impl Clone for OpenOptions
impl Clone for Permissions
impl Clone for DefaultHasher
impl Clone for std::hash::random::RandomState
impl Clone for std::io::util::Empty
impl Clone for Sink
impl Clone for std::os::fuchsia::raw::arch::stat
impl Clone for std::os::unix::net::addr::SocketAddr
impl Clone for PathBuf
impl Clone for StripPrefixError
impl Clone for ExitCode
impl Clone for ExitStatus
impl Clone for ExitStatusError
impl Clone for Output
impl Clone for DefaultRandomSource
impl Clone for std::sync::mpsc::RecvError
impl Clone for std::sync::WaitTimeoutResult
impl Clone for ThreadId
impl Clone for AccessError
impl Clone for Thread
impl Clone for std::time::Instant
impl Clone for SystemTime
impl Clone for SystemTimeError
impl Clone for Parsed
impl Clone for InternalFixed
impl Clone for InternalNumeric
impl Clone for OffsetFormat
impl Clone for chrono::format::ParseError
impl Clone for Months
impl Clone for ParseMonthError
impl Clone for NaiveDate
impl Clone for NaiveDateDaysIterator
impl Clone for NaiveDateWeeksIterator
impl Clone for NaiveDateTime
impl Clone for IsoWeek
impl Clone for Days
impl Clone for NaiveWeek
impl Clone for NaiveTime
impl Clone for FixedOffset
impl Clone for Local
impl Clone for Utc
impl Clone for OutOfRange
impl Clone for OutOfRangeError
impl Clone for TimeDelta
impl Clone for ParseWeekdayError
impl Clone for WeekdaySet
impl Clone for itoa::Buffer
impl Clone for ryu::buffer::Buffer
impl Clone for IgnoredAny
impl Clone for serde_core::de::value::Error
impl Clone for serde_json::map::Map<String, Value>
impl Clone for Number
impl Clone for CompactFormatter
impl Clone for OpaqueOrigin
impl Clone for url::Url
impl Clone for BString
impl Clone for bstr::utf8::Utf8Error
impl Clone for BugRef
impl Clone for zerocopy::error::AllocError
impl Clone for Status
impl Clone for PadByte
impl Clone for acpi_transition_s_state
impl Clone for priority_params
impl Clone for x86_power_limit
impl Clone for zx_arm64_exc_data_t
impl Clone for zx_channel_call_args_t
impl Clone for zx_channel_call_etc_args_t
impl Clone for zx_channel_iovec_t
impl Clone for zx_clock_create_args_v1_t
impl Clone for zx_clock_details_v1_t
impl Clone for zx_clock_rate_t
impl Clone for zx_clock_transformation_t
impl Clone for zx_clock_update_args_v1_t
impl Clone for zx_clock_update_args_v2_t
impl Clone for zx_cpu_perf_limit_t
impl Clone for zx_cpu_performance_info_t
impl Clone for zx_cpu_performance_scale_t
impl Clone for zx_cpu_set_t
impl Clone for zx_ecam_window_t
impl Clone for zx_exception_context_t
impl Clone for zx_exception_header_t
impl Clone for zx_exception_info_t
impl Clone for zx_exception_report_t
impl Clone for zx_handle_disposition_t
impl Clone for zx_handle_info_t
impl Clone for zx_info_bti_t
impl Clone for zx_info_cpu_stats_t
impl Clone for zx_info_handle_basic_t
impl Clone for zx_info_handle_count_t
impl Clone for zx_info_job_t
impl Clone for zx_info_kmem_stats_compression_t
impl Clone for zx_info_kmem_stats_extended_t
impl Clone for zx_info_kmem_stats_t
impl Clone for zx_info_maps_mapping_t
impl Clone for zx_info_maps_t
impl Clone for zx_info_memory_stall_t
impl Clone for zx_info_process_handle_stats_t
impl Clone for zx_info_process_t
impl Clone for zx_info_resource_t
impl Clone for zx_info_socket_t
impl Clone for zx_info_task_runtime_t
impl Clone for zx_info_task_stats_t
impl Clone for zx_info_thread_stats_t
impl Clone for zx_info_thread_t
impl Clone for zx_info_timer_t
impl Clone for zx_info_vmar_t
impl Clone for zx_info_vmo_t
impl Clone for zx_iob_discipline_mediated_write_ring_buffer_t
impl Clone for zx_iob_discipline_t
impl Clone for zx_iob_region_private_t
impl Clone for zx_iommu_desc_stub_t
impl Clone for zx_iovec_t
impl Clone for zx_irq_t
impl Clone for zx_log_record_t
impl Clone for zx_packet_guest_bell_t
impl Clone for zx_packet_guest_io_t
impl Clone for zx_packet_guest_mem_t
impl Clone for zx_packet_guest_vcpu_interrupt_t
impl Clone for zx_packet_guest_vcpu_startup_t
impl Clone for zx_packet_guest_vcpu_t
impl Clone for zx_packet_interrupt_t
impl Clone for zx_packet_page_request_t
impl Clone for zx_packet_processor_power_level_transition_request_t
impl Clone for zx_packet_signal_t
impl Clone for zx_pci_bar_union_struct
impl Clone for zx_pci_init_arg_t
impl Clone for zx_pci_resource_t
impl Clone for zx_pcie_device_info_t
impl Clone for zx_policy_basic
impl Clone for zx_policy_timer_slack
impl Clone for zx_port_packet_t
impl Clone for zx_power_domain_info_t
impl Clone for zx_processor_power_domain_t
impl Clone for zx_processor_power_level_t
impl Clone for zx_processor_power_level_transition_t
impl Clone for zx_processor_power_state_t
impl Clone for zx_profile_info_t
impl Clone for zx_restricted_exception_t
impl Clone for zx_restricted_state_t
impl Clone for zx_restricted_syscall_t
impl Clone for zx_riscv64_exc_data_t
impl Clone for zx_sampler_config_t
impl Clone for zx_sched_deadline_params_t
impl Clone for zx_smc_parameters_t
impl Clone for zx_smc_result_t
impl Clone for zx_string_view_t
impl Clone for zx_thread_state_general_regs_t
impl Clone for zx_vcpu_io_t
impl Clone for zx_vcpu_state_t
impl Clone for zx_wait_item_t
impl Clone for zx_waitset_result_t
impl Clone for zx_x86_64_exc_data_t
impl Clone for __sifields
impl Clone for __sifields__bindgen_ty_5__bindgen_ty_1
impl Clone for __sk_buff__bindgen_ty_1
impl Clone for __sk_buff__bindgen_ty_2
impl Clone for _fpstate_32__bindgen_ty_1
impl Clone for _fpstate_32__bindgen_ty_2
impl Clone for _fpstate_64__bindgen_ty_1
impl Clone for audit_status__bindgen_ty_1
impl Clone for binder_fd_object__bindgen_ty_1
impl Clone for binder_transaction_data__bindgen_ty_1
impl Clone for binder_transaction_data__bindgen_ty_2
impl Clone for bpf_attr
impl Clone for bpf_attr__bindgen_ty_2__bindgen_ty_1
impl Clone for bpf_attr__bindgen_ty_4__bindgen_ty_1
impl Clone for bpf_attr__bindgen_ty_6__bindgen_ty_1
impl Clone for bpf_attr__bindgen_ty_6__bindgen_ty_2
impl Clone for bpf_attr__bindgen_ty_8__bindgen_ty_1
impl Clone for bpf_attr__bindgen_ty_10__bindgen_ty_1
impl Clone for bpf_attr__bindgen_ty_10__bindgen_ty_2
impl Clone for bpf_attr__bindgen_ty_14__bindgen_ty_1
impl Clone for bpf_attr__bindgen_ty_14__bindgen_ty_2
impl Clone for bpf_attr__bindgen_ty_14__bindgen_ty_3
impl Clone for bpf_attr__bindgen_ty_14__bindgen_ty_3__bindgen_ty_6__bindgen_ty_1
impl Clone for bpf_attr__bindgen_ty_14__bindgen_ty_3__bindgen_ty_8__bindgen_ty_1
impl Clone for bpf_attr__bindgen_ty_15__bindgen_ty_1
impl Clone for bpf_attr__bindgen_ty_15__bindgen_ty_2
impl Clone for bpf_cpumap_val__bindgen_ty_1
impl Clone for bpf_devmap_val__bindgen_ty_1
impl Clone for bpf_fib_lookup__bindgen_ty_1
impl Clone for bpf_fib_lookup__bindgen_ty_2
impl Clone for bpf_fib_lookup__bindgen_ty_3
impl Clone for bpf_fib_lookup__bindgen_ty_4
impl Clone for bpf_fib_lookup__bindgen_ty_5
impl Clone for bpf_fib_lookup__bindgen_ty_6
impl Clone for bpf_flow_keys__bindgen_ty_1
impl Clone for bpf_iter_link_info
impl Clone for bpf_link_info__bindgen_ty_1
impl Clone for bpf_link_info__bindgen_ty_1__bindgen_ty_4__bindgen_ty_1
impl Clone for bpf_link_info__bindgen_ty_1__bindgen_ty_4__bindgen_ty_2
impl Clone for bpf_link_info__bindgen_ty_1__bindgen_ty_11__bindgen_ty_1
impl Clone for bpf_lpm_trie_key_u8__bindgen_ty_1
impl Clone for bpf_redir_neigh__bindgen_ty_1
impl Clone for bpf_sk_lookup__bindgen_ty_1
impl Clone for bpf_sk_lookup__bindgen_ty_1__bindgen_ty_1
impl Clone for bpf_sock_addr__bindgen_ty_1
impl Clone for bpf_sock_ops__bindgen_ty_1
impl Clone for bpf_sock_ops__bindgen_ty_2
impl Clone for bpf_sock_ops__bindgen_ty_3
impl Clone for bpf_sock_ops__bindgen_ty_4
impl Clone for bpf_sock_tuple__bindgen_ty_1
impl Clone for bpf_sockopt__bindgen_ty_1
impl Clone for bpf_sockopt__bindgen_ty_2
impl Clone for bpf_sockopt__bindgen_ty_3
impl Clone for bpf_stack_build_id__bindgen_ty_1
impl Clone for bpf_tunnel_key__bindgen_ty_1
impl Clone for bpf_tunnel_key__bindgen_ty_2
impl Clone for bpf_tunnel_key__bindgen_ty_3
impl Clone for bpf_xfrm_state__bindgen_ty_1
impl Clone for ff_effect__bindgen_ty_1
impl Clone for flat_binder_object__bindgen_ty_1
impl Clone for fscrypt_get_policy_ex_arg__bindgen_ty_1
impl Clone for fscrypt_key_specifier__bindgen_ty_1
impl Clone for fuse_in_header__bindgen_ty_1
impl Clone for fuse_open_out__bindgen_ty_1
impl Clone for group_filter__bindgen_ty_1
impl Clone for i2c_smbus_data
impl Clone for if_settings__bindgen_ty_1
impl Clone for ifconf__bindgen_ty_1
impl Clone for ifreq__bindgen_ty_1
impl Clone for ifreq__bindgen_ty_2
impl Clone for in6_addr__bindgen_ty_1
impl Clone for io_uring_restriction__bindgen_ty_1
impl Clone for io_uring_sqe__bindgen_ty_1
impl Clone for io_uring_sqe__bindgen_ty_2
impl Clone for io_uring_sqe__bindgen_ty_3
impl Clone for io_uring_sqe__bindgen_ty_4
impl Clone for io_uring_sqe__bindgen_ty_5
impl Clone for iphdr__bindgen_ty_1
impl Clone for ipv6hdr__bindgen_ty_1
impl Clone for nf_conntrack_man_proto
impl Clone for nf_inet_addr
impl Clone for perf_event_attr__bindgen_ty_1
impl Clone for perf_event_attr__bindgen_ty_2
impl Clone for perf_event_attr__bindgen_ty_3
impl Clone for perf_event_attr__bindgen_ty_4
impl Clone for perf_event_mmap_page__bindgen_ty_1
impl Clone for perf_mem_data_src
impl Clone for perf_sample_weight
impl Clone for ptrace_syscall_info__bindgen_ty_1
impl Clone for rta_session__bindgen_ty_1
impl Clone for sigcontext__bindgen_ty_1
impl Clone for sigevent__bindgen_ty_1
impl Clone for siginfo__bindgen_ty_1
impl Clone for starnix_uapi::uapi::sigval
impl Clone for sk_msg_md__bindgen_ty_1
impl Clone for sk_msg_md__bindgen_ty_2
impl Clone for sk_msg_md__bindgen_ty_3
impl Clone for sk_reuseport_md__bindgen_ty_1
impl Clone for sk_reuseport_md__bindgen_ty_2
impl Clone for sk_reuseport_md__bindgen_ty_3
impl Clone for sk_reuseport_md__bindgen_ty_4
impl Clone for sockaddr_storage__bindgen_ty_1
impl Clone for tpacket3_hdr__bindgen_ty_1
impl Clone for tpacket_bd_header_u
impl Clone for tpacket_bd_ts__bindgen_ty_1
impl Clone for tpacket_req_u
impl Clone for tpacket_stats_u
impl Clone for uffd_msg__bindgen_ty_1
impl Clone for uffd_msg__bindgen_ty_1__bindgen_ty_1__bindgen_ty_1
impl Clone for usb_ext_compat_desc__bindgen_ty_1
impl Clone for usb_functionfs_event__bindgen_ty_1
impl Clone for usb_os_desc_header__bindgen_ty_1
impl Clone for xfrm_address_t
impl Clone for xt_bpf_info_v1__bindgen_ty_1
impl Clone for xt_entry_match__bindgen_ty_1
impl Clone for xt_entry_target__bindgen_ty_1
impl Clone for InfoMapsTypeUnion
impl Clone for zx_exception_header_arch_t
impl Clone for zx_iob_discipline_extension_t
impl Clone for zx_packet_guest_vcpu_union_t
impl Clone for zx_pci_bar_union
impl Clone for zx_powerctl_union
impl Clone for zx_profile_info_union
impl Clone for AHasher
impl Clone for AbortHandle
impl Clone for Aborted
impl Clone for AccessType
impl Clone for AddressTaggingFeatureFlags
impl Clone for AdvisoryLockRange
impl Clone for AdvisoryLockRequest
impl Clone for AdvisoryLockType
impl Clone for AdvisoryLockingAdvisoryLockRequest
impl Clone for AdvisoryLockingControlHandle
impl Clone for AdvisoryLockingMarker
impl Clone for AdvisoryLockingProxy
impl Clone for All
impl Clone for AllocateMode
impl Clone for AllowedOffers
impl Clone for AllowedOffers
impl Clone for Alphabet
impl Clone for ArchiveAccessorControlHandle
impl Clone for ArchiveAccessorMarker
impl Clone for ArchiveAccessorProxy
impl Clone for ArrayFormat
impl Clone for ArrayValidation
impl Clone for Assoc
impl Clone for AtRestFlags
impl Clone for AtomicFutureHandle<'_>
impl Clone for Availability
impl Clone for Availability
impl Clone for Availability
impl Clone for AvailabilityList
impl Clone for BatchIteratorControlHandle
impl Clone for BatchIteratorMarker
impl Clone for BatchIteratorProxy
impl Clone for BidiClass
impl Clone for BidiMatchedOpeningBracket
impl Clone for BigEndian
impl Clone for BinderControlHandle
impl Clone for BinderMarker
impl Clone for BinderProxy
impl Clone for BlockIndex
impl Clone for BlockType
impl Clone for Bool
impl Clone for BootControllerControlHandle
impl Clone for BootControllerMarker
impl Clone for BootControllerProxy
impl Clone for BootInstant
impl Clone for BootTimeline
impl Clone for BtiInfo
impl Clone for BtiOptions
impl Clone for Buffer
impl Clone for CSDefaultOperandSize
impl Clone for CachePolicy
impl Clone for Canceled
impl Clone for Capability
impl Clone for CapabilityDecl
impl Clone for CapabilityRef
impl Clone for CapabilityStoreControlHandle
impl Clone for CapabilityStoreDictionaryCopyRequest
impl Clone for CapabilityStoreDictionaryCreateRequest
impl Clone for CapabilityStoreDictionaryGetRequest
impl Clone for CapabilityStoreDictionaryInsertRequest
impl Clone for CapabilityStoreDictionaryRemoveRequest
impl Clone for CapabilityStoreDropRequest
impl Clone for CapabilityStoreDuplicateRequest
impl Clone for CapabilityStoreError
impl Clone for CapabilityStoreExportRequest
impl Clone for CapabilityStoreMarker
impl Clone for CapabilityStoreProxy
impl Clone for CapabilityTypeName
impl Clone for CapabilityTypeNameIter
impl Clone for Child
impl Clone for ChildDecl
impl Clone for ChildIteratorControlHandle
impl Clone for ChildIteratorMarker
impl Clone for ChildIteratorNextResponse
impl Clone for ChildIteratorProxy
impl Clone for ChildLocation
impl Clone for ChildName
impl Clone for ChildRef
impl Clone for ChildRef
impl Clone for ClientSelectorConfiguration
impl Clone for ClockOpts
impl Clone for CloneableControlHandle
impl Clone for CloneableMarker
impl Clone for CloneableProxy
impl Clone for CloseableControlHandle
impl Clone for CloseableMarker
impl Clone for CloseableProxy
impl Clone for Collection
impl Clone for CollectionDecl
impl Clone for CollectionRef
impl Clone for Collector
impl Clone for Component
impl Clone for ComponentControllerControlHandle
impl Clone for ComponentControllerMarker
impl Clone for ComponentControllerProxy
impl Clone for ComponentCrashInfo
impl Clone for ComponentDecl
impl Clone for ComponentRunnerControlHandle
impl Clone for ComponentRunnerMarker
impl Clone for ComponentRunnerProxy
impl Clone for ComponentSelector
impl Clone for Config
impl Clone for Config
impl Clone for ConfigChecksum
impl Clone for ConfigChecksum
impl Clone for ConfigDecl
impl Clone for ConfigField
impl Clone for ConfigField
impl Clone for ConfigMutability
impl Clone for ConfigMutability
impl Clone for ConfigNestedValueType
impl Clone for ConfigOverride
impl Clone for ConfigOverride
impl Clone for ConfigOverrideControlHandle
impl Clone for ConfigOverrideError
impl Clone for ConfigOverrideMarker
impl Clone for ConfigOverrideProxy
impl Clone for ConfigOverrideSetStructuredConfigRequest
impl Clone for ConfigOverrideUnsetStructuredConfigRequest
impl Clone for ConfigSchema
impl Clone for ConfigSingleValue
impl Clone for ConfigSingleValue
impl Clone for ConfigSourceCapabilities
impl Clone for ConfigSourceCapabilities
impl Clone for ConfigType
impl Clone for ConfigTypeLayout
impl Clone for ConfigValue
impl Clone for ConfigValue
impl Clone for ConfigValueSource
impl Clone for ConfigValueSource
impl Clone for ConfigValueSpec
impl Clone for ConfigValueSpec
impl Clone for ConfigValueType
impl Clone for ConfigValuesData
impl Clone for ConfigValuesData
impl Clone for ConfigVectorValue
impl Clone for ConfigVectorValue
impl Clone for Configuration
impl Clone for ConfigurationDecl
impl Clone for ConfigurationError
impl Clone for ConnectToStorageAdminError
impl Clone for ConnectorRouterControlHandle
impl Clone for ConnectorRouterMarker
impl Clone for ConnectorRouterProxy
impl Clone for ConstructNamespaceError
impl Clone for Context
impl Clone for Context
impl Clone for ControllerControlHandle
impl Clone for ControllerMarker
impl Clone for ControllerProxy
impl Clone for CpuFeatureFlags
impl Clone for CrashIntrospectControlHandle
impl Clone for CrashIntrospectFindComponentByThreadKoidResponse
impl Clone for CrashIntrospectMarker
impl Clone for CrashIntrospectProxy
impl Clone for CreateError
impl Clone for DIR
impl Clone for Data
impl Clone for DataRouterControlHandle
impl Clone for DataRouterMarker
impl Clone for DataRouterProxy
impl Clone for DataType
impl Clone for DebugLogOpts
impl Clone for DebugLogRecord
impl Clone for DebugLogSeverity
impl Clone for DebugProtocolRegistration
impl Clone for DebugProtocolRegistration
impl Clone for DebugRef
impl Clone for DebugRegistration
impl Clone for DebugRegistration
impl Clone for DeclField
impl Clone for DeclType
impl Clone for DeclType
impl Clone for DecodeError
impl Clone for DecodePaddingMode
impl Clone for DecodeSliceError
impl Clone for DefaultFuchsiaResourceDialect
impl Clone for DeletionError
impl Clone for DeletionError
impl Clone for DeliveryType
impl Clone for DeliveryType
impl Clone for DependencyNode
impl Clone for DependencyType
impl Clone for DependencyType
impl Clone for DependencyType
impl Clone for DestroyError
impl Clone for DestroyedPayload
impl Clone for Dictionary
impl Clone for Dictionary
impl Clone for DictionaryControlHandle
impl Clone for DictionaryDecl
impl Clone for DictionaryDrainIteratorControlHandle
impl Clone for DictionaryDrainIteratorGetNextRequest
impl Clone for DictionaryDrainIteratorMarker
impl Clone for DictionaryDrainIteratorProxy
impl Clone for DictionaryEntry
impl Clone for DictionaryEntry
impl Clone for DictionaryEnumerateIteratorControlHandle
impl Clone for DictionaryEnumerateIteratorGetNextRequest
impl Clone for DictionaryEnumerateIteratorMarker
impl Clone for DictionaryEnumerateIteratorProxy
impl Clone for DictionaryError
impl Clone for DictionaryItem
impl Clone for DictionaryKeysIteratorControlHandle
impl Clone for DictionaryKeysIteratorMarker
impl Clone for DictionaryKeysIteratorProxy
impl Clone for DictionaryMarker
impl Clone for DictionaryProxy
impl Clone for DictionaryRouterControlHandle
impl Clone for DictionaryRouterMarker
impl Clone for DictionaryRouterProxy
impl Clone for DictionarySource
impl Clone for DictionaryValue
impl Clone for DictionaryValue
impl Clone for DirConnectorRouterControlHandle
impl Clone for DirConnectorRouterMarker
impl Clone for DirConnectorRouterProxy
impl Clone for DirEntryRouterControlHandle
impl Clone for DirEntryRouterMarker
impl Clone for DirEntryRouterProxy
impl Clone for DirReceiverControlHandle
impl Clone for DirReceiverMarker
impl Clone for DirReceiverProxy
impl Clone for Directory
impl Clone for DirectoryControlHandle
impl Clone for DirectoryDecl
impl Clone for DirectoryInfo
impl Clone for DirectoryLinkResponse
impl Clone for DirectoryMarker
impl Clone for DirectoryObject
impl Clone for DirectoryProxy
impl Clone for DirectoryReadDirentsRequest
impl Clone for DirectoryReadDirentsResponse
impl Clone for DirectoryRewindResponse
impl Clone for DirectoryRouterControlHandle
impl Clone for DirectoryRouterMarker
impl Clone for DirectoryRouterProxy
impl Clone for DirectoryUnlinkRequest
impl Clone for DirectoryWatchResponse
impl Clone for DirectoryWatcherControlHandle
impl Clone for DirectoryWatcherMarker
impl Clone for DirectoryWatcherProxy
impl Clone for DirentType
impl Clone for DiscoveredPayload
impl Clone for Dl_info
impl Clone for Domain
impl Clone for Double
impl Clone for Durability
impl Clone for Durability
impl Clone for DynamicFlags
impl Clone for EHandle
impl Clone for Elf32_Phdr
impl Clone for Elf64_Phdr
impl Clone for EmptyStruct
impl Clone for EncodeSliceError
impl Clone for Endianness
impl Clone for Environment
impl Clone for EnvironmentDecl
impl Clone for EnvironmentExtends
impl Clone for EnvironmentRef
impl Clone for EpitaphBody
impl Clone for EpochGuard<'_>
impl Clone for Error
impl Clone for Error
impl Clone for Error
impl Clone for Error
impl Clone for Error
impl Clone for Error
impl Clone for Error
impl Clone for ErrorKind
impl Clone for ErrorList
impl Clone for EventHeader
impl Clone for EventScope
impl Clone for EventStream
impl Clone for EventStreamControlHandle
impl Clone for EventStreamDecl
impl Clone for EventStreamMarker
impl Clone for EventStreamProxy
impl Clone for EventSubscription
impl Clone for EventType
impl Clone for ExceptionArchData
impl Clone for ExceptionChannelOptions
impl Clone for ExceptionChannelType
impl Clone for ExceptionReport
impl Clone for ExceptionType
impl Clone for ExecutionControllerControlHandle
impl Clone for ExecutionControllerMarker
impl Clone for ExecutionControllerOnStopRequest
impl Clone for ExecutionControllerProxy
impl Clone for ExecutionInfo
impl Clone for Expose
impl Clone for ExposeConfiguration
impl Clone for ExposeConfigurationDecl
impl Clone for ExposeDecl
impl Clone for ExposeDictionary
impl Clone for ExposeDictionaryDecl
impl Clone for ExposeDirectory
impl Clone for ExposeDirectoryDecl
impl Clone for ExposeProtocol
impl Clone for ExposeProtocolDecl
impl Clone for ExposeResolver
impl Clone for ExposeResolverDecl
impl Clone for ExposeRunner
impl Clone for ExposeRunnerDecl
impl Clone for ExposeService
impl Clone for ExposeServiceDecl
impl Clone for ExposeSource
impl Clone for ExposeTarget
impl Clone for ExtendedAttributeIteratorControlHandle
impl Clone for ExtendedAttributeIteratorGetNextResponse
impl Clone for ExtendedAttributeIteratorMarker
impl Clone for ExtendedAttributeIteratorProxy
impl Clone for ExtendedMoniker
impl Clone for Extent
impl Clone for FILE
impl Clone for FakeTime
impl Clone for FeatureKind
impl Clone for FileControlHandle
impl Clone for FileGetBackingMemoryRequest
impl Clone for FileMarker
impl Clone for FileProxy
impl Clone for FileReadAtRequest
impl Clone for FileReadAtResponse
impl Clone for FileResizeRequest
impl Clone for FileSeekRequest
impl Clone for FileSeekResponse
impl Clone for FileSignal
impl Clone for FileWriteAtRequest
impl Clone for FileWriteAtResponse
impl Clone for FilesystemInfo
impl Clone for Finder
impl Clone for Finder
impl Clone for Finder
impl Clone for Finder
impl Clone for Finder
impl Clone for FinderBuilder
impl Clone for FinderRev
impl Clone for FinderRev
impl Clone for Flags
impl Clone for FlyByteStr
impl Clone for FlyStr
impl Clone for Format
impl Clone for FrameworkErr
impl Clone for FrameworkRef
impl Clone for Free
impl Clone for GPAddr
impl Clone for GeneralPurpose
impl Clone for GeneralPurposeConfig
impl Clone for GetAllInstancesError
impl Clone for GetDeclarationError
impl Clone for GetDisjointMutError
impl Clone for GetInstanceError
impl Clone for GetStructuredConfigError
impl Clone for GuestBellPacket
impl Clone for GuestIoPacket
impl Clone for GuestMemPacket
impl Clone for GuestVcpuPacket
impl Clone for HandleBasicInfo
impl Clone for HandleCountInfo
impl Clone for HandleInfo
impl Clone for HandleType
impl Clone for HandleType
impl Clone for HashAlgorithm
impl Clone for Header
impl Clone for ImmutableNodeAttributes
impl Clone for InspectSinkControlHandle
impl Clone for InspectSinkMarker
impl Clone for InspectSinkProxy
impl Clone for Inspector
impl Clone for Instance
impl Clone for InstanceIteratorControlHandle
impl Clone for InstanceIteratorMarker
impl Clone for InstanceIteratorNextResponse
impl Clone for InstanceIteratorProxy
impl Clone for InstanceType
impl Clone for Int
impl Clone for Interest
impl Clone for Interest
impl Clone for InterruptPacket
impl Clone for IntrospectorControlHandle
impl Clone for IntrospectorGetMonikerResponse
impl Clone for IntrospectorMarker
impl Clone for IntrospectorProxy
impl Clone for IobAccess
impl Clone for IobDiscipline
impl Clone for IobRegionPrivateOptions
impl Clone for IommuDescStub
impl Clone for JobAction
impl Clone for JobCondition
impl Clone for JobCriticalOptions
impl Clone for JobDefaultTimerMode
impl Clone for JobInfo
impl Clone for JobPolicy
impl Clone for JobPolicyOption
impl Clone for Koid
impl Clone for LauncherAddArgsRequest
impl Clone for LauncherAddEnvironsRequest
impl Clone for LauncherControlHandle
impl Clone for LauncherMarker
impl Clone for LauncherProxy
impl Clone for LauncherSetOptionsRequest
impl Clone for LayoutConstraint
impl Clone for LayoutParameter
impl Clone for Level
impl Clone for LifecycleControllerControlHandle
impl Clone for LifecycleControllerDestroyInstanceRequest
impl Clone for LifecycleControllerMarker
impl Clone for LifecycleControllerProxy
impl Clone for LifecycleControllerResolveInstanceRequest
impl Clone for LifecycleControllerStopInstanceRequest
impl Clone for LifecycleControllerUnresolveInstanceRequest
impl Clone for Link
impl Clone for LinkNodeDisposition
impl Clone for LinkableControlHandle
impl Clone for LinkableMarker
impl Clone for LinkableProxy
impl Clone for LittleEndian
impl Clone for LoaderCloneResponse
impl Clone for LoaderConfigRequest
impl Clone for LoaderConfigResponse
impl Clone for LoaderControlHandle
impl Clone for LoaderLoadObjectRequest
impl Clone for LoaderMarker
impl Clone for LoaderProxy
impl Clone for LocalSpawner
impl Clone for LogFlusherControlHandle
impl Clone for LogFlusherMarker
impl Clone for LogFlusherProxy
impl Clone for LogInterestSelector
impl Clone for LogSettingsControlHandle
impl Clone for LogSettingsMarker
impl Clone for LogSettingsProxy
impl Clone for LogSettingsSetComponentInterestRequest
impl Clone for LogSettingsSetInterestRequest
impl Clone for LogStreamControlHandle
impl Clone for LogStreamMarker
impl Clone for LogStreamOptions
impl Clone for LogStreamProxy
impl Clone for ManifestBytesIteratorControlHandle
impl Clone for ManifestBytesIteratorMarker
impl Clone for ManifestBytesIteratorNextResponse
impl Clone for ManifestBytesIteratorProxy
impl Clone for MapInfo
impl Clone for MappingDetails
impl Clone for MemAccessSize
impl Clone for MemData
impl Clone for MemStats
impl Clone for MemStatsCompression
impl Clone for MemStatsExtended
impl Clone for MemoryStall
impl Clone for MemoryStallKind
impl Clone for Metadata
impl Clone for MethodType
impl Clone for MissingValue
impl Clone for MissingValueReason
impl Clone for ModeType
impl Clone for Moniker
impl Clone for MonikerError
impl Clone for MonotonicInstant
impl Clone for MonotonicTimeline
impl Clone for MutableNodeAttributes
impl Clone for Name
impl Clone for Name
impl Clone for Name
impl Clone for NameMapping
impl Clone for NameMapping
impl Clone for NamespaceControlHandle
impl Clone for NamespaceError
impl Clone for NamespaceMarker
impl Clone for NamespacePath
impl Clone for NamespaceProxy
impl Clone for Needed
impl Clone for Node
impl Clone for NodeAttributeFlags
impl Clone for NodeAttributes
impl Clone for NodeAttributes2
impl Clone for NodeAttributesQuery
impl Clone for NodeControlHandle
impl Clone for NodeDeprecatedGetAttrResponse
impl Clone for NodeDeprecatedGetFlagsResponse
impl Clone for NodeDeprecatedSetAttrRequest
impl Clone for NodeDeprecatedSetAttrResponse
impl Clone for NodeDeprecatedSetFlagsRequest
impl Clone for NodeDeprecatedSetFlagsResponse
impl Clone for NodeGetAttributesRequest
impl Clone for NodeGetExtendedAttributeRequest
impl Clone for NodeGetFlagsResponse
impl Clone for NodeInfo
impl Clone for NodeMarker
impl Clone for NodeProtocolKinds
impl Clone for NodeProxy
impl Clone for NodeQueryFilesystemResponse
impl Clone for NodeRemoveExtendedAttributeRequest
impl Clone for NodeSetFlagsRequest
impl Clone for NsUnit
impl Clone for NumberValidation
impl Clone for ObjectType
impl Clone for ObjectValidation
impl Clone for Offer
impl Clone for OfferConfiguration
impl Clone for OfferConfigurationDecl
impl Clone for OfferDecl
impl Clone for OfferDictionary
impl Clone for OfferDictionaryDecl
impl Clone for OfferDirectory
impl Clone for OfferDirectoryDecl
impl Clone for OfferEventStream
impl Clone for OfferEventStreamDecl
impl Clone for OfferProtocol
impl Clone for OfferProtocolDecl
impl Clone for OfferResolver
impl Clone for OfferResolverDecl
impl Clone for OfferRunner
impl Clone for OfferRunnerDecl
impl Clone for OfferService
impl Clone for OfferServiceDecl
impl Clone for OfferSource
impl Clone for OfferStorage
impl Clone for OfferStorageDecl
impl Clone for OfferTarget
impl Clone for OnTerminate
impl Clone for OnTerminate
impl Clone for One
impl Clone for One
impl Clone for One
impl Clone for OpenDirType
impl Clone for OpenError
impl Clone for OpenFlags
impl Clone for Operations
impl Clone for Options
impl Clone for PacketContents
impl Clone for PagerOptions
impl Clone for PagerPacket
impl Clone for PagerWritebackBeginOptions
impl Clone for Pair
impl Clone for ParagraphInfo
impl Clone for ParentRef
impl Clone for ParseError
impl Clone for ParseError
impl Clone for ParseNameError
impl Clone for PartialNodeHierarchy
impl Clone for Path
impl Clone for PerCpuStats
impl Clone for PerformanceConfiguration
impl Clone for PolicyCode
impl Clone for PollNext
impl Clone for PortAccessSize
impl Clone for PortData
impl Clone for Position
impl Clone for PowerTransitionPacket
impl Clone for PrefilterConfig
impl Clone for ProcessHandleStats
impl Clone for ProcessInfo
impl Clone for ProcessInfoFlags
impl Clone for ProcessOptions
impl Clone for Program
impl Clone for ProgramDecl
impl Clone for Property
impl Clone for PropertySelector
impl Clone for Protocol
impl Clone for Protocol
impl Clone for ProtocolDecl
impl Clone for PurgedPayload
impl Clone for QueryableControlHandle
impl Clone for QueryableMarker
impl Clone for QueryableProxy
impl Clone for QueryableQueryResponse
impl Clone for RaiseExceptionOptions
impl Clone for RandomState
impl Clone for ReadableControlHandle
impl Clone for ReadableMarker
impl Clone for ReadableProxy
impl Clone for ReadableReadRequest
impl Clone for ReadableReadResponse
impl Clone for ReadableState
impl Clone for ReaderError
impl Clone for ReadyTimeoutError
impl Clone for RealmControlHandle
impl Clone for RealmDestroyChildRequest
impl Clone for RealmExplorerControlHandle
impl Clone for RealmExplorerMarker
impl Clone for RealmExplorerProxy
impl Clone for RealmMarker
impl Clone for RealmProxy
impl Clone for RealmQueryConstructNamespaceRequest
impl Clone for RealmQueryControlHandle
impl Clone for RealmQueryError
impl Clone for RealmQueryGetInstanceRequest
impl Clone for RealmQueryGetInstanceResponse
impl Clone for RealmQueryGetResolvedDeclarationRequest
impl Clone for RealmQueryGetStructuredConfigRequest
impl Clone for RealmQueryGetStructuredConfigResponse
impl Clone for RealmQueryMarker
impl Clone for RealmQueryProxy
impl Clone for RealmQueryResolveDeclarationRequest
impl Clone for ReceiverControlHandle
impl Clone for ReceiverMarker
impl Clone for ReceiverProxy
impl Clone for RecvError
impl Clone for RecvFlags
impl Clone for RecvTimeoutError
impl Clone for Ref
impl Clone for RegistrationSource
impl Clone for RelativePath
impl Clone for RemoveRefSiblings
impl Clone for ReplaceBoolSchemas
impl Clone for Reserved
impl Clone for ResolveError
impl Clone for ResolvedConfig
impl Clone for ResolvedConfigField
impl Clone for ResolvedInfo
impl Clone for ResolvedPayload
impl Clone for Resolver
impl Clone for ResolverControlHandle
impl Clone for ResolverControlHandle
impl Clone for ResolverDecl
impl Clone for ResolverError
impl Clone for ResolverMarker
impl Clone for ResolverMarker
impl Clone for ResolverProxy
impl Clone for ResolverProxy
impl Clone for ResolverRegistration
impl Clone for ResolverRegistration
impl Clone for ResolverResolveRequest
impl Clone for ResolverResolveRequest
impl Clone for ResolverResolveWithContextRequest
impl Clone for ResourceFlag
impl Clone for ResourceInfo
impl Clone for ResourceKind
impl Clone for Rights
impl Clone for RootSchema
impl Clone for RouteError
impl Clone for RouteOutcome
impl Clone for RouteReport
impl Clone for RouteTarget
impl Clone for RouteValidatorControlHandle
impl Clone for RouteValidatorError
impl Clone for RouteValidatorMarker
impl Clone for RouteValidatorProxy
impl Clone for RouteValidatorRouteRequest
impl Clone for RouteValidatorRouteResponse
impl Clone for RouteValidatorValidateRequest
impl Clone for RouteValidatorValidateResponse
impl Clone for RouterError
impl Clone for Runner
impl Clone for RunnerDecl
impl Clone for RunnerRegistration
impl Clone for RunnerRegistration
impl Clone for RuntimeError
impl Clone for SampleControlHandle
impl Clone for SampleDatum
impl Clone for SampleMarker
impl Clone for SampleParameters
impl Clone for SampleProxy
impl Clone for SampleSinkControlHandle
impl Clone for SampleSinkMarker
impl Clone for SampleSinkProxy
impl Clone for SampleStrategy
impl Clone for Schema
impl Clone for SchemaGenerator
impl Clone for SchemaObject
impl Clone for SchemaSettings
impl Clone for ScopeActiveGuard
impl Clone for ScopeHandle
impl Clone for SeekOrigin
impl Clone for SelectTimeoutError
impl Clone for Selector
impl Clone for SelectorArgument
impl Clone for SelfRef
impl Clone for SelinuxContext
impl Clone for SendError
impl Clone for SeparatedPath
impl Clone for Service
impl Clone for Service
impl Clone for ServiceDecl
impl Clone for ServiceInstance
impl Clone for SetExtendedAttributeMode
impl Clone for SetSingleExample
impl Clone for Severity
impl Clone for Severity
impl Clone for SignalPacket
impl Clone for Signals
impl Clone for SockAddr
impl Clone for SocketInfo
impl Clone for SocketOpts
impl Clone for SocketReadOpts
impl Clone for SocketWriteDisposition
impl Clone for SocketWriteOpts
impl Clone for SourceBreaking
impl Clone for StartError
impl Clone for StartedPayload
impl Clone for StartupMode
impl Clone for StartupMode
impl Clone for StatusError
impl Clone for StatusError
impl Clone for StopError
impl Clone for StoppedPayload
impl Clone for Storage
impl Clone for StorageAdminControlHandle
impl Clone for StorageAdminControlHandle
impl Clone for StorageAdminDeleteComponentStorageRequest
impl Clone for StorageAdminDeleteComponentStorageRequest
impl Clone for StorageAdminMarker
impl Clone for StorageAdminMarker
impl Clone for StorageAdminProxy
impl Clone for StorageAdminProxy
impl Clone for StorageDecl
impl Clone for StorageDirectorySource
impl Clone for StorageId
impl Clone for StorageId
impl Clone for StorageIteratorControlHandle
impl Clone for StorageIteratorControlHandle
impl Clone for StorageIteratorMarker
impl Clone for StorageIteratorMarker
impl Clone for StorageIteratorNextResponse
impl Clone for StorageIteratorNextResponse
impl Clone for StorageIteratorProxy
impl Clone for StorageIteratorProxy
impl Clone for StorageStatus
impl Clone for StorageStatus
impl Clone for StreamMode
impl Clone for StreamOptions
impl Clone for StreamParameters
impl Clone for StreamReadOptions
impl Clone for StreamWriteOptions
impl Clone for StringRef
impl Clone for StringReference
impl Clone for StringSelector
impl Clone for StringValidation
impl Clone for SubschemaValidation
impl Clone for SubtreeSelector
impl Clone for SymlinkControlHandle
impl Clone for SymlinkInfo
impl Clone for SymlinkMarker
impl Clone for SymlinkObject
impl Clone for SymlinkProxy
impl Clone for SyntheticTimeline
impl Clone for SystemControllerControlHandle
impl Clone for SystemControllerMarker
impl Clone for SystemControllerProxy
impl Clone for TaskProviderControlHandle
impl Clone for TaskProviderMarker
impl Clone for TaskProviderProxy
impl Clone for TaskRuntimeInfo
impl Clone for TaskStatsInfo
impl Clone for TcpKeepalive
impl Clone for ThreadBlockType
impl Clone for ThreadInfo
impl Clone for ThreadState
impl Clone for ThreadStats
impl Clone for Three
impl Clone for Three
impl Clone for Three
impl Clone for TicksUnit
impl Clone for Tombstone
impl Clone for Topic
impl Clone for TransactionHeader
impl Clone for TransferDataOptions
impl Clone for TransportError
impl Clone for TreeControlHandle
impl Clone for TreeMarker
impl Clone for TreeNameIteratorControlHandle
impl Clone for TreeNameIteratorGetNextResponse
impl Clone for TreeNameIteratorMarker
impl Clone for TreeNameIteratorProxy
impl Clone for TreeNames
impl Clone for TreeProxy
impl Clone for TreeSelector
impl Clone for TryFromSliceError
impl Clone for TryReadyError
impl Clone for TryRecvError
impl Clone for TryReserveError
impl Clone for TrySelectError
impl Clone for Two
impl Clone for Two
impl Clone for Two
impl Clone for Txid
impl Clone for Type
impl Clone for Uint
impl Clone for Unit
impl Clone for Unknown
impl Clone for UnlinkFlags
impl Clone for UnlinkOptions
impl Clone for Unparker
impl Clone for UnresolveError
impl Clone for UnresolvedPayload
impl Clone for UnspecifiedFifoElement
impl Clone for Url
impl Clone for UrlScheme
impl Clone for Use
impl Clone for UseConfiguration
impl Clone for UseConfigurationDecl
impl Clone for UseDecl
impl Clone for UseDictionary
impl Clone for UseDictionaryDecl
impl Clone for UseDirectory
impl Clone for UseDirectoryDecl
impl Clone for UseEventStream
impl Clone for UseEventStreamDecl
impl Clone for UseProtocol
impl Clone for UseProtocolDecl
impl Clone for UseRunner
impl Clone for UseRunnerDecl
impl Clone for UseService
impl Clone for UseServiceDecl
impl Clone for UseSource
impl Clone for UseStorage
impl Clone for UseStorageDecl
impl Clone for UserPacket
impl Clone for UtcTimeline
impl Clone for VcpuContents
impl Clone for VerboseErrorKind
impl Clone for VerificationOptions
impl Clone for VirtualMemoryFeatureFlags
impl Clone for VmarFlags
impl Clone for VmarFlagsExtended
impl Clone for VmarInfo
impl Clone for VmarOp
impl Clone for VmoChildOptions
impl Clone for VmoFlags
impl Clone for VmoInfo
impl Clone for VmoInfoFlags
impl Clone for VmoOp
impl Clone for VmoOptions
impl Clone for VoidRef
impl Clone for WaitAsyncOpts
impl Clone for WaitGroup
impl Clone for WaitResult
impl Clone for WaitTimeoutResult
impl Clone for WatchEvent
impl Clone for WatchMask
impl Clone for WireFormatVersion
impl Clone for WireMetadata
impl Clone for WrappedCapabilityId
impl Clone for WritableControlHandle
impl Clone for WritableMarker
impl Clone for WritableProxy
impl Clone for WritableState
impl Clone for WritableWriteRequest
impl Clone for WritableWriteResponse
impl Clone for addrinfo
impl Clone for aiocb
impl Clone for cmsghdr
impl Clone for cpu_set_t
impl Clone for dirent
impl Clone for dirent64
impl Clone for dl_phdr_info
impl Clone for dqblk
impl Clone for epoll_event
impl Clone for fd_set
impl Clone for ff_condition_effect
impl Clone for ff_constant_effect
impl Clone for ff_effect
impl Clone for ff_envelope
impl Clone for ff_periodic_effect
impl Clone for ff_ramp_effect
impl Clone for ff_replay
impl Clone for ff_rumble_effect
impl Clone for ff_trigger
impl Clone for flock
impl Clone for fpos64_t
impl Clone for fpos_t
impl Clone for fsid_t
impl Clone for glob_t
impl Clone for group
impl Clone for hostent
impl Clone for if_nameindex
impl Clone for ifaddrs
impl Clone for in6_addr
impl Clone for in6_pktinfo
impl Clone for in_addr
impl Clone for input_absinfo
impl Clone for input_event
impl Clone for input_id
impl Clone for input_keymap_entry
impl Clone for input_mask
impl Clone for iovec
impl Clone for ip_mreq
impl Clone for ip_mreqn
impl Clone for ipc_perm
impl Clone for ipv6_mreq
impl Clone for itimerspec
impl Clone for itimerval
impl Clone for lconv
impl Clone for linger
impl Clone for mcontext_t
impl Clone for mmsghdr
impl Clone for mq_attr
impl Clone for msghdr
impl Clone for msginfo
impl Clone for msqid_ds
impl Clone for passwd
impl Clone for pollfd
impl Clone for protoent
impl Clone for pthread_attr_t
impl Clone for pthread_cond_t
impl Clone for pthread_condattr_t
impl Clone for pthread_mutex_t
impl Clone for pthread_mutexattr_t
impl Clone for pthread_rwlock_t
impl Clone for pthread_rwlockattr_t
impl Clone for rlimit
impl Clone for rlimit64
impl Clone for rusage
impl Clone for sched_param
impl Clone for sem_t
impl Clone for sembuf
impl Clone for servent
impl Clone for shmid_ds
impl Clone for sigaction
impl Clone for sigevent
impl Clone for siginfo_t
impl Clone for signalfd_siginfo
impl Clone for sigset_t
impl Clone for sigval
impl Clone for sockaddr
impl Clone for sockaddr_in
impl Clone for sockaddr_in6
impl Clone for sockaddr_ll
impl Clone for sockaddr_nl
impl Clone for sockaddr_storage
impl Clone for sockaddr_un
impl Clone for sockaddr_vm
impl Clone for spwd
impl Clone for stack_t
impl Clone for stat
impl Clone for stat64
impl Clone for statfs
impl Clone for statfs64
impl Clone for statvfs
impl Clone for statvfs64
impl Clone for sysinfo
impl Clone for termios
impl Clone for termios2
impl Clone for timespec
impl Clone for timeval
impl Clone for timezone
impl Clone for tm
impl Clone for tms
impl Clone for ucontext_t
impl Clone for ucred
impl Clone for utimbuf
impl Clone for utsname
impl Clone for winsize
impl<'a> Clone for Utf8Pattern<'a>
impl<'a> Clone for std::path::Component<'a>
impl<'a> Clone for Prefix<'a>
impl<'a> Clone for Item<'a>
impl<'a> Clone for Unexpected<'a>
impl<'a> Clone for Source<'a>
impl<'a> Clone for starnix_uapi::arch32::__static_assertions::_core::ffi::c_str::Bytes<'a>
impl<'a> Clone for Arguments<'a>
impl<'a> Clone for PhantomContravariantLifetime<'a>
impl<'a> Clone for PhantomCovariantLifetime<'a>
impl<'a> Clone for PhantomInvariantLifetime<'a>
impl<'a> Clone for Location<'a>
impl<'a> Clone for EscapeAscii<'a>
impl<'a> Clone for CharSearcher<'a>
impl<'a> Clone for starnix_uapi::arch32::__static_assertions::_core::str::Bytes<'a>
impl<'a> Clone for starnix_uapi::arch32::__static_assertions::_core::str::CharIndices<'a>
impl<'a> Clone for starnix_uapi::arch32::__static_assertions::_core::str::Chars<'a>
impl<'a> Clone for EncodeUtf16<'a>
impl<'a> Clone for starnix_uapi::arch32::__static_assertions::_core::str::EscapeDebug<'a>
impl<'a> Clone for starnix_uapi::arch32::__static_assertions::_core::str::EscapeDefault<'a>
impl<'a> Clone for starnix_uapi::arch32::__static_assertions::_core::str::EscapeUnicode<'a>
impl<'a> Clone for starnix_uapi::arch32::__static_assertions::_core::str::Lines<'a>
impl<'a> Clone for LinesAny<'a>
impl<'a> Clone for SplitAsciiWhitespace<'a>
impl<'a> Clone for SplitWhitespace<'a>
impl<'a> Clone for Utf8Chunk<'a>
impl<'a> Clone for starnix_uapi::arch32::__static_assertions::_core::str::Utf8Chunks<'a>
impl<'a> Clone for IoSlice<'a>
impl<'a> Clone for Ancestors<'a>
impl<'a> Clone for Components<'a>
impl<'a> Clone for std::path::Iter<'a>
impl<'a> Clone for PrefixComponent<'a>
impl<'a> Clone for anyhow::Chain<'a>
impl<'a> Clone for StrftimeItems<'a>
impl<'a> Clone for log::Metadata<'a>
impl<'a> Clone for Record<'a>
impl<'a> Clone for serde_json::map::Iter<'a>
impl<'a> Clone for serde_json::map::Keys<'a>
impl<'a> Clone for serde_json::map::Values<'a>
impl<'a> Clone for PrettyFormatter<'a>
impl<'a> Clone for ParseOptions<'a>
impl<'a> Clone for EscapeBytes<'a>
impl<'a> Clone for bstr::ext_slice::Bytes<'a>
impl<'a> Clone for bstr::ext_slice::Finder<'a>
impl<'a> Clone for FinderReverse<'a>
impl<'a> Clone for bstr::ext_slice::Lines<'a>
impl<'a> Clone for LinesWithTerminator<'a>
impl<'a> Clone for bstr::utf8::CharIndices<'a>
impl<'a> Clone for bstr::utf8::Chars<'a>
impl<'a> Clone for bstr::utf8::Utf8Chunks<'a>
impl<'a> Clone for BorrowedSeparatedPath<'a>
impl<'a> Clone for ChannelIoSlice<'a>
impl<'a> Clone for IobIoSlice<'a>
impl<'a> Clone for IobRegionType<'a>
impl<'a> Clone for MapDetails<'a>
impl<'a> Clone for Parse<'a>
impl<'a> Clone for PercentDecode<'a>
impl<'a> Clone for PercentEncode<'a>
impl<'a> Clone for Select<'a>
impl<'a, 'b> Clone for CharSliceSearcher<'a, 'b>
impl<'a, 'b> Clone for StrSearcher<'a, 'b>
impl<'a, 'b, const N: usize> Clone for CharArrayRefSearcher<'a, 'b, N>
impl<'a, 'h> Clone for OneIter<'a, 'h>
impl<'a, 'h> Clone for OneIter<'a, 'h>
impl<'a, 'h> Clone for OneIter<'a, 'h>
impl<'a, 'h> Clone for ThreeIter<'a, 'h>
impl<'a, 'h> Clone for ThreeIter<'a, 'h>
impl<'a, 'h> Clone for ThreeIter<'a, 'h>
impl<'a, 'h> Clone for TwoIter<'a, 'h>
impl<'a, 'h> Clone for TwoIter<'a, 'h>
impl<'a, 'h> Clone for TwoIter<'a, 'h>
impl<'a, E> Clone for BytesDeserializer<'a, E>
impl<'a, E> Clone for CowStrDeserializer<'a, E>
std or alloc only.impl<'a, F> Clone for CharPredicateSearcher<'a, F>
impl<'a, F> Clone for FieldsWith<'a, F>where
F: Clone,
impl<'a, I> Clone for Chunks<'a, I>
impl<'a, K> Clone for alloc::collections::btree::set::Cursor<'a, K>where
K: Clone + 'a,
impl<'a, P> Clone for MatchIndices<'a, P>
impl<'a, P> Clone for Matches<'a, P>
impl<'a, P> Clone for RMatchIndices<'a, P>
impl<'a, P> Clone for RMatches<'a, P>
impl<'a, P> Clone for starnix_uapi::arch32::__static_assertions::_core::str::RSplit<'a, P>
impl<'a, P> Clone for RSplitN<'a, P>
impl<'a, P> Clone for RSplitTerminator<'a, P>
impl<'a, P> Clone for starnix_uapi::arch32::__static_assertions::_core::str::Split<'a, P>
impl<'a, P> Clone for starnix_uapi::arch32::__static_assertions::_core::str::SplitInclusive<'a, P>
impl<'a, P> Clone for starnix_uapi::arch32::__static_assertions::_core::str::SplitN<'a, P>
impl<'a, P> Clone for SplitTerminator<'a, P>
impl<'a, T> Clone for RChunksExact<'a, T>
impl<'a, T, I> Clone for Ptr<'a, T, I>where
T: 'a + ?Sized,
I: Invariants<Aliasing = Shared>,
SAFETY: See the safety comment on Copy.
impl<'a, T, P> Clone for ChunkBy<'a, T, P>where
T: 'a,
P: Clone,
impl<'a, T, const N: usize> Clone for ArrayWindows<'a, T, N>where
T: Clone + 'a,
impl<'a, const N: usize> Clone for CharArraySearcher<'a, N>
impl<'clone> Clone for Box<dyn DynClone + 'clone>
impl<'clone> Clone for Box<dyn DynClone + Send + 'clone>
impl<'clone> Clone for Box<dyn DynClone + Sync + 'clone>
impl<'clone> Clone for Box<dyn DynClone + Sync + Send + 'clone>
impl<'clone> Clone for Box<dyn GenVisitor + 'clone>
impl<'clone> Clone for Box<dyn GenVisitor + Send + 'clone>
impl<'clone> Clone for Box<dyn GenVisitor + Sync + 'clone>
impl<'clone> Clone for Box<dyn GenVisitor + Sync + Send + 'clone>
impl<'de, E> Clone for BorrowedBytesDeserializer<'de, E>
impl<'de, E> Clone for BorrowedStrDeserializer<'de, E>
impl<'de, E> Clone for StrDeserializer<'de, E>
impl<'de, I, E> Clone for MapDeserializer<'de, I, E>
impl<'f> Clone for VaList<'f>
impl<'fd> Clone for BorrowedFd<'fd>
impl<'h> Clone for Memchr2<'h>
impl<'h> Clone for Memchr3<'h>
impl<'h> Clone for Memchr<'h>
impl<'h, 'n> Clone for Find<'h, 'n>
impl<'h, 'n> Clone for FindReverse<'h, 'n>
impl<'h, 'n> Clone for FindIter<'h, 'n>
impl<'h, 'n> Clone for FindRevIter<'h, 'n>
impl<'h, 's> Clone for bstr::ext_slice::Split<'h, 's>
impl<'h, 's> Clone for bstr::ext_slice::SplitN<'h, 's>
impl<'h, 's> Clone for SplitNReverse<'h, 's>
impl<'h, 's> Clone for SplitReverse<'h, 's>
impl<'k> Clone for Key<'k>
impl<'n> Clone for Finder<'n>
impl<'n> Clone for FinderRev<'n>
impl<'v> Clone for log::kv::value::Value<'v>
impl<A> Clone for starnix_uapi::arch32::__static_assertions::_core::iter::Repeat<A>where
A: Clone,
impl<A> Clone for starnix_uapi::arch32::__static_assertions::_core::iter::RepeatN<A>where
A: Clone,
impl<A> Clone for starnix_uapi::arch32::__static_assertions::_core::option::IntoIter<A>where
A: Clone,
impl<A> Clone for starnix_uapi::arch32::__static_assertions::_core::option::Iter<'_, A>
impl<A> Clone for OptionFlatten<A>where
A: Clone,
impl<A> Clone for RangeFromIter<A>where
A: Clone,
impl<A> Clone for RangeInclusiveIter<A>where
A: Clone,
impl<A> Clone for RangeIter<A>where
A: Clone,
impl<A> Clone for EnumAccessDeserializer<A>where
A: Clone,
impl<A> Clone for MapAccessDeserializer<A>where
A: Clone,
impl<A> Clone for SeqAccessDeserializer<A>where
A: Clone,
impl<A> Clone for ArrayVec<A>
impl<A> Clone for IntoIter<A>
impl<A> Clone for RepeatN<A>where
A: Clone,
impl<A> Clone for SmallVec<A>where
A: Array,
<A as Array>::Item: Clone,
impl<A> Clone for TinyVec<A>
impl<A, B> Clone for starnix_uapi::arch32::__static_assertions::_core::iter::Chain<A, B>
impl<A, B> Clone for starnix_uapi::arch32::__static_assertions::_core::iter::Zip<A, B>
impl<A, B> Clone for Either<A, B>
impl<A, B> Clone for EitherOrBoth<A, B>
impl<A, S, V> Clone for ConvertError<A, S, V>
impl<B> Clone for Cow<'_, B>
impl<B, C> Clone for ControlFlow<B, C>
impl<B, T> Clone for zerocopy::ref::def::Ref<B, T>
impl<D> Clone for Client<D>where
D: Clone + ResourceDialect,
impl<Dyn> Clone for DynMetadata<Dyn>where
Dyn: ?Sized,
impl<E> Clone for BoolDeserializer<E>
impl<E> Clone for CharDeserializer<E>
impl<E> Clone for F32Deserializer<E>
impl<E> Clone for F64Deserializer<E>
impl<E> Clone for I8Deserializer<E>
impl<E> Clone for I16Deserializer<E>
impl<E> Clone for I32Deserializer<E>
impl<E> Clone for I64Deserializer<E>
impl<E> Clone for I128Deserializer<E>
impl<E> Clone for IsizeDeserializer<E>
impl<E> Clone for StringDeserializer<E>
std or alloc only.impl<E> Clone for U8Deserializer<E>
impl<E> Clone for U16Deserializer<E>
impl<E> Clone for U32Deserializer<E>
impl<E> Clone for U64Deserializer<E>
impl<E> Clone for U128Deserializer<E>
impl<E> Clone for UnitDeserializer<E>
impl<E> Clone for UsizeDeserializer<E>
impl<F> Clone for FromFn<F>where
F: Clone,
impl<F> Clone for OnceWith<F>where
F: Clone,
impl<F> Clone for starnix_uapi::arch32::__static_assertions::_core::iter::RepeatWith<F>where
F: Clone,
impl<F> Clone for OptionFuture<F>where
F: Clone,
impl<F> Clone for RepeatWith<F>where
F: Clone,
impl<Failure, Error> Clone for Err<Failure, Error>
impl<G> Clone for FromCoroutine<G>where
G: Clone,
impl<H> Clone for BuildHasherDefault<H>
impl<I> Clone for FromIter<I>where
I: Clone,
impl<I> Clone for DecodeUtf16<I>
impl<I> Clone for Cloned<I>where
I: Clone,
impl<I> Clone for Copied<I>where
I: Clone,
impl<I> Clone for Cycle<I>where
I: Clone,
impl<I> Clone for Enumerate<I>where
I: Clone,
impl<I> Clone for Fuse<I>where
I: Clone,
impl<I> Clone for Intersperse<I>
impl<I> Clone for Peekable<I>
impl<I> Clone for Skip<I>where
I: Clone,
impl<I> Clone for StepBy<I>where
I: Clone,
impl<I> Clone for Take<I>where
I: Clone,
impl<I> Clone for CombinationsWithReplacement<I>
impl<I> Clone for Decompositions<I>where
I: Clone,
impl<I> Clone for Error<I>where
I: Clone,
impl<I> Clone for ExactlyOneError<I>
impl<I> Clone for Format<'_, I>where
I: Clone,
impl<I> Clone for GroupingMap<I>where
I: Clone,
impl<I> Clone for IntoChunks<I>
impl<I> Clone for Iter<I>where
I: Clone,
impl<I> Clone for MultiPeek<I>
impl<I> Clone for MultiProduct<I>
impl<I> Clone for PeekNth<I>
impl<I> Clone for Permutations<I>
impl<I> Clone for Powerset<I>
impl<I> Clone for PutBack<I>
impl<I> Clone for PutBackN<I>
impl<I> Clone for RcIter<I>
impl<I> Clone for Recompositions<I>where
I: Clone,
impl<I> Clone for Replacements<I>where
I: Clone,
impl<I> Clone for Unique<I>
impl<I> Clone for VerboseError<I>where
I: Clone,
impl<I> Clone for WhileSome<I>where
I: Clone,
impl<I> Clone for WithPosition<I>
impl<I, E> Clone for SeqDeserializer<I, E>
impl<I, ElemF> Clone for IntersperseWith<I, ElemF>
impl<I, F> Clone for FilterMap<I, F>
impl<I, F> Clone for Inspect<I, F>
impl<I, F> Clone for starnix_uapi::arch32::__static_assertions::_core::iter::Map<I, F>
impl<I, F> Clone for Batching<I, F>
impl<I, F> Clone for FilterMapOk<I, F>
impl<I, F> Clone for FilterOk<I, F>
impl<I, F> Clone for FormatWith<'_, I, F>
impl<I, F> Clone for KMergeBy<I, F>
impl<I, F> Clone for PadUsing<I, F>
impl<I, F> Clone for Positions<I, F>
impl<I, F> Clone for TakeWhileInclusive<I, F>
impl<I, F> Clone for Update<I, F>
impl<I, F, const N: usize> Clone for MapWindows<I, F, N>
impl<I, G> Clone for starnix_uapi::arch32::__static_assertions::_core::iter::IntersperseWith<I, G>
impl<I, J> Clone for Diff<I, J>
impl<I, J> Clone for Interleave<I, J>
impl<I, J> Clone for InterleaveShortest<I, J>
impl<I, J> Clone for Product<I, J>
impl<I, J> Clone for ZipEq<I, J>
impl<I, J, F> Clone for MergeBy<I, J, F>
impl<I, P> Clone for Filter<I, P>
impl<I, P> Clone for MapWhile<I, P>
impl<I, P> Clone for SkipWhile<I, P>
impl<I, P> Clone for TakeWhile<I, P>
impl<I, St, F> Clone for Scan<I, St, F>
impl<I, T> Clone for CircularTupleWindows<I, T>
impl<I, T> Clone for TupleCombinations<I, T>
impl<I, T> Clone for TupleWindows<I, T>
impl<I, T> Clone for Tuples<I, T>
impl<I, T, E> Clone for FlattenOk<I, T, E>where
I: Iterator<Item = Result<T, E>> + Clone,
T: IntoIterator,
<T as IntoIterator>::IntoIter: Clone,
impl<I, U> Clone for Flatten<I>
impl<I, U, F> Clone for FlatMap<I, U, F>
impl<I, V, F> Clone for UniqueBy<I, V, F>
impl<I, const N: usize> Clone for ArrayChunks<I, N>
impl<Idx> Clone for starnix_uapi::arch32::__static_assertions::_core::ops::Range<Idx>where
Idx: Clone,
impl<Idx> Clone for starnix_uapi::arch32::__static_assertions::_core::ops::RangeFrom<Idx>where
Idx: Clone,
impl<Idx> Clone for starnix_uapi::arch32::__static_assertions::_core::ops::RangeInclusive<Idx>where
Idx: Clone,
impl<Idx> Clone for RangeTo<Idx>where
Idx: Clone,
impl<Idx> Clone for starnix_uapi::arch32::__static_assertions::_core::ops::RangeToInclusive<Idx>where
Idx: Clone,
impl<Idx> Clone for starnix_uapi::arch32::__static_assertions::_core::range::Range<Idx>where
Idx: Clone,
impl<Idx> Clone for starnix_uapi::arch32::__static_assertions::_core::range::RangeFrom<Idx>where
Idx: Clone,
impl<Idx> Clone for starnix_uapi::arch32::__static_assertions::_core::range::RangeInclusive<Idx>where
Idx: Clone,
impl<Idx> Clone for starnix_uapi::arch32::__static_assertions::_core::range::RangeToInclusive<Idx>where
Idx: Clone,
impl<K> Clone for std::collections::hash::set::Iter<'_, K>
impl<K> Clone for Iter<'_, K>
impl<K, V> Clone for alloc::collections::btree::map::Cursor<'_, K, V>
impl<K, V> Clone for alloc::collections::btree::map::Iter<'_, K, V>
impl<K, V> Clone for alloc::collections::btree::map::Keys<'_, K, V>
impl<K, V> Clone for alloc::collections::btree::map::Range<'_, K, V>
impl<K, V> Clone for alloc::collections::btree::map::Values<'_, K, V>
impl<K, V> Clone for std::collections::hash::map::Iter<'_, K, V>
impl<K, V> Clone for std::collections::hash::map::Keys<'_, K, V>
impl<K, V> Clone for std::collections::hash::map::Values<'_, K, V>
impl<K, V> Clone for indexmap::map::Iter<'_, K, V>
impl<K, V> Clone for indexmap::map::Keys<'_, K, V>
impl<K, V> Clone for indexmap::map::Values<'_, K, V>
impl<K, V> Clone for RangeMap<K, V>
impl<K, V> Clone for Iter<'_, K, V>
impl<K, V> Clone for Keys<'_, K, V>
impl<K, V> Clone for Values<'_, K, V>
impl<K, V, A> Clone for BTreeMap<K, V, A>
impl<K, V, S> Clone for std::collections::hash::map::HashMap<K, V, S>
impl<K, V, S> Clone for IndexMap<K, V, S>
impl<K, V, S> Clone for AHashMap<K, V, S>
impl<K, V, S, A> Clone for HashMap<K, V, S, A>
impl<Key> Clone for DiagnosticsHierarchy<Key>where
Key: Clone,
impl<Key> Clone for Property<Key>where
Key: Clone,
impl<L, R> Clone for either::Either<L, R>
impl<L, R> Clone for IterEither<L, R>
impl<O> Clone for F32<O>where
O: Clone,
impl<O> Clone for F64<O>where
O: Clone,
impl<O> Clone for I16<O>where
O: Clone,
impl<O> Clone for I32<O>where
O: Clone,
impl<O> Clone for I64<O>where
O: Clone,
impl<O> Clone for I128<O>where
O: Clone,
impl<O> Clone for Isize<O>where
O: Clone,
impl<O> Clone for U16<O>where
O: Clone,
impl<O> Clone for U32<O>where
O: Clone,
impl<O> Clone for U64<O>where
O: Clone,
impl<O> Clone for U128<O>where
O: Clone,
impl<O> Clone for Usize<O>where
O: Clone,
impl<Ptr> Clone for Pin<Ptr>where
Ptr: Clone,
impl<Reference, Output> Clone for ClockDetails<Reference, Output>
impl<Reference, Output> Clone for ClockTransformation<Reference, Output>
impl<Reference, Output> Clone for ClockUpdate<Reference, Output>
impl<S> Clone for Host<S>where
S: Clone,
impl<S> Clone for PollImmediate<S>where
S: Clone,
impl<Si, F> Clone for SinkMapErr<Si, F>
impl<Si, Item, U, Fut, F> Clone for With<Si, Item, U, Fut, F>
impl<Src, Dst> Clone for AlignmentError<Src, Dst>
impl<Src, Dst> Clone for SizeError<Src, Dst>
impl<Src, Dst> Clone for ValidityError<Src, Dst>
impl<St, F> Clone for Iterate<St, F>
impl<St, F> Clone for Unfold<St, F>
impl<Storage> Clone for __BindgenBitfieldUnit<Storage>where
Storage: Clone,
impl<T64: Clone, T32: Clone> Clone for ArchSpecificUnionContainer<T64, T32>
impl<T> !Clone for &mut Twhere
T: ?Sized,
Shared references can be cloned, but mutable references cannot!
impl<T> Clone for Bound<T>where
T: Clone,
impl<T> Clone for Option<T>where
T: Clone,
impl<T> Clone for Poll<T>where
T: Clone,
impl<T> Clone for std::sync::mpmc::error::SendTimeoutError<T>where
T: Clone,
impl<T> Clone for std::sync::mpsc::TrySendError<T>where
T: Clone,
impl<T> Clone for LocalResult<T>where
T: Clone,
impl<T> Clone for *const Twhere
T: ?Sized,
impl<T> Clone for *mut Twhere
T: ?Sized,
impl<T> Clone for &Twhere
T: ?Sized,
Shared references can be cloned, but mutable references cannot!
impl<T> Clone for ArcKey<T>
impl<T> Clone for PtrKey<T>
impl<T> Clone for WeakKey<T>
impl<T> Clone for __BindgenOpaqueArray8<T>where
T: Clone,
impl<T> Clone for __BindgenUnionField<T>
impl<T> Clone for __IncompleteArrayField<T>where
T: Clone,
impl<T> Clone for uref32<T>where
T: Clone,
impl<T> Clone for uref<T>
impl<T> Clone for UserRef<T>
impl<T> Clone for Cell<T>where
T: Copy,
impl<T> Clone for starnix_uapi::arch32::__static_assertions::_core::cell::OnceCell<T>where
T: Clone,
impl<T> Clone for RefCell<T>where
T: Clone,
impl<T> Clone for Reverse<T>where
T: Clone,
impl<T> Clone for starnix_uapi::arch32::__static_assertions::_core::future::Pending<T>
impl<T> Clone for starnix_uapi::arch32::__static_assertions::_core::future::Ready<T>where
T: Clone,
impl<T> Clone for starnix_uapi::arch32::__static_assertions::_core::iter::Empty<T>
impl<T> Clone for Once<T>where
T: Clone,
impl<T> Clone for Rev<T>where
T: Clone,
impl<T> Clone for PhantomContravariant<T>where
T: ?Sized,
impl<T> Clone for PhantomCovariant<T>where
T: ?Sized,
impl<T> Clone for PhantomData<T>where
T: ?Sized,
impl<T> Clone for PhantomInvariant<T>where
T: ?Sized,
impl<T> Clone for Discriminant<T>
impl<T> Clone for ManuallyDrop<T>
impl<T> Clone for NonZero<T>where
T: ZeroablePrimitive,
impl<T> Clone for Saturating<T>where
T: Clone,
impl<T> Clone for Wrapping<T>where
T: Clone,
impl<T> Clone for NonNull<T>where
T: ?Sized,
impl<T> Clone for starnix_uapi::arch32::__static_assertions::_core::result::IntoIter<T>where
T: Clone,
impl<T> Clone for starnix_uapi::arch32::__static_assertions::_core::result::Iter<'_, T>
impl<T> Clone for starnix_uapi::arch32::__static_assertions::_core::slice::Chunks<'_, T>
impl<T> Clone for ChunksExact<'_, T>
impl<T> Clone for starnix_uapi::arch32::__static_assertions::_core::slice::Iter<'_, T>
impl<T> Clone for RChunks<'_, T>
impl<T> Clone for Windows<'_, T>
impl<T> Clone for Exclusive<T>
impl<T> Clone for alloc::collections::binary_heap::Iter<'_, T>
impl<T> Clone for alloc::collections::btree::set::Iter<'_, T>
impl<T> Clone for alloc::collections::btree::set::Range<'_, T>
impl<T> Clone for alloc::collections::btree::set::SymmetricDifference<'_, T>
impl<T> Clone for alloc::collections::btree::set::Union<'_, T>
impl<T> Clone for alloc::collections::linked_list::Iter<'_, T>
impl<T> Clone for alloc::collections::vec_deque::iter::Iter<'_, T>
impl<T> Clone for std::io::cursor::Cursor<T>where
T: Clone,
impl<T> Clone for std::sync::mpmc::Receiver<T>
impl<T> Clone for std::sync::mpmc::Sender<T>
impl<T> Clone for std::sync::mpsc::SendError<T>where
T: Clone,
impl<T> Clone for std::sync::mpsc::Sender<T>
impl<T> Clone for SyncSender<T>
impl<T> Clone for OnceLock<T>where
T: Clone,
impl<T> Clone for CapacityError<T>where
T: Clone,
impl<T> Clone for indexmap::set::Iter<'_, T>
impl<T> Clone for Unalign<T>where
T: Copy,
impl<T> Clone for MaybeUninit<T>where
T: Copy,
impl<T> Clone for Abortable<T>where
T: Clone,
impl<T> Clone for AllowStdIo<T>where
T: Clone,
impl<T> Clone for Array<T>where
T: Clone,
impl<T> Clone for ArrayContent<T>where
T: Clone,
impl<T> Clone for Atomic<T>where
T: Pointable + ?Sized,
impl<T> Clone for Bucket<T>
impl<T> Clone for CachePadded<T>where
T: Clone,
impl<T> Clone for Cursor<T>where
T: Clone,
impl<T> Clone for DirectedGraph<T>
impl<T> Clone for DirectedNode<T>
impl<T> Clone for Drain<T>
impl<T> Clone for Empty<T>
impl<T> Clone for ExponentialHistogram<T>where
T: Clone,
impl<T> Clone for ExponentialHistogramParams<T>where
T: Clone,
impl<T> Clone for FoldWhile<T>where
T: Clone,
impl<T> Clone for Fragile<T>where
T: Clone,
impl<T> Clone for Iter<'_, T>
impl<T> Clone for LinearHistogram<T>where
T: Clone,
impl<T> Clone for LinearHistogramParams<T>where
T: Clone,
impl<T> Clone for MinMaxResult<T>where
T: Clone,
impl<T> Clone for OnceBox<T>where
T: Clone,
impl<T> Clone for OnceCell<T>where
T: Clone,
impl<T> Clone for OnceCell<T>where
T: Clone,
impl<T> Clone for Owned<T>where
T: Clone,
impl<T> Clone for Pending<T>
impl<T> Clone for Pending<T>
impl<T> Clone for PollImmediate<T>where
T: Clone,
impl<T> Clone for RawIter<T>
impl<T> Clone for Ready<T>where
T: Clone,
impl<T> Clone for Receiver<T>
impl<T> Clone for Repeat<T>where
T: Clone,
impl<T> Clone for SemiSticky<T>where
T: Clone,
impl<T> Clone for SendError<T>where
T: Clone,
impl<T> Clone for SendTimeoutError<T>where
T: Clone,
impl<T> Clone for Sender<T>
impl<T> Clone for Sender<T>
impl<T> Clone for ServiceSource<T>where
T: Clone,
impl<T> Clone for SingleOrVec<T>where
T: Clone,
impl<T> Clone for Slab<T>where
T: Clone,
impl<T> Clone for Steal<T>where
T: Clone,
impl<T> Clone for Stealer<T>
impl<T> Clone for Sticky<T>where
T: Clone,
impl<T> Clone for TimerInfo<T>where
T: Clone + Timeline,
impl<T> Clone for TrySendError<T>where
T: Clone,
impl<T> Clone for TrySendError<T>where
T: Clone,
impl<T> Clone for TupleBuffer<T>
impl<T> Clone for UnboundedSender<T>
impl<T> Clone for Unowned<'_, T>where
T: HandleBased,
impl<T> Clone for Zip<T>where
T: Clone,
impl<T, A> Clone for Box<[T], A>
no_global_oom_handling only.impl<T, A> Clone for Box<T, A>
no_global_oom_handling only.impl<T, A> Clone for BinaryHeap<T, A>
impl<T, A> Clone for alloc::collections::binary_heap::IntoIter<T, A>
impl<T, A> Clone for IntoIterSorted<T, A>
impl<T, A> Clone for BTreeSet<T, A>
impl<T, A> Clone for alloc::collections::btree::set::Difference<'_, T, A>
impl<T, A> Clone for alloc::collections::btree::set::Intersection<'_, T, A>
impl<T, A> Clone for alloc::collections::linked_list::Cursor<'_, T, A>where
A: Allocator,
impl<T, A> Clone for alloc::collections::linked_list::IntoIter<T, A>
impl<T, A> Clone for LinkedList<T, A>
impl<T, A> Clone for alloc::collections::vec_deque::into_iter::IntoIter<T, A>
impl<T, A> Clone for VecDeque<T, A>
impl<T, A> Clone for Rc<T, A>
impl<T, A> Clone for alloc::rc::Weak<T, A>
impl<T, A> Clone for Arc<T, A>
impl<T, A> Clone for alloc::sync::Weak<T, A>
impl<T, A> Clone for alloc::vec::into_iter::IntoIter<T, A>
no_global_oom_handling only.impl<T, A> Clone for Vec<T, A>
no_global_oom_handling only.