Skip to main content

Copy

Trait Copy 

1.0.0 · Source
pub trait Copy: Clone { }
Expand description

Types whose values can be duplicated simply by copying bits.

By default, variable bindings have ‘move semantics.’ In other words:

#[derive(Debug)]
struct Foo;

let x = Foo;

let y = x;

// `x` has moved into `y`, and so cannot be used

// println!("{x:?}"); // error: use of moved value

However, if a type implements Copy, it instead has ‘copy semantics’:

// We can derive a `Copy` implementation. `Clone` is also required, as it's
// a supertrait of `Copy`.
#[derive(Debug, Copy, Clone)]
struct Foo;

let x = Foo;

let y = x;

// `y` is a copy of `x`

println!("{x:?}"); // A-OK!

It’s important to note that in these two examples, the only difference is whether you are allowed to access x after the assignment. Under the hood, both a copy and a move can result in bits being copied in memory, although this is sometimes optimized away.

§How can I implement Copy?

There are two ways to implement Copy on your type. The simplest is to use derive:

#[derive(Copy, Clone)]
struct MyStruct;

You can also implement Copy and Clone manually:

struct MyStruct;

impl Copy for MyStruct { }

impl Clone for MyStruct {
    fn clone(&self) -> MyStruct {
        *self
    }
}

There is a small difference between the two. The derive strategy will also place a Copy bound on type parameters:

#[derive(Clone)]
struct MyStruct<T>(T);

impl<T: Copy> Copy for MyStruct<T> { }

This isn’t always desired. For example, shared references (&T) can be copied regardless of whether T is Copy. Likewise, a generic struct containing markers such as PhantomData could potentially be duplicated with a bit-wise copy.

§What’s the difference between Copy and Clone?

Copies happen implicitly, for example as part of an assignment y = x. The behavior of Copy is not overloadable; it is always a simple bit-wise copy.

Cloning is an explicit action, x.clone(). The implementation of Clone can provide any type-specific behavior necessary to duplicate values safely. For example, the implementation of Clone for String needs to copy the pointed-to string buffer in the heap. A simple bitwise copy of String values would merely copy the pointer, leading to a double free down the line. For this reason, String is Clone but not Copy.

Clone is a supertrait of Copy, so everything which is Copy must also implement Clone. If a type is Copy then its Clone implementation only needs to return *self (see the example above).

§When can my type be Copy?

A type can implement Copy if all of its components implement Copy. For example, this struct can be Copy:

#[derive(Copy, Clone)]
struct Point {
   x: i32,
   y: i32,
}

A struct can be Copy, and i32 is Copy, therefore Point is eligible to be Copy. By contrast, consider

struct PointList {
    points: Vec<Point>,
}

The struct PointList cannot implement Copy, because Vec<T> is not Copy. If we attempt to derive a Copy implementation, we’ll get an error:

the trait `Copy` cannot be implemented for this type; field `points` does not implement `Copy`

Shared references (&T) are also Copy, so a type can be Copy, even when it holds shared references of types T that are not Copy. Consider the following struct, which can implement Copy, because it only holds a shared reference to our non-Copy type PointList from above:

#[derive(Copy, Clone)]
struct PointListWrapper<'a> {
    point_list_ref: &'a PointList,
}

§When can’t my type be Copy?

Some types can’t be copied safely. For example, copying &mut T would create an aliased mutable reference. Copying String would duplicate responsibility for managing the String’s buffer, leading to a double free.

Generalizing the latter case, any type implementing Drop can’t be Copy, because it’s managing some resource besides its own size_of::<T> bytes.

If you try to implement Copy on a struct or enum containing non-Copy data, you will get the error E0204.

§When should my type be Copy?

Generally speaking, if your type can implement Copy, it should. Keep in mind, though, that implementing Copy is part of the public API of your type. If the type might become non-Copy in the future, it could be prudent to omit the Copy implementation now, to avoid a breaking API change.

§Additional implementors

In addition to the implementors listed below, the following types also implement Copy:

  • 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 Copy themselves. Note that variables captured by shared reference always implement Copy (even if the referent doesn’t), while variables captured by mutable reference never implement Copy.

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§

Source§

impl Copy for DispatchClass

Source§

impl Copy for Pays

Source§

impl Copy for FailedMigrationHandling

Source§

impl Copy for topsoil_core::pallet_prelude::DispatchError

Source§

impl Copy for InvalidTransaction

Source§

impl Copy for TransactionSource

Source§

impl Copy for TransactionValidityError

Source§

impl Copy for UnknownTransaction

Source§

impl Copy for ChildType

Source§

impl Copy for ProcessMessageError

Source§

impl Copy for TrieError

Source§

impl Copy for Judgement

Source§

impl Copy for Truth

Source§

impl Copy for BalanceStatus

Source§

impl Copy for DepositConsequence

Source§

impl Copy for ExistenceRequirement

Source§

impl Copy for Fortitude

Source§

impl Copy for Precision

Source§

impl Copy for Preservation

Source§

impl Copy for Provenance

Source§

impl Copy for Restriction

Source§

impl Copy for Ss58AddressFormatRegistry

Source§

impl Copy for LogLevelFilter

Source§

impl Copy for RuntimeInterfaceLogLevel

Source§

impl Copy for CallContext

Source§

impl Copy for DeriveJunction

Source§

impl Copy for ArithmeticError

Source§

impl Copy for ExtrinsicInclusionMode

Source§

impl Copy for Rounding

Source§

impl Copy for StateVersion

Source§

impl Copy for TokenError

Source§

impl Copy for TransactionalError

Source§

impl Copy for Era

Source§

impl Copy for topsoil_core::runtime::legacy::byte_sized_error::DispatchError

Source§

impl Copy for HttpError

Source§

impl Copy for HttpRequestStatus

Source§

impl Copy for StorageKind

Source§

impl Copy for MetaForm

Source§

impl Copy for PortableForm

1.0.0 · Source§

impl Copy for topsoil_core::runtime::std::cmp::Ordering

1.34.0 · Source§

impl Copy for Infallible

1.28.0 · Source§

impl Copy for topsoil_core::runtime::std::fmt::Alignment

Source§

impl Copy for DebugAsHex

Source§

impl Copy for Sign

1.0.0 · Source§

impl Copy for FpCategory

1.55.0 · Source§

impl Copy for IntErrorKind

Source§

impl Copy for SearchStep

1.0.0 · Source§

impl Copy for topsoil_core::runtime::std::sync::atomic::Ordering

1.12.0 · Source§

impl Copy for RecvTimeoutError

1.0.0 · Source§

impl Copy for topsoil_core::runtime::std::sync::mpmc::TryRecvError

Source§

impl Copy for AsciiChar

1.64.0 · Source§

impl Copy for FromBytesWithNulError

Source§

impl Copy for Locality

1.7.0 · Source§

impl Copy for IpAddr

Source§

impl Copy for Ipv6MulticastScope

1.0.0 · Source§

impl Copy for SocketAddr

1.0.0 · Source§

impl Copy for SeekFrom

1.0.0 · Source§

impl Copy for std::io::error::ErrorKind

1.0.0 · Source§

impl Copy for Shutdown

Source§

impl Copy for BacktraceStyle

Source§

impl Copy for AhoCorasickKind

Source§

impl Copy for aho_corasick::packed::api::MatchKind

Source§

impl Copy for aho_corasick::util::search::Anchored

Source§

impl Copy for aho_corasick::util::search::MatchKind

Source§

impl Copy for StartKind

Source§

impl Copy for PrintFmt

Source§

impl Copy for DecodePaddingMode

Source§

impl Copy for bip39::Error

Source§

impl Copy for Language

Source§

impl Copy for bs58::alphabet::Error

Source§

impl Copy for bs58::decode::Error

Source§

impl Copy for bs58::encode::Error

Source§

impl Copy for byteorder::BigEndian

Source§

impl Copy for byteorder::LittleEndian

Source§

impl Copy for const_oid::error::Error

Source§

impl Copy for const_format::__ascii_case_conv::Case

Source§

impl Copy for der::error::ErrorKind

Source§

impl Copy for Class

Source§

impl Copy for der::tag::Tag

Source§

impl Copy for TagMode

Source§

impl Copy for TruncSide

Source§

impl Copy for ed25519_zebra::error::Error

Source§

impl Copy for Phase

Source§

impl Copy for futures_channel::mpsc::TryRecvError

Source§

impl Copy for PollNext

Source§

impl Copy for DwarfFileType

Source§

impl Copy for Format

Source§

impl Copy for SectionId

Source§

impl Copy for Vendor

Source§

impl Copy for RunTimeEndian

Source§

impl Copy for AbbreviationsCacheStrategy

Source§

impl Copy for gimli::read::cfi::Pointer

Source§

impl Copy for gimli::read::Error

Source§

impl Copy for IndexSectionId

Source§

impl Copy for ColumnType

Source§

impl Copy for gimli::read::value::Value

Source§

impl Copy for gimli::read::value::ValueType

Source§

impl Copy for hex_conservative::Case

Source§

impl Copy for hex::error::FromHexError

Source§

impl Copy for itertools::with_position::Position

Source§

impl Copy for DIR

Source§

impl Copy for FILE

Source§

impl Copy for timezone

Source§

impl Copy for tpacket_versions

Source§

impl Copy for libsecp256k1_core::error::Error

Source§

impl Copy for log::Level

Source§

impl Copy for log::LevelFilter

Source§

impl Copy for PrefilterConfig

Source§

impl Copy for DataFormat

Source§

impl Copy for MZError

Source§

impl Copy for MZFlush

Source§

impl Copy for MZStatus

Source§

impl Copy for TINFLStatus

Source§

impl Copy for TargetGround

Source§

impl Copy for Color

Source§

impl Copy for Grouping

Source§

impl Copy for Locale

Source§

impl Copy for AddressSize

Source§

impl Copy for Architecture

Source§

impl Copy for BinaryFormat

Source§

impl Copy for ComdatKind

Source§

impl Copy for FileFlags

Source§

impl Copy for RelocationEncoding

Source§

impl Copy for RelocationFlags

Source§

impl Copy for RelocationKind

Source§

impl Copy for SectionFlags

Source§

impl Copy for SectionKind

Source§

impl Copy for SegmentFlags

Source§

impl Copy for SubArchitecture

Source§

impl Copy for SymbolKind

Source§

impl Copy for SymbolScope

Source§

impl Copy for Endianness

Source§

impl Copy for PtrauthKey

Source§

impl Copy for ArchiveKind

Source§

impl Copy for ImportType

Source§

impl Copy for CompressionFormat

Source§

impl Copy for FileKind

Source§

impl Copy for ObjectKind

Source§

impl Copy for RelocationTarget

Source§

impl Copy for SymbolSection

Source§

impl Copy for Internal

Source§

impl Copy for External

Source§

impl Copy for ImportCountType

Source§

impl Copy for RelocationEntry

Source§

impl Copy for BlockType

Source§

impl Copy for TableElementType

Source§

impl Copy for parity_wasm::elements::types::ValueType

Source§

impl Copy for OnceState

Source§

impl Copy for FilterOp

Source§

impl Copy for ParkResult

Source§

impl Copy for RequeueOp

Source§

impl Copy for pkcs8::error::Error

Source§

impl Copy for pkcs8::version::Version

Source§

impl Copy for BernoulliError

Source§

impl Copy for WeightedError

Source§

impl Copy for WhichCaptures

Source§

impl Copy for regex_automata::util::look::Look

Source§

impl Copy for regex_automata::util::search::Anchored

Source§

impl Copy for regex_automata::util::search::MatchKind

Source§

impl Copy for regex_syntax::ast::ClassSetBinaryOpKind

Source§

impl Copy for regex_syntax::ast::ClassSetBinaryOpKind

Source§

impl Copy for regex_syntax::ast::Flag

Source§

impl Copy for regex_syntax::ast::Flag

Source§

impl Copy for Dot

Source§

impl Copy for regex_syntax::hir::Look

Source§

impl Copy for regex_syntax::utf8::Utf8Sequence

Source§

impl Copy for regex_syntax::utf8::Utf8Sequence

Source§

impl Copy for rustc_hex::FromHexError

Source§

impl Copy for MultiSignatureStage

Source§

impl Copy for SignatureError

Source§

impl Copy for sec1::error::Error

Source§

impl Copy for EcParameters

Source§

impl Copy for sec1::point::Tag

Source§

impl Copy for All

Source§

impl Copy for SignOnly

Source§

impl Copy for VerifyOnly

Source§

impl Copy for ElligatorSwiftParty

Source§

impl Copy for secp256k1::Error

Source§

impl Copy for Parity

Source§

impl Copy for Category

Source§

impl Copy for spki::error::Error

Source§

impl Copy for TokenRegistry

Source§

impl Copy for strum::ParseError

Source§

impl Copy for SignedRounding

Source§

impl Copy for AllowedSlots

Source§

impl Copy for TransactionType

Source§

impl Copy for subsoil::keyring::ed25519::Keyring

Source§

impl Copy for subsoil::keyring::sr25519::Keyring

Source§

impl Copy for subsoil::version::embed::Error

Source§

impl Copy for ReturnValue

Source§

impl Copy for subsoil::wasm_interface::Value

Source§

impl Copy for subsoil::wasm_interface::ValueType

Source§

impl Copy for time::format_description::component::Component

Source§

impl Copy for MonthRepr

Source§

impl Copy for Padding

Source§

impl Copy for SubsecondDigits

Source§

impl Copy for TrailingInput

Source§

impl Copy for UnixTimestampPrecision

Source§

impl Copy for WeekNumberRepr

Source§

impl Copy for WeekdayRepr

Source§

impl Copy for YearRange

Source§

impl Copy for YearRepr

Source§

impl Copy for DateKind

Source§

impl Copy for FormattedComponents

Source§

impl Copy for OffsetPrecision

Source§

impl Copy for TimePrecision

Source§

impl Copy for time::month::Month

Source§

impl Copy for time::weekday::Weekday

Source§

impl Copy for RecordedForKey

Source§

impl Copy for FromStrRadixErrKind

Source§

impl Copy for zerocopy::byteorder::BigEndian

Source§

impl Copy for zerocopy::byteorder::LittleEndian

1.0.0 · Source§

impl Copy for bool

1.0.0 · Source§

impl Copy for char

1.0.0 · Source§

impl Copy for f16

1.0.0 · Source§

impl Copy for f32

1.0.0 · Source§

impl Copy for f64

1.0.0 · Source§

impl Copy for f128

1.0.0 · Source§

impl Copy for i8

1.0.0 · Source§

impl Copy for i16

1.0.0 · Source§

impl Copy for i32

1.0.0 · Source§

impl Copy for i64

1.0.0 · Source§

impl Copy for i128

1.0.0 · Source§

impl Copy for isize

Source§

impl Copy for !

1.0.0 · Source§

impl Copy for u8

1.0.0 · Source§

impl Copy for u16

1.0.0 · Source§

impl Copy for u32

1.0.0 · Source§

impl Copy for u64

1.0.0 · Source§

impl Copy for u128

1.0.0 · Source§

impl Copy for usize

Source§

impl Copy for DispatchInfo

Source§

impl Copy for PostDispatchInfo

Source§

impl Copy for Instance1

Source§

impl Copy for PalletId

Source§

impl Copy for DispatchEventInfo

Source§

impl Copy for BatchFootprint

Source§

impl Copy for CrateVersion

Source§

impl Copy for Footprint

Source§

impl Copy for PalletInfoData

Source§

impl Copy for QueueFootprint

Source§

impl Copy for StorageVersion

Source§

impl Copy for WithdrawReasons

Source§

impl Copy for RuntimeDbWeight

Source§

impl Copy for Weight

Source§

impl Copy for Ss58AddressFormat

Source§

impl Copy for H160

Source§

impl Copy for H512

Source§

impl Copy for U256

Source§

impl Copy for U512

Source§

impl Copy for topsoil_core::runtime::app_crypto::ed25519::Pair

Source§

impl Copy for topsoil_core::runtime::codec::OptionBool

Source§

impl Copy for topsoil_core::runtime::legacy::byte_sized_error::ModuleError

Source§

impl Copy for Capabilities

Source§

impl Copy for topsoil_core::runtime::offchain::Duration

Source§

impl Copy for HttpRequestId

Source§

impl Copy for topsoil_core::runtime::offchain::Timestamp

1.8.0 · Source§

impl Copy for Instant

1.8.0 · Source§

impl Copy for topsoil_core::runtime::scale_info::prelude::time::SystemTime

Source§

impl Copy for MetaType

Source§

impl Copy for IgnoredAny

Source§

impl Copy for CryptoTypeId

Source§

impl Copy for FixedI64

Source§

impl Copy for FixedI128

Source§

impl Copy for FixedU64

Source§

impl Copy for FixedU128

Source§

impl Copy for KeyTypeId

Source§

impl Copy for topsoil_core::runtime::ModuleError

Source§

impl Copy for PerU16

Source§

impl Copy for Perbill

Source§

impl Copy for Percent

Source§

impl Copy for Permill

Source§

impl Copy for Perquintill

Source§

impl Copy for Rational128

Source§

impl Copy for H256

Source§

impl Copy for topsoil_core::runtime::std::alloc::AllocError

Source§

impl Copy for topsoil_core::runtime::std::alloc::Global

1.28.0 · Source§

impl Copy for Layout

1.28.0 · Source§

impl Copy for System

1.0.0 · Source§

impl Copy for TypeId

1.0.0 · Source§

impl Copy for topsoil_core::runtime::std::fmt::Error

Source§

impl Copy for FormattingOptions

Source§

impl Copy for Assume

1.34.0 · Source§

impl Copy for topsoil_core::runtime::std::num::TryFromIntError

1.0.0 · Source§

impl Copy for RangeFull

Source§

impl Copy for topsoil_core::runtime::std::ptr::Alignment

1.0.0 · Source§

impl Copy for Utf8Error

1.0.0 · Source§

impl Copy for topsoil_core::runtime::std::sync::mpmc::RecvError

1.5.0 · Source§

impl Copy for topsoil_core::runtime::std::sync::WaitTimeoutResult

1.3.0 · Source§

impl Copy for topsoil_core::runtime::std::time::Duration

1.34.0 · Source§

impl Copy for core::array::TryFromSliceError

1.34.0 · Source§

impl Copy for CharTryFromError

1.59.0 · Source§

impl Copy for TryFromCharError

1.27.0 · Source§

impl Copy for CpuidResult

1.27.0 · Source§

impl Copy for __m128

1.89.0 · Source§

impl Copy for __m128bh

1.27.0 · Source§

impl Copy for __m128d

1.94.0 · Source§

impl Copy for __m128h

1.27.0 · Source§

impl Copy for __m128i

1.27.0 · Source§

impl Copy for __m256

1.89.0 · Source§

impl Copy for __m256bh

1.27.0 · Source§

impl Copy for __m256d

1.94.0 · Source§

impl Copy for __m256h

1.27.0 · Source§

impl Copy for __m256i

1.72.0 · Source§

impl Copy for __m512

1.89.0 · Source§

impl Copy for __m512bh

1.72.0 · Source§

impl Copy for __m512d

1.94.0 · Source§

impl Copy for __m512h

1.72.0 · Source§

impl Copy for __m512i

Source§

impl Copy for bf16

1.0.0 · Source§

impl Copy for Ipv4Addr

1.0.0 · Source§

impl Copy for Ipv6Addr

1.0.0 · Source§

impl Copy for SocketAddrV4

1.0.0 · Source§

impl Copy for SocketAddrV6

1.36.0 · Source§

impl Copy for RawWakerVTable

1.75.0 · Source§

impl Copy for FileTimes

1.1.0 · Source§

impl Copy for FileType

1.0.0 · Source§

impl Copy for Empty

1.0.0 · Source§

impl Copy for Sink

Source§

impl Copy for UCred

1.61.0 · Source§

impl Copy for ExitCode

1.0.0 · Source§

impl Copy for ExitStatus

Source§

impl Copy for ExitStatusError

Source§

impl Copy for DefaultRandomSource

1.19.0 · Source§

impl Copy for ThreadId

1.26.0 · Source§

impl Copy for AccessError

Source§

impl Copy for Adler32

Source§

impl Copy for aho_corasick::util::primitives::PatternID

Source§

impl Copy for aho_corasick::util::primitives::StateID

Source§

impl Copy for aho_corasick::util::search::Match

Source§

impl Copy for aho_corasick::util::search::Span

Source§

impl Copy for allocator_api2::stable::alloc::global::Global

Source§

impl Copy for allocator_api2::stable::alloc::AllocError

Source§

impl Copy for GeneralPurposeConfig

Source§

impl Copy for AmbiguousLanguages

Source§

impl Copy for bitcoin_hashes::hash160::Hash

Source§

impl Copy for bitcoin_hashes::ripemd160::Hash

Source§

impl Copy for bitcoin_hashes::sha1::Hash

Source§

impl Copy for bitcoin_hashes::sha256::Hash

Source§

impl Copy for Midstate

Source§

impl Copy for bitcoin_hashes::sha256d::Hash

Source§

impl Copy for bitcoin_hashes::sha384::Hash

Source§

impl Copy for bitcoin_hashes::sha512::Hash

Source§

impl Copy for bitcoin_hashes::sha512_256::Hash

Source§

impl Copy for bitcoin_hashes::siphash24::Hash

Source§

impl Copy for blake2b_simd::Hash

Source§

impl Copy for Eager

Source§

impl Copy for block_buffer::Error

Source§

impl Copy for Lazy

Source§

impl Copy for Alphabet

Source§

impl Copy for ObjectIdentifier

Source§

impl Copy for SplicedStr

Source§

impl Copy for CtChoice

Source§

impl Copy for Limb

Source§

impl Copy for Reciprocal

Source§

impl Copy for InvalidLength

Source§

impl Copy for CompressedEdwardsY

Source§

impl Copy for EdwardsPoint

Source§

impl Copy for MontgomeryPoint

Source§

impl Copy for CompressedRistretto

Source§

impl Copy for RistrettoPoint

Source§

impl Copy for curve25519_dalek::scalar::Scalar

Source§

impl Copy for GeneralizedTime

Source§

impl Copy for Null

Source§

impl Copy for UtcTime

Source§

impl Copy for DateTime

Source§

impl Copy for der::error::Error

Source§

impl Copy for der::header::Header

Source§

impl Copy for IndefiniteLength

Source§

impl Copy for Length

Source§

impl Copy for TagNumber

Source§

impl Copy for deranged::TryFromIntError

Source§

impl Copy for digest::errors::InvalidOutputSize

Source§

impl Copy for MacError

Source§

impl Copy for InvalidBufferSize

Source§

impl Copy for digest::InvalidOutputSize

Source§

impl Copy for ecdsa::recovery::RecoveryId

Source§

impl Copy for ed25519_dalek::verifying::VerifyingKey

Source§

impl Copy for SigningKey

Source§

impl Copy for VerificationKey

Source§

impl Copy for VerificationKeyBytes

Source§

impl Copy for ed25519::Signature

Source§

impl Copy for elliptic_curve::error::Error

Source§

impl Copy for foldhash::fast::FixedState

Source§

impl Copy for foldhash::fast::RandomState

Source§

impl Copy for foldhash::fast::SeedableRandomState

Source§

impl Copy for foldhash::quality::FixedState

Source§

impl Copy for foldhash::quality::RandomState

Source§

impl Copy for foldhash::quality::SeedableRandomState

Source§

impl Copy for futures_channel::mpsc::RecvError

Source§

impl Copy for Canceled

Source§

impl Copy for Aborted

Source§

impl Copy for getrandom::error::Error

Source§

impl Copy for getrandom::error::Error

Source§

impl Copy for AArch64

Source§

impl Copy for Arm

Source§

impl Copy for LoongArch

Source§

impl Copy for MIPS

Source§

impl Copy for PowerPc64

Source§

impl Copy for RiscV

Source§

impl Copy for X86

Source§

impl Copy for X86_64

Source§

impl Copy for DebugTypeSignature

Source§

impl Copy for DwoId

Source§

impl Copy for Encoding

Source§

impl Copy for LineEncoding

Source§

impl Copy for Register

Source§

impl Copy for DwAccess

Source§

impl Copy for DwAddr

Source§

impl Copy for DwAt

Source§

impl Copy for DwAte

Source§

impl Copy for DwCc

Source§

impl Copy for DwCfa

Source§

impl Copy for DwChildren

Source§

impl Copy for DwDefaulted

Source§

impl Copy for DwDs

Source§

impl Copy for DwDsc

Source§

impl Copy for DwEhPe

Source§

impl Copy for DwEnd

Source§

impl Copy for DwForm

Source§

impl Copy for DwId

Source§

impl Copy for DwIdx

Source§

impl Copy for DwInl

Source§

impl Copy for DwLang

Source§

impl Copy for DwLle

Source§

impl Copy for DwLnct

Source§

impl Copy for DwLne

Source§

impl Copy for DwLns

Source§

impl Copy for DwMacinfo

Source§

impl Copy for DwMacro

Source§

impl Copy for DwOp

Source§

impl Copy for DwOrd

Source§

impl Copy for DwRle

Source§

impl Copy for DwSect

Source§

impl Copy for DwSectV2

Source§

impl Copy for DwTag

Source§

impl Copy for DwUt

Source§

impl Copy for DwVirtuality

Source§

impl Copy for DwVis

Source§

impl Copy for gimli::endianity::BigEndian

Source§

impl Copy for gimli::endianity::LittleEndian

Source§

impl Copy for AttributeSpecification

Source§

impl Copy for Augmentation

Source§

impl Copy for UnitIndexSection

Source§

impl Copy for FileEntryFormat

Source§

impl Copy for LineRow

Source§

impl Copy for ReaderOffsetId

Source§

impl Copy for gimli::read::rnglists::Range

Source§

impl Copy for StoreOnHeap

Source§

impl Copy for itoa::Buffer

Source§

impl Copy for jam_codec::codec::OptionBool

Source§

impl Copy for AffinePoint

Source§

impl Copy for ProjectivePoint

Source§

impl Copy for k256::arithmetic::scalar::Scalar

Source§

impl Copy for Secp256k1

Source§

impl Copy for rtentry

Source§

impl Copy for bcm_msg_head

Source§

impl Copy for bcm_timeval

Source§

impl Copy for j1939_filter

Source§

impl Copy for __c_anonymous_sockaddr_can_j1939

Source§

impl Copy for __c_anonymous_sockaddr_can_tp

Source§

impl Copy for can_filter

Source§

impl Copy for can_frame

Source§

impl Copy for canfd_frame

Source§

impl Copy for canxl_frame

Source§

impl Copy for sockaddr_can

Source§

impl Copy for nl_mmap_hdr

Source§

impl Copy for nl_mmap_req

Source§

impl Copy for nl_pktinfo

Source§

impl Copy for nlattr

Source§

impl Copy for nlmsgerr

Source§

impl Copy for nlmsghdr

Source§

impl Copy for sockaddr_nl

Source§

impl Copy for termios2

Source§

impl Copy for msqid_ds

Source§

impl Copy for semid_ds

Source§

impl Copy for sigset_t

Source§

impl Copy for sysinfo

Source§

impl Copy for timex

Source§

impl Copy for statvfs

Source§

impl Copy for _libc_fpstate

Source§

impl Copy for _libc_fpxreg

Source§

impl Copy for _libc_xmmreg

Source§

impl Copy for clone_args

Source§

impl Copy for flock64

Source§

impl Copy for flock

Source§

impl Copy for ipc_perm

Source§

impl Copy for max_align_t

Source§

impl Copy for mcontext_t

Source§

impl Copy for pthread_attr_t

Source§

impl Copy for ptrace_rseq_configuration

Source§

impl Copy for shmid_ds

Source§

impl Copy for sigaction

Source§

impl Copy for siginfo_t

Source§

impl Copy for stack_t

Source§

impl Copy for stat64

Source§

impl Copy for stat

Source§

impl Copy for statfs64

Source§

impl Copy for statfs

Source§

impl Copy for statvfs64

Source§

impl Copy for ucontext_t

Source§

impl Copy for user

Source§

impl Copy for user_fpregs_struct

Source§

impl Copy for user_regs_struct

Source§

impl Copy for Elf32_Chdr

Source§

impl Copy for Elf64_Chdr

Source§

impl Copy for __c_anonymous_ptrace_syscall_info_entry

Source§

impl Copy for __c_anonymous_ptrace_syscall_info_exit

Source§

impl Copy for __c_anonymous_ptrace_syscall_info_seccomp

Source§

impl Copy for __exit_status

Source§

impl Copy for __timeval

Source§

impl Copy for aiocb

Source§

impl Copy for cmsghdr

Source§

impl Copy for fanotify_event_info_error

Source§

impl Copy for fanotify_event_info_pidfd

Source§

impl Copy for fpos64_t

Source§

impl Copy for fpos_t

Source§

impl Copy for glob64_t

Source§

impl Copy for iocb

Source§

impl Copy for mallinfo2

Source§

impl Copy for mallinfo

Source§

impl Copy for mbstate_t

Source§

impl Copy for msghdr

Source§

impl Copy for ntptimeval

Source§

impl Copy for ptrace_peeksiginfo_args

Source§

impl Copy for ptrace_sud_config

Source§

impl Copy for ptrace_syscall_info

Source§

impl Copy for regex_t

Source§

impl Copy for sem_t

Source§

impl Copy for seminfo

Source§

impl Copy for tcp_info

Source§

impl Copy for termios

Source§

impl Copy for timespec

Source§

impl Copy for utmpx

Source§

impl Copy for __c_anonymous__kernel_fsid_t

Source§

impl Copy for af_alg_iv

Source§

impl Copy for dmabuf_cmsg

Source§

impl Copy for dmabuf_token

Source§

impl Copy for dqblk

Source§

impl Copy for epoll_params

Source§

impl Copy for fanotify_event_info_fid

Source§

impl Copy for fanotify_event_info_header

Source§

impl Copy for fanotify_event_metadata

Source§

impl Copy for fanotify_response

Source§

impl Copy for fanout_args

Source§

impl Copy for ff_condition_effect

Source§

impl Copy for ff_constant_effect

Source§

impl Copy for ff_effect

Source§

impl Copy for ff_envelope

Source§

impl Copy for ff_periodic_effect

Source§

impl Copy for ff_ramp_effect

Source§

impl Copy for ff_replay

Source§

impl Copy for ff_rumble_effect

Source§

impl Copy for ff_trigger

Source§

impl Copy for genlmsghdr

Source§

impl Copy for hwtstamp_config

Source§

impl Copy for in6_ifreq

Source§

impl Copy for inotify_event

Source§

impl Copy for input_absinfo

Source§

impl Copy for input_event

Source§

impl Copy for input_id

Source§

impl Copy for input_keymap_entry

Source§

impl Copy for input_mask

Source§

impl Copy for iw_discarded

Source§

impl Copy for iw_encode_ext

Source§

impl Copy for iw_event

Source§

impl Copy for iw_freq

Source§

impl Copy for iw_michaelmicfailure

Source§

impl Copy for iw_missed

Source§

impl Copy for iw_mlme

Source§

impl Copy for iw_param

Source§

impl Copy for iw_pmkid_cand

Source§

impl Copy for iw_pmksa

Source§

impl Copy for iw_point

Source§

impl Copy for iw_priv_args

Source§

impl Copy for iw_quality

Source§

impl Copy for iw_range

Source§

impl Copy for iw_scan_req

Source§

impl Copy for iw_statistics

Source§

impl Copy for iw_thrspy

Source§

impl Copy for iwreq

Source§

impl Copy for mnt_ns_info

Source§

impl Copy for mount_attr

Source§

impl Copy for mq_attr

Source§

impl Copy for msginfo

Source§

impl Copy for open_how

Source§

impl Copy for pidfd_info

Source§

impl Copy for posix_spawn_file_actions_t

Source§

impl Copy for posix_spawnattr_t

Source§

impl Copy for pthread_barrier_t

Source§

impl Copy for pthread_barrierattr_t

Source§

impl Copy for pthread_cond_t

Source§

impl Copy for pthread_condattr_t

Source§

impl Copy for pthread_mutex_t

Source§

impl Copy for pthread_mutexattr_t

Source§

impl Copy for pthread_rwlock_t

Source§

impl Copy for pthread_rwlockattr_t

Source§

impl Copy for ptp_clock_caps

Source§

impl Copy for ptp_clock_time

Source§

impl Copy for ptp_extts_event

Source§

impl Copy for ptp_extts_request

Source§

impl Copy for ptp_perout_request

Source§

impl Copy for ptp_pin_desc

Source§

impl Copy for ptp_sys_offset

Source§

impl Copy for ptp_sys_offset_extended

Source§

impl Copy for ptp_sys_offset_precise

Source§

impl Copy for sched_attr

Source§

impl Copy for sctp_authinfo

Source§

impl Copy for sctp_initmsg

Source§

impl Copy for sctp_nxtinfo

Source§

impl Copy for sctp_prinfo

Source§

impl Copy for sctp_rcvinfo

Source§

impl Copy for sctp_sndinfo

Source§

impl Copy for sctp_sndrcvinfo

Source§

impl Copy for seccomp_data

Source§

impl Copy for seccomp_notif

Source§

impl Copy for seccomp_notif_addfd

Source§

impl Copy for seccomp_notif_resp

Source§

impl Copy for seccomp_notif_sizes

Source§

impl Copy for signalfd_siginfo

Source§

impl Copy for sock_extended_err

Source§

impl Copy for sock_txtime

Source§

impl Copy for sockaddr_alg

Source§

impl Copy for sockaddr_pkt

Source§

impl Copy for sockaddr_vm

Source§

impl Copy for sockaddr_xdp

Source§

impl Copy for tls12_crypto_info_aes_ccm_128

Source§

impl Copy for tls12_crypto_info_aes_gcm_128

Source§

impl Copy for tls12_crypto_info_aes_gcm_256

Source§

impl Copy for tls12_crypto_info_aria_gcm_128

Source§

impl Copy for tls12_crypto_info_aria_gcm_256

Source§

impl Copy for tls12_crypto_info_chacha20_poly1305

Source§

impl Copy for tls12_crypto_info_sm4_ccm

Source§

impl Copy for tls12_crypto_info_sm4_gcm

Source§

impl Copy for tls_crypto_info

Source§

impl Copy for tpacket2_hdr

Source§

impl Copy for tpacket3_hdr

Source§

impl Copy for tpacket_auxdata

Source§

impl Copy for tpacket_bd_ts

Source§

impl Copy for tpacket_block_desc

Source§

impl Copy for tpacket_hdr

Source§

impl Copy for tpacket_hdr_v1

Source§

impl Copy for tpacket_hdr_variant1

Source§

impl Copy for tpacket_req3

Source§

impl Copy for tpacket_req

Source§

impl Copy for tpacket_rollover_stats

Source§

impl Copy for tpacket_stats

Source§

impl Copy for tpacket_stats_v3

Source§

impl Copy for uinput_abs_setup

Source§

impl Copy for uinput_ff_erase

Source§

impl Copy for uinput_ff_upload

Source§

impl Copy for uinput_setup

Source§

impl Copy for uinput_user_dev

Source§

impl Copy for xdp_desc

Source§

impl Copy for xdp_mmap_offsets

Source§

impl Copy for xdp_mmap_offsets_v1

Source§

impl Copy for xdp_options

Source§

impl Copy for xdp_ring_offset

Source§

impl Copy for xdp_ring_offset_v1

Source§

impl Copy for xdp_statistics

Source§

impl Copy for xdp_statistics_v1

Source§

impl Copy for xdp_umem_reg

Source§

impl Copy for xdp_umem_reg_v1

Source§

impl Copy for xsk_tx_metadata

Source§

impl Copy for xsk_tx_metadata_completion

Source§

impl Copy for xsk_tx_metadata_request

Source§

impl Copy for Elf32_Ehdr

Source§

impl Copy for Elf32_Phdr

Source§

impl Copy for Elf32_Shdr

Source§

impl Copy for Elf32_Sym

Source§

impl Copy for Elf64_Ehdr

Source§

impl Copy for Elf64_Phdr

Source§

impl Copy for Elf64_Shdr

Source§

impl Copy for Elf64_Sym

Source§

impl Copy for __c_anonymous_elf32_rel

Source§

impl Copy for __c_anonymous_elf32_rela

Source§

impl Copy for __c_anonymous_elf64_rel

Source§

impl Copy for __c_anonymous_elf64_rela

Source§

impl Copy for __c_anonymous_ifru_map

Source§

impl Copy for arpd_request

Source§

impl Copy for cpu_set_t

Source§

impl Copy for dirent64

Source§

impl Copy for dirent

Source§

impl Copy for dl_phdr_info

Source§

impl Copy for fsid_t

Source§

impl Copy for glob_t

Source§

impl Copy for ifconf

Source§

impl Copy for ifreq

Source§

impl Copy for in6_pktinfo

Source§

impl Copy for itimerspec

Source§

impl Copy for mntent

Source§

impl Copy for option

Source§

impl Copy for packet_mreq

Source§

impl Copy for passwd

Source§

impl Copy for regmatch_t

Source§

impl Copy for rlimit64

Source§

impl Copy for sembuf

Source§

impl Copy for spwd

Source§

impl Copy for ucred

Source§

impl Copy for Dl_info

Source§

impl Copy for addrinfo

Source§

impl Copy for arphdr

Source§

impl Copy for arpreq

Source§

impl Copy for arpreq_old

Source§

impl Copy for epoll_event

Source§

impl Copy for fd_set

Source§

impl Copy for file_clone_range

Source§

impl Copy for if_nameindex

Source§

impl Copy for ifaddrs

Source§

impl Copy for in6_rtmsg

Source§

impl Copy for in_addr

Source§

impl Copy for in_pktinfo

Source§

impl Copy for ip_mreq

Source§

impl Copy for ip_mreq_source

Source§

impl Copy for ip_mreqn

Source§

impl Copy for lconv

Source§

impl Copy for mmsghdr

Source§

impl Copy for sched_param

Source§

impl Copy for sigevent

Source§

impl Copy for sock_filter

Source§

impl Copy for sock_fprog

Source§

impl Copy for sockaddr

Source§

impl Copy for sockaddr_in6

Source§

impl Copy for sockaddr_in

Source§

impl Copy for sockaddr_ll

Source§

impl Copy for sockaddr_storage

Source§

impl Copy for sockaddr_un

Source§

impl Copy for statx

Source§

impl Copy for statx_timestamp

Source§

impl Copy for tm

Source§

impl Copy for utsname

Source§

impl Copy for group

Source§

impl Copy for hostent

Source§

impl Copy for in6_addr

Source§

impl Copy for iovec

Source§

impl Copy for ipv6_mreq

Source§

impl Copy for itimerval

Source§

impl Copy for linger

Source§

impl Copy for pollfd

Source§

impl Copy for protoent

Source§

impl Copy for rlimit

Source§

impl Copy for rusage

Source§

impl Copy for servent

Source§

impl Copy for sigval

Source§

impl Copy for timeval

Source§

impl Copy for tms

Source§

impl Copy for utimbuf

Source§

impl Copy for winsize

Source§

impl Copy for Field

Source§

impl Copy for FieldStorage

Source§

impl Copy for Affine

Source§

impl Copy for AffineStorage

Source§

impl Copy for Jacobian

Source§

impl Copy for libsecp256k1_core::scalar::Scalar

Source§

impl Copy for libsecp256k1::Message

Source§

impl Copy for libsecp256k1::PublicKey

Source§

impl Copy for libsecp256k1::RecoveryId

Source§

impl Copy for libsecp256k1::SecretKey

Source§

impl Copy for libsecp256k1::Signature

Source§

impl Copy for memchr::arch::all::memchr::One

Source§

impl Copy for memchr::arch::all::memchr::Three

Source§

impl Copy for memchr::arch::all::memchr::Two

Source§

impl Copy for memchr::arch::all::packedpair::Finder

Source§

impl Copy for memchr::arch::all::packedpair::Pair

Source§

impl Copy for memchr::arch::all::twoway::Finder

Source§

impl Copy for FinderRev

Source§

impl Copy for memchr::arch::x86_64::avx2::memchr::One

Source§

impl Copy for memchr::arch::x86_64::avx2::memchr::Three

Source§

impl Copy for memchr::arch::x86_64::avx2::memchr::Two

Source§

impl Copy for memchr::arch::x86_64::avx2::packedpair::Finder

Source§

impl Copy for memchr::arch::x86_64::sse2::memchr::One

Source§

impl Copy for memchr::arch::x86_64::sse2::memchr::Three

Source§

impl Copy for memchr::arch::x86_64::sse2::memchr::Two

Source§

impl Copy for memchr::arch::x86_64::sse2::packedpair::Finder

Source§

impl Copy for StreamResult

Source§

impl Copy for Infix

Source§

impl Copy for nu_ansi_term::ansi::Prefix

Source§

impl Copy for Suffix

Source§

impl Copy for Gradient

Source§

impl Copy for Rgb

Source§

impl Copy for Style

Source§

impl Copy for num_format::buffer::Buffer

Source§

impl Copy for AixFileHeader

Source§

impl Copy for AixHeader

Source§

impl Copy for AixMemberOffset

Source§

impl Copy for object::archive::Header

Source§

impl Copy for Ident

Source§

impl Copy for object::endian::BigEndian

Source§

impl Copy for object::endian::LittleEndian

Source§

impl Copy for DyldCacheSlidePointer3

Source§

impl Copy for DyldCacheSlidePointer5

Source§

impl Copy for FatArch32

Source§

impl Copy for FatArch64

Source§

impl Copy for FatHeader

Source§

impl Copy for RelocationInfo

Source§

impl Copy for ScatteredRelocationInfo

Source§

impl Copy for AnonObjectHeader

Source§

impl Copy for AnonObjectHeaderBigobj

Source§

impl Copy for AnonObjectHeaderV2

Source§

impl Copy for Guid

Source§

impl Copy for ImageAlpha64RuntimeFunctionEntry

Source§

impl Copy for ImageAlphaRuntimeFunctionEntry

Source§

impl Copy for ImageArchitectureEntry

Source§

impl Copy for ImageArchiveMemberHeader

Source§

impl Copy for ImageArm64RuntimeFunctionEntry

Source§

impl Copy for ImageArmRuntimeFunctionEntry

Source§

impl Copy for ImageAuxSymbolCrc

Source§

impl Copy for ImageAuxSymbolFunction

Source§

impl Copy for ImageAuxSymbolFunctionBeginEnd

Source§

impl Copy for ImageAuxSymbolSection

Source§

impl Copy for ImageAuxSymbolTokenDef

Source§

impl Copy for ImageAuxSymbolWeak

Source§

impl Copy for ImageBaseRelocation

Source§

impl Copy for ImageBoundForwarderRef

Source§

impl Copy for ImageBoundImportDescriptor

Source§

impl Copy for ImageCoffSymbolsHeader

Source§

impl Copy for ImageCor20Header

Source§

impl Copy for ImageDataDirectory

Source§

impl Copy for ImageDebugDirectory

Source§

impl Copy for ImageDebugMisc

Source§

impl Copy for ImageDelayloadDescriptor

Source§

impl Copy for ImageDosHeader

Source§

impl Copy for ImageDynamicRelocation32

Source§

impl Copy for ImageDynamicRelocation32V2

Source§

impl Copy for ImageDynamicRelocation64

Source§

impl Copy for ImageDynamicRelocation64V2

Source§

impl Copy for ImageDynamicRelocationTable

Source§

impl Copy for ImageEnclaveConfig32

Source§

impl Copy for ImageEnclaveConfig64

Source§

impl Copy for ImageEnclaveImport

Source§

impl Copy for ImageEpilogueDynamicRelocationHeader

Source§

impl Copy for ImageExportDirectory

Source§

impl Copy for ImageFileHeader

Source§

impl Copy for ImageFunctionEntry64

Source§

impl Copy for ImageFunctionEntry

Source§

impl Copy for ImageHotPatchBase

Source§

impl Copy for ImageHotPatchHashes

Source§

impl Copy for ImageHotPatchInfo

Source§

impl Copy for ImageImportByName

Source§

impl Copy for ImageImportDescriptor

Source§

impl Copy for ImageLinenumber

Source§

impl Copy for ImageLoadConfigCodeIntegrity

Source§

impl Copy for ImageLoadConfigDirectory32

Source§

impl Copy for ImageLoadConfigDirectory64

Source§

impl Copy for ImageNtHeaders32

Source§

impl Copy for ImageNtHeaders64

Source§

impl Copy for ImageOptionalHeader32

Source§

impl Copy for ImageOptionalHeader64

Source§

impl Copy for ImageOs2Header

Source§

impl Copy for ImagePrologueDynamicRelocationHeader

Source§

impl Copy for ImageRelocation

Source§

impl Copy for ImageResourceDataEntry

Source§

impl Copy for ImageResourceDirStringU

Source§

impl Copy for ImageResourceDirectory

Source§

impl Copy for ImageResourceDirectoryEntry

Source§

impl Copy for ImageResourceDirectoryString

Source§

impl Copy for ImageRomHeaders

Source§

impl Copy for ImageRomOptionalHeader

Source§

impl Copy for ImageRuntimeFunctionEntry

Source§

impl Copy for ImageSectionHeader

Source§

impl Copy for ImageSeparateDebugHeader

Source§

impl Copy for ImageSymbol

Source§

impl Copy for ImageSymbolBytes

Source§

impl Copy for ImageSymbolEx

Source§

impl Copy for ImageSymbolExBytes

Source§

impl Copy for ImageThunkData32

Source§

impl Copy for ImageThunkData64

Source§

impl Copy for ImageTlsDirectory32

Source§

impl Copy for ImageTlsDirectory64

Source§

impl Copy for ImageVxdHeader

Source§

impl Copy for ImportObjectHeader

Source§

impl Copy for MaskedRichHeaderEntry

Source§

impl Copy for NonPagedDebugInfo

Source§

impl Copy for ArchiveOffset

Source§

impl Copy for Crel

Source§

impl Copy for VersionIndex

Source§

impl Copy for object::read::pe::relocation::Relocation

Source§

impl Copy for ResourceName

Source§

impl Copy for RichHeaderEntry

Source§

impl Copy for CompressedFileRange

Source§

impl Copy for object::read::Error

Source§

impl Copy for SectionIndex

Source§

impl Copy for SymbolIndex

Source§

impl Copy for AuxHeader32

Source§

impl Copy for AuxHeader64

Source§

impl Copy for BlockAux32

Source§

impl Copy for BlockAux64

Source§

impl Copy for CsectAux32

Source§

impl Copy for CsectAux64

Source§

impl Copy for DwarfAux32

Source§

impl Copy for DwarfAux64

Source§

impl Copy for ExpAux

Source§

impl Copy for FileAux32

Source§

impl Copy for FileAux64

Source§

impl Copy for object::xcoff::FileHeader32

Source§

impl Copy for object::xcoff::FileHeader64

Source§

impl Copy for FunAux32

Source§

impl Copy for FunAux64

Source§

impl Copy for object::xcoff::Rel32

Source§

impl Copy for object::xcoff::Rel64

Source§

impl Copy for object::xcoff::SectionHeader32

Source§

impl Copy for object::xcoff::SectionHeader64

Source§

impl Copy for StatAux

Source§

impl Copy for Symbol32

Source§

impl Copy for Symbol64

Source§

impl Copy for SymbolBytes

Source§

impl Copy for Func

Source§

impl Copy for Local

Source§

impl Copy for GlobalType

Source§

impl Copy for MemoryType

Source§

impl Copy for ResizableLimits

Source§

impl Copy for TableType

Source§

impl Copy for Uint8

Source§

impl Copy for Uint32

Source§

impl Copy for Uint64

Source§

impl Copy for VarInt7

Source§

impl Copy for VarInt32

Source§

impl Copy for VarInt64

Source§

impl Copy for VarUint1

Source§

impl Copy for VarUint7

Source§

impl Copy for VarUint32

Source§

impl Copy for VarUint64

Source§

impl Copy for parking_lot::condvar::WaitTimeoutResult

Source§

impl Copy for ParkToken

Source§

impl Copy for UnparkResult

Source§

impl Copy for UnparkToken

Source§

impl Copy for FormatterOptions

Source§

impl Copy for NoA1

Source§

impl Copy for NoA2

Source§

impl Copy for NoNI

Source§

impl Copy for NoS3

Source§

impl Copy for NoS4

Source§

impl Copy for YesA1

Source§

impl Copy for YesA2

Source§

impl Copy for YesNI

Source§

impl Copy for YesS3

Source§

impl Copy for YesS4

Source§

impl Copy for H128

Source§

impl Copy for H384

Source§

impl Copy for H768

Source§

impl Copy for primitive_types::U128

Source§

impl Copy for Bernoulli

Source§

impl Copy for Open01

Source§

impl Copy for OpenClosed01

Source§

impl Copy for Alphanumeric

Source§

impl Copy for Standard

Source§

impl Copy for UniformChar

Source§

impl Copy for UniformDuration

Source§

impl Copy for OsRng

Source§

impl Copy for LazyStateID

Source§

impl Copy for Transition

Source§

impl Copy for ByteClasses

Source§

impl Copy for Unit

Source§

impl Copy for DebugByte

Source§

impl Copy for regex_automata::util::look::LookSet

Source§

impl Copy for NonMaxUsize

Source§

impl Copy for regex_automata::util::primitives::PatternID

Source§

impl Copy for SmallIndex

Source§

impl Copy for regex_automata::util::primitives::StateID

Source§

impl Copy for HalfMatch

Source§

impl Copy for regex_automata::util::search::Match

Source§

impl Copy for regex_automata::util::search::Span

Source§

impl Copy for Config

Source§

impl Copy for regex_syntax::ast::Position

Source§

impl Copy for regex_syntax::ast::Position

Source§

impl Copy for regex_syntax::ast::Span

Source§

impl Copy for regex_syntax::ast::Span

Source§

impl Copy for regex_syntax::hir::ClassBytesRange

Source§

impl Copy for regex_syntax::hir::ClassBytesRange

Source§

impl Copy for regex_syntax::hir::ClassUnicodeRange

Source§

impl Copy for regex_syntax::hir::ClassUnicodeRange

Source§

impl Copy for regex_syntax::hir::LookSet

Source§

impl Copy for regex_syntax::utf8::Utf8Range

Source§

impl Copy for regex_syntax::utf8::Utf8Range

Source§

impl Copy for ByLength

Source§

impl Copy for ByMemoryUsage

Source§

impl Copy for Unlimited

Source§

impl Copy for UnlimitedCompact

Source§

impl Copy for AdaptorCertPublic

Source§

impl Copy for AdaptorCertSecret

Source§

impl Copy for ChainCode

Source§

impl Copy for schnorrkel::keys::PublicKey

Source§

impl Copy for Commitment

Source§

impl Copy for Cosignature

Source§

impl Copy for RistrettoBoth

Source§

impl Copy for schnorrkel::sign::Signature

Source§

impl Copy for VRFPreOut

Source§

impl Copy for secp256k1_sys::recovery::RecoverableSignature

Source§

impl Copy for secp256k1_sys::ElligatorSwift

Source§

impl Copy for secp256k1_sys::Keypair

Source§

impl Copy for secp256k1_sys::PublicKey

Source§

impl Copy for secp256k1_sys::Signature

Source§

impl Copy for secp256k1_sys::XOnlyPublicKey

Source§

impl Copy for AlignedType

Source§

impl Copy for GlobalContext

Source§

impl Copy for secp256k1::ecdh::SharedSecret

Source§

impl Copy for secp256k1::ecdsa::recovery::RecoverableSignature

Source§

impl Copy for secp256k1::ecdsa::recovery::RecoveryId

Source§

impl Copy for SerializedSignature

Source§

impl Copy for secp256k1::ecdsa::Signature

Source§

impl Copy for secp256k1::ellswift::ElligatorSwift

Source§

impl Copy for ElligatorSwiftSharedSecret

Source§

impl Copy for InvalidParityValue

Source§

impl Copy for secp256k1::key::Keypair

Source§

impl Copy for secp256k1::key::PublicKey

Source§

impl Copy for secp256k1::key::SecretKey

Source§

impl Copy for secp256k1::key::XOnlyPublicKey

Source§

impl Copy for secp256k1::scalar::Scalar

Source§

impl Copy for secp256k1::schnorr::Signature

Source§

impl Copy for secp256k1::Message

Source§

impl Copy for DefaultConfig

Source§

impl Copy for ss58_registry::error::ParseError

Source§

impl Copy for Slot

Source§

impl Copy for SlotDuration

Source§

impl Copy for BalancingConfig

Source§

impl Copy for ElectionScore

Source§

impl Copy for OffenceSeverity

Source§

impl Copy for subsoil::timestamp::Timestamp

Source§

impl Copy for HitStatsSnapshot

Source§

impl Copy for TrieHitStatsSnapshot

Source§

impl Copy for CacheSize

Source§

impl Copy for LocalNodeCacheConfig

Source§

impl Copy for LocalValueCacheConfig

Source§

impl Copy for Choice

Source§

impl Copy for time_core::convert::Day

Source§

impl Copy for time_core::convert::Hour

Source§

impl Copy for Microsecond

Source§

impl Copy for Millisecond

Source§

impl Copy for time_core::convert::Minute

Source§

impl Copy for Nanosecond

Source§

impl Copy for time_core::convert::Second

Source§

impl Copy for Week

Source§

impl Copy for Date

Source§

impl Copy for time::duration::Duration

Source§

impl Copy for ComponentRange

Source§

impl Copy for ConversionRange

Source§

impl Copy for DifferentVariant

Source§

impl Copy for InvalidVariant

Source§

impl Copy for time::format_description::modifier::Day

Source§

impl Copy for End

Source§

impl Copy for time::format_description::modifier::Hour

Source§

impl Copy for Ignore

Source§

impl Copy for time::format_description::modifier::Minute

Source§

impl Copy for time::format_description::modifier::Month

Source§

impl Copy for OffsetHour

Source§

impl Copy for OffsetMinute

Source§

impl Copy for OffsetSecond

Source§

impl Copy for Ordinal

Source§

impl Copy for Period

Source§

impl Copy for time::format_description::modifier::Second

Source§

impl Copy for Subsecond

Source§

impl Copy for UnixTimestamp

Source§

impl Copy for WeekNumber

Source§

impl Copy for time::format_description::modifier::Weekday

Source§

impl Copy for Year

Source§

impl Copy for Rfc2822

Source§

impl Copy for Rfc3339

Source§

impl Copy for OffsetDateTime

Source§

impl Copy for PrimitiveDateTime

Source§

impl Copy for Time

Source§

impl Copy for UtcDateTime

Source§

impl Copy for UtcOffset

Source§

impl Copy for tinyvec::arrayvec::TryFromSliceError

Source§

impl Copy for tracing_core::metadata::Level

Source§

impl Copy for tracing_core::metadata::LevelFilter

Source§

impl Copy for NoSubscriber

Source§

impl Copy for FilterId

Source§

impl Copy for tracing_subscriber::fmt::format::Compact

Source§

impl Copy for Full

Source§

impl Copy for tracing_subscriber::fmt::time::SystemTime

Source§

impl Copy for Uptime

Source§

impl Copy for XxHash64

Source§

impl Copy for XxHash32

Source§

impl Copy for ATerm

Source§

impl Copy for B0

Source§

impl Copy for B1

Source§

impl Copy for Z0

Source§

impl Copy for Equal

Source§

impl Copy for Greater

Source§

impl Copy for Less

Source§

impl Copy for UTerm

Source§

impl Copy for zerocopy::error::AllocError

1.33.0 · Source§

impl Copy for PhantomPinned

Source§

impl Copy for __c_anonymous_sockaddr_can_can_addr

Source§

impl Copy for __c_anonymous_ptrace_syscall_info_data

Source§

impl Copy for __c_anonymous_iwreq

Source§

impl Copy for __c_anonymous_ptp_perout_request_1

Source§

impl Copy for __c_anonymous_ptp_perout_request_2

Source§

impl Copy for __c_anonymous_xsk_tx_metadata_union

Source§

impl Copy for iwreq_data

Source§

impl Copy for tpacket_bd_header_u

Source§

impl Copy for tpacket_req_u

Source§

impl Copy for __c_anonymous_ifc_ifcu

Source§

impl Copy for __c_anonymous_ifr_ifru

Source§

impl Copy for vec128_storage

Source§

impl Copy for vec256_storage

Source§

impl Copy for vec512_storage

Source§

impl<'a> Copy for OpaqueDigestItemId<'a>

Source§

impl<'a> Copy for Unexpected<'a>

Source§

impl<'a> Copy for Utf8Pattern<'a>

1.0.0 · Source§

impl<'a> Copy for std::path::Component<'a>

1.0.0 · Source§

impl<'a> Copy for std::path::Prefix<'a>

Source§

impl<'a> Copy for NodeHandle<'a>

1.0.0 · Source§

impl<'a> Copy for Arguments<'a>

1.10.0 · Source§

impl<'a> Copy for core::panic::location::Location<'a>

1.36.0 · Source§

impl<'a> Copy for IoSlice<'a>

1.28.0 · Source§

impl<'a> Copy for Ancestors<'a>

1.0.0 · Source§

impl<'a> Copy for PrefixComponent<'a>

Source§

impl<'a> Copy for HexDisplay<'a>

Source§

impl<'a> Copy for AnyRef<'a>

Source§

impl<'a> Copy for BitStringRef<'a>

Source§

impl<'a> Copy for Ia5StringRef<'a>

Source§

impl<'a> Copy for IntRef<'a>

Source§

impl<'a> Copy for UintRef<'a>

Source§

impl<'a> Copy for OctetStringRef<'a>

Source§

impl<'a> Copy for PrintableStringRef<'a>

Source§

impl<'a> Copy for TeletexStringRef<'a>

Source§

impl<'a> Copy for Utf8StringRef<'a>

Source§

impl<'a> Copy for VideotexStringRef<'a>

Source§

impl<'a> Copy for NibbleSlice<'a>

Source§

impl<'a> Copy for PhantomContravariantLifetime<'a>

Source§

impl<'a> Copy for PhantomCovariantLifetime<'a>

Source§

impl<'a> Copy for PhantomInvariantLifetime<'a>

Source§

impl<'a, E> Copy for BytesDeserializer<'a, E>

Source§

impl<'a, R> Copy for UnitRef<'a, R>
where R: Reader,

Source§

impl<'a, R> Copy for ReadCacheRange<'a, R>
where R: ReadCacheOps,

Source§

impl<'a, Size> Copy for Coordinates<'a, Size>
where Size: Copy + ModulusSize,

Source§

impl<'a, T> Copy for topsoil_core::runtime::codec::CompactRef<'a, T>
where T: Copy,

Source§

impl<'a, T> Copy for Symbol<'a, T>
where T: Copy + 'a,

Source§

impl<'a, T> Copy for ContextSpecificRef<'a, T>
where T: Copy,

Source§

impl<'a, T> Copy for jam_codec::compact::CompactRef<'a, T>
where T: Copy,

Source§

impl<'a, T> Copy for Slice<'a, T>
where T: Copy,

Source§

impl<'a, T> Copy for PtrInner<'a, T>
where T: 'a + ?Sized,

Source§

impl<'a, T, I> Copy for Ptr<'a, T, I>
where T: 'a + ?Sized, I: Invariants<Aliasing = Shared>,

SAFETY: Shared pointers are safely Copy. Ptr’s other invariants (besides aliasing) are unaffected by the number of references that exist to Ptr’s referent. The notable cases are:

  • Alignment is a property of the referent type (T) and the address, both of which are unchanged

  • Let S(T, V) be the set of bit values permitted to appear in the referent of a Ptr<T, I: Invariants<Validity = V>>. Since this copy does not change I::Validity or T, S(T, I::Validity) is also unchanged.

    We are required to guarantee that the referents of the original Ptr and of the copy (which, of course, are actually the same since they live in the same byte address range) both remain in the set S(T, I::Validity). Since this invariant holds on the original Ptr, it cannot be violated by the original Ptr, and thus the original Ptr cannot be used to violate this invariant on the copy. The inverse holds as well.

Source§

impl<'a, T, S> Copy for BoundedSlice<'a, T, S>

Source§

impl<'abbrev, 'entry, 'unit, R> Copy for AttrsIter<'abbrev, 'entry, 'unit, R>
where R: Copy + Reader,

Source§

impl<'buf> Copy for AllPreallocated<'buf>

Source§

impl<'buf> Copy for SignOnlyPreallocated<'buf>

Source§

impl<'buf> Copy for VerifyOnlyPreallocated<'buf>

Source§

impl<'data> Copy for ImportName<'data>

Source§

impl<'data> Copy for ExportTarget<'data>

Source§

impl<'data> Copy for object::read::pe::import::Import<'data>

Source§

impl<'data> Copy for ArchiveSymbol<'data>

Source§

impl<'data> Copy for object::read::coff::section::SectionTable<'data>

Source§

impl<'data> Copy for object::read::elf::version::Version<'data>

Source§

impl<'data> Copy for DataDirectories<'data>

Source§

impl<'data> Copy for object::read::pe::export::Export<'data>

Source§

impl<'data> Copy for RelocationBlockIterator<'data>

Source§

impl<'data> Copy for ResourceDirectory<'data>

Source§

impl<'data> Copy for RichHeaderInfo<'data>

Source§

impl<'data> Copy for CodeView<'data>

Source§

impl<'data> Copy for CompressedData<'data>

Source§

impl<'data> Copy for object::read::Export<'data>

Source§

impl<'data> Copy for object::read::Import<'data>

Source§

impl<'data> Copy for ObjectMapEntry<'data>

Source§

impl<'data> Copy for ObjectMapFile<'data>

Source§

impl<'data> Copy for SymbolMapName<'data>

Source§

impl<'data> Copy for Bytes<'data>

Source§

impl<'data, 'file, Elf, R> Copy for ElfSymbol<'data, 'file, Elf, R>
where Elf: Copy + FileHeader, R: Copy + ReadRef<'data>, <Elf as FileHeader>::Endian: Copy, <Elf as FileHeader>::Sym: Copy,

Source§

impl<'data, 'file, Elf, R> Copy for ElfSymbolTable<'data, 'file, Elf, R>
where Elf: Copy + FileHeader, R: Copy + ReadRef<'data>, <Elf as FileHeader>::Endian: Copy,

Source§

impl<'data, 'file, Mach, R> Copy for MachOSymbol<'data, 'file, Mach, R>
where Mach: Copy + MachHeader, R: Copy + ReadRef<'data>, <Mach as MachHeader>::Nlist: Copy,

Source§

impl<'data, 'file, Mach, R> Copy for MachOSymbolTable<'data, 'file, Mach, R>
where Mach: Copy + MachHeader, R: Copy + ReadRef<'data>,

Source§

impl<'data, 'file, R, Coff> Copy for CoffSymbol<'data, 'file, R, Coff>
where R: Copy + ReadRef<'data>, Coff: Copy + CoffHeader, <Coff as CoffHeader>::ImageSymbol: Copy,

Source§

impl<'data, 'file, R, Coff> Copy for CoffSymbolTable<'data, 'file, R, Coff>
where R: Copy + ReadRef<'data>, Coff: Copy + CoffHeader,

Source§

impl<'data, 'file, Xcoff, R> Copy for XcoffSymbol<'data, 'file, Xcoff, R>
where Xcoff: Copy + FileHeader, R: Copy + ReadRef<'data>, <Xcoff as FileHeader>::Symbol: Copy,

Source§

impl<'data, 'file, Xcoff, R> Copy for XcoffSymbolTable<'data, 'file, Xcoff, R>
where Xcoff: Copy + FileHeader, R: Copy + ReadRef<'data>,

Source§

impl<'data, E> Copy for DyldCacheMappingSlice<'data, E>
where E: Copy + Endian,

Source§

impl<'data, E> Copy for DyldCacheSlideInfo<'data, E>
where E: Copy + Endian,

Source§

impl<'data, E> Copy for DyldSubCacheSlice<'data, E>
where E: Copy + Endian,

Source§

impl<'data, E> Copy for LoadCommandVariant<'data, E>
where E: Copy + Endian,

Source§

impl<'data, E> Copy for LoadCommandData<'data, E>
where E: Copy + Endian,

Source§

impl<'data, E> Copy for LoadCommandIterator<'data, E>
where E: Copy + Endian,

Source§

impl<'data, E, R> Copy for DyldCacheMapping<'data, E, R>
where E: Copy + Endian, R: Copy + ReadRef<'data>,

Source§

impl<'data, Elf, R> Copy for object::read::elf::section::SectionTable<'data, Elf, R>
where Elf: Copy + FileHeader, R: Copy + ReadRef<'data>, <Elf as FileHeader>::SectionHeader: Copy,

Source§

impl<'data, Elf, R> Copy for object::read::elf::symbol::SymbolTable<'data, Elf, R>
where Elf: Copy + FileHeader, R: Copy + ReadRef<'data>, <Elf as FileHeader>::Sym: Copy, <Elf as FileHeader>::Endian: Copy,

Source§

impl<'data, Mach, R> Copy for object::read::macho::symbol::SymbolTable<'data, Mach, R>
where Mach: Copy + MachHeader, R: Copy + ReadRef<'data>, <Mach as MachHeader>::Nlist: Copy,

Source§

impl<'data, R> Copy for ArchiveFile<'data, R>
where R: Copy + ReadRef<'data>,

Source§

impl<'data, R> Copy for StringTable<'data, R>
where R: Copy + ReadRef<'data>,

Source§

impl<'data, Xcoff> Copy for object::read::xcoff::section::SectionTable<'data, Xcoff>
where Xcoff: Copy + FileHeader, <Xcoff as FileHeader>::SectionHeader: Copy,

Source§

impl<'de, E> Copy for BorrowedBytesDeserializer<'de, E>

Source§

impl<'de, E> Copy for BorrowedStrDeserializer<'de, E>

Source§

impl<'de, E> Copy for StrDeserializer<'de, E>

1.63.0 · Source§

impl<'fd> Copy for BorrowedFd<'fd>

Source§

impl<'h> Copy for regex::regex::bytes::Match<'h>

Source§

impl<'h> Copy for regex::regex::string::Match<'h>

Source§

impl<'input, Endian> Copy for EndianSlice<'input, Endian>
where Endian: Copy + Endianity,

Source§

impl<A> Copy for ArrayVec<A>
where A: Array + Copy, <A as Array>::Item: Copy,

Source§

impl<A, B> Copy for EitherWriter<A, B>
where A: Copy, B: Copy,

Source§

impl<A, B> Copy for OrElse<A, B>
where A: Copy, B: Copy,

Source§

impl<A, B> Copy for Tee<A, B>
where A: Copy, B: Copy,

Source§

impl<AccountId, Balance> Copy for IndividualExposure<AccountId, Balance>
where AccountId: Copy, Balance: Copy + HasCompact,

Source§

impl<AuthorityId> Copy for subsoil::consensus::beefy::test_utils::Keyring<AuthorityId>
where AuthorityId: Copy,

1.55.0 · Source§

impl<B, C> Copy for ControlFlow<B, C>
where B: Copy, C: Copy,

Source§

impl<B, T> Copy for Ref<B, T>
where B: CopyableByteSlice + Copy, T: ?Sized,

Source§

impl<Balance> Copy for PagedExposureMetadata<Balance>
where Balance: Copy + HasCompact + MaxEncodedLen,

Source§

impl<Balance> Copy for Stake<Balance>
where Balance: Copy,

Source§

impl<Balance: Copy> Copy for WithdrawConsequence<Balance>

Source§

impl<Block> Copy for BlockId<Block>
where Block: Block,

Source§

impl<BlockNumber: Copy> Copy for DispatchTime<BlockNumber>

Source§

impl<C> Copy for ecdsa::Signature<C>

Source§

impl<C> Copy for SignatureWithOid<C>

Available on crate feature digest only.
Source§

impl<C> Copy for ecdsa::verifying::VerifyingKey<C>

Source§

impl<C> Copy for elliptic_curve::public_key::PublicKey<C>
where C: CurveArithmetic,

Source§

impl<C> Copy for NonZeroScalar<C>
where C: CurveArithmetic,

Source§

impl<C> Copy for ScalarPrimitive<C>
where C: Copy + Curve, <C as Curve>::Uint: Copy,

Source§

impl<D> Copy for libsecp256k1::SharedSecret<D>
where D: Copy + Digest, GenericArray<u8, <D as Digest>::OutputSize>: Copy,

Source§

impl<Dyn> Copy for DynMetadata<Dyn>
where Dyn: ?Sized,

Source§

impl<E> Copy for BoolDeserializer<E>

Source§

impl<E> Copy for CharDeserializer<E>

Source§

impl<E> Copy for F32Deserializer<E>

Source§

impl<E> Copy for F64Deserializer<E>

Source§

impl<E> Copy for I8Deserializer<E>

Source§

impl<E> Copy for I16Deserializer<E>

Source§

impl<E> Copy for I32Deserializer<E>

Source§

impl<E> Copy for I64Deserializer<E>

Source§

impl<E> Copy for I128Deserializer<E>

Source§

impl<E> Copy for IsizeDeserializer<E>

Source§

impl<E> Copy for U8Deserializer<E>

Source§

impl<E> Copy for U16Deserializer<E>

Source§

impl<E> Copy for U32Deserializer<E>

Source§

impl<E> Copy for U64Deserializer<E>

Source§

impl<E> Copy for U128Deserializer<E>

Source§

impl<E> Copy for UnitDeserializer<E>

Source§

impl<E> Copy for UsizeDeserializer<E>

Source§

impl<E> Copy for CompressionHeader32<E>
where E: Copy + Endian,

Source§

impl<E> Copy for CompressionHeader64<E>
where E: Copy + Endian,

Source§

impl<E> Copy for Dyn32<E>
where E: Copy + Endian,

Source§

impl<E> Copy for Dyn64<E>
where E: Copy + Endian,

Source§

impl<E> Copy for object::elf::FileHeader32<E>
where E: Copy + Endian,

Source§

impl<E> Copy for object::elf::FileHeader64<E>
where E: Copy + Endian,

Source§

impl<E> Copy for GnuHashHeader<E>
where E: Copy + Endian,

Source§

impl<E> Copy for HashHeader<E>
where E: Copy + Endian,

Source§

impl<E> Copy for NoteHeader32<E>
where E: Copy + Endian,

Source§

impl<E> Copy for NoteHeader64<E>
where E: Copy + Endian,

Source§

impl<E> Copy for ProgramHeader32<E>
where E: Copy + Endian,

Source§

impl<E> Copy for ProgramHeader64<E>
where E: Copy + Endian,

Source§

impl<E> Copy for object::elf::Rel32<E>
where E: Copy + Endian,

Source§

impl<E> Copy for object::elf::Rel64<E>
where E: Copy + Endian,

Source§

impl<E> Copy for Rela32<E>
where E: Copy + Endian,

Source§

impl<E> Copy for Rela64<E>
where E: Copy + Endian,

Source§

impl<E> Copy for Relr32<E>
where E: Copy + Endian,

Source§

impl<E> Copy for Relr64<E>
where E: Copy + Endian,

Source§

impl<E> Copy for object::elf::SectionHeader32<E>
where E: Copy + Endian,

Source§

impl<E> Copy for object::elf::SectionHeader64<E>
where E: Copy + Endian,

Source§

impl<E> Copy for Sym32<E>
where E: Copy + Endian,

Source§

impl<E> Copy for Sym64<E>
where E: Copy + Endian,

Source§

impl<E> Copy for Syminfo32<E>
where E: Copy + Endian,

Source§

impl<E> Copy for Syminfo64<E>
where E: Copy + Endian,

Source§

impl<E> Copy for Verdaux<E>
where E: Copy + Endian,

Source§

impl<E> Copy for Verdef<E>
where E: Copy + Endian,

Source§

impl<E> Copy for Vernaux<E>
where E: Copy + Endian,

Source§

impl<E> Copy for Verneed<E>
where E: Copy + Endian,

Source§

impl<E> Copy for Versym<E>
where E: Copy + Endian,

Source§

impl<E> Copy for I16Bytes<E>
where E: Copy + Endian,

Source§

impl<E> Copy for I32Bytes<E>
where E: Copy + Endian,

Source§

impl<E> Copy for I64Bytes<E>
where E: Copy + Endian,

Source§

impl<E> Copy for U16Bytes<E>
where E: Copy + Endian,

Source§

impl<E> Copy for U32Bytes<E>
where E: Copy + Endian,

Source§

impl<E> Copy for U64Bytes<E>
where E: Copy + Endian,

Source§

impl<E> Copy for BuildToolVersion<E>
where E: Copy + Endian,

Source§

impl<E> Copy for BuildVersionCommand<E>
where E: Copy + Endian,

Source§

impl<E> Copy for DataInCodeEntry<E>
where E: Copy + Endian,

Source§

impl<E> Copy for DyldCacheHeader<E>
where E: Copy + Endian,

Source§

impl<E> Copy for DyldCacheImageInfo<E>
where E: Copy + Endian,

Source§

impl<E> Copy for DyldCacheMappingAndSlideInfo<E>
where E: Copy + Endian,

Source§

impl<E> Copy for DyldCacheMappingInfo<E>
where E: Copy + Endian,

Source§

impl<E> Copy for DyldCacheSlideInfo2<E>
where E: Copy + Endian,

Source§

impl<E> Copy for DyldCacheSlideInfo3<E>
where E: Copy + Endian,

Source§

impl<E> Copy for DyldCacheSlideInfo5<E>
where E: Copy + Endian,

Source§

impl<E> Copy for DyldInfoCommand<E>
where E: Copy + Endian,

Source§

impl<E> Copy for DyldSubCacheEntryV1<E>
where E: Copy + Endian,

Source§

impl<E> Copy for DyldSubCacheEntryV2<E>
where E: Copy + Endian,

Source§

impl<E> Copy for Dylib<E>
where E: Copy + Endian,

Source§

impl<E> Copy for DylibCommand<E>
where E: Copy + Endian,

Source§

impl<E> Copy for DylibModule32<E>
where E: Copy + Endian,

Source§

impl<E> Copy for DylibModule64<E>
where E: Copy + Endian,

Source§

impl<E> Copy for DylibReference<E>
where E: Copy + Endian,

Source§

impl<E> Copy for DylibTableOfContents<E>
where E: Copy + Endian,

Source§

impl<E> Copy for DylinkerCommand<E>
where E: Copy + Endian,

Source§

impl<E> Copy for DysymtabCommand<E>
where E: Copy + Endian,

Source§

impl<E> Copy for EncryptionInfoCommand32<E>
where E: Copy + Endian,

Source§

impl<E> Copy for EncryptionInfoCommand64<E>
where E: Copy + Endian,

Source§

impl<E> Copy for EntryPointCommand<E>
where E: Copy + Endian,

Source§

impl<E> Copy for FilesetEntryCommand<E>
where E: Copy + Endian,

Source§

impl<E> Copy for FvmfileCommand<E>
where E: Copy + Endian,

Source§

impl<E> Copy for Fvmlib<E>
where E: Copy + Endian,

Source§

impl<E> Copy for FvmlibCommand<E>
where E: Copy + Endian,

Source§

impl<E> Copy for IdentCommand<E>
where E: Copy + Endian,

Source§

impl<E> Copy for LcStr<E>
where E: Copy + Endian,

Source§

impl<E> Copy for LinkeditDataCommand<E>
where E: Copy + Endian,

Source§

impl<E> Copy for LinkerOptionCommand<E>
where E: Copy + Endian,

Source§

impl<E> Copy for LoadCommand<E>
where E: Copy + Endian,

Source§

impl<E> Copy for MachHeader32<E>
where E: Copy + Endian,

Source§

impl<E> Copy for MachHeader64<E>
where E: Copy + Endian,

Source§

impl<E> Copy for Nlist32<E>
where E: Copy + Endian,

Source§

impl<E> Copy for Nlist64<E>
where E: Copy + Endian,

Source§

impl<E> Copy for NoteCommand<E>
where E: Copy + Endian,

Source§

impl<E> Copy for PrebindCksumCommand<E>
where E: Copy + Endian,

Source§

impl<E> Copy for PreboundDylibCommand<E>
where E: Copy + Endian,

Source§

impl<E> Copy for object::macho::Relocation<E>
where E: Copy + Endian,

Source§

impl<E> Copy for RoutinesCommand32<E>
where E: Copy + Endian,

Source§

impl<E> Copy for RoutinesCommand64<E>
where E: Copy + Endian,

Source§

impl<E> Copy for RpathCommand<E>
where E: Copy + Endian,

Source§

impl<E> Copy for Section32<E>
where E: Copy + Endian,

Source§

impl<E> Copy for Section64<E>
where E: Copy + Endian,

Source§

impl<E> Copy for SegmentCommand32<E>
where E: Copy + Endian,

Source§

impl<E> Copy for SegmentCommand64<E>
where E: Copy + Endian,

Source§

impl<E> Copy for SourceVersionCommand<E>
where E: Copy + Endian,

Source§

impl<E> Copy for SubClientCommand<E>
where E: Copy + Endian,

Source§

impl<E> Copy for SubFrameworkCommand<E>
where E: Copy + Endian,

Source§

impl<E> Copy for SubLibraryCommand<E>
where E: Copy + Endian,

Source§

impl<E> Copy for SubUmbrellaCommand<E>
where E: Copy + Endian,

Source§

impl<E> Copy for SymsegCommand<E>
where E: Copy + Endian,

Source§

impl<E> Copy for SymtabCommand<E>
where E: Copy + Endian,

Source§

impl<E> Copy for ThreadCommand<E>
where E: Copy + Endian,

Source§

impl<E> Copy for TwolevelHint<E>
where E: Copy + Endian,

Source§

impl<E> Copy for TwolevelHintsCommand<E>
where E: Copy + Endian,

Source§

impl<E> Copy for UuidCommand<E>
where E: Copy + Endian,

Source§

impl<E> Copy for VersionMinCommand<E>
where E: Copy + Endian,

1.28.0 · Source§

impl<F> Copy for RepeatWith<F>
where F: Copy,

Source§

impl<HO> Copy for ChildReference<HO>
where HO: Copy,

1.0.0 · Source§

impl<Idx> Copy for RangeTo<Idx>
where Idx: Copy,

1.26.0 · Source§

impl<Idx> Copy for topsoil_core::runtime::std::ops::RangeToInclusive<Idx>
where Idx: Copy,

Source§

impl<Idx> Copy for core::range::Range<Idx>
where Idx: Copy,

Source§

impl<Idx> Copy for RangeFrom<Idx>
where Idx: Copy,

1.95.0 · Source§

impl<Idx> Copy for RangeInclusive<Idx>
where Idx: Copy,

1.96.0 · Source§

impl<Idx> Copy for core::range::RangeToInclusive<Idx>
where Idx: Copy,

Source§

impl<Info> Copy for DispatchErrorWithPostInfo<Info>
where Info: Copy + Eq + PartialEq + Clone + Encode + Decode + Printable,

Source§

impl<K> Copy for ExtendedKey<K>
where K: Copy,

Source§

impl<L, R> Copy for Either<L, R>
where L: Copy, R: Copy,

Source§

impl<M> Copy for WithMaxLevel<M>
where M: Copy,

Source§

impl<M> Copy for WithMinLevel<M>
where M: Copy,

Source§

impl<M, F> Copy for WithFilter<M, F>
where M: Copy, F: Copy,

Source§

impl<MOD, const LIMBS: usize> Copy for Residue<MOD, LIMBS>
where MOD: Copy + ResidueParams<LIMBS>,

Source§

impl<NI> Copy for Avx2Machine<NI>
where NI: Copy,

Source§

impl<O> Copy for F32<O>
where O: Copy,

Source§

impl<O> Copy for F64<O>
where O: Copy,

Source§

impl<O> Copy for I16<O>
where O: Copy,

Source§

impl<O> Copy for I32<O>
where O: Copy,

Source§

impl<O> Copy for I64<O>
where O: Copy,

Source§

impl<O> Copy for I128<O>
where O: Copy,

Source§

impl<O> Copy for Isize<O>
where O: Copy,

Source§

impl<O> Copy for U16<O>
where O: Copy,

Source§

impl<O> Copy for U32<O>
where O: Copy,

Source§

impl<O> Copy for U64<O>
where O: Copy,

Source§

impl<O> Copy for zerocopy::byteorder::U128<O>
where O: Copy,

Source§

impl<O> Copy for Usize<O>
where O: Copy,

Source§

impl<Offset> Copy for UnitType<Offset>
where Offset: Copy + ReaderOffset,

Source§

impl<P> Copy for MaybeDangling<P>
where P: Copy + ?Sized,

Source§

impl<P> Copy for NonIdentity<P>
where P: Copy,

Source§

impl<Params> Copy for AlgorithmIdentifier<Params>
where Params: Copy,

1.33.0 · Source§

impl<Ptr> Copy for Pin<Ptr>
where Ptr: Copy,

Source§

impl<R> Copy for DebugAbbrev<R>
where R: Copy,

Source§

impl<R> Copy for DebugAddr<R>
where R: Copy,

Source§

impl<R> Copy for DebugAranges<R>
where R: Copy,

Source§

impl<R> Copy for DebugFrame<R>
where R: Copy + Reader,

Source§

impl<R> Copy for EhFrame<R>
where R: Copy + Reader,

Source§

impl<R> Copy for EhFrameHdr<R>
where R: Copy + Reader,

Source§

impl<R> Copy for DebugCuIndex<R>
where R: Copy,

Source§

impl<R> Copy for DebugTuIndex<R>
where R: Copy,

Source§

impl<R> Copy for DebugLine<R>
where R: Copy,

Source§

impl<R> Copy for DebugLoc<R>
where R: Copy,

Source§

impl<R> Copy for DebugLocLists<R>
where R: Copy,

Source§

impl<R> Copy for LocationListEntry<R>
where R: Copy + Reader,

Source§

impl<R> Copy for LocationLists<R>
where R: Copy,

Source§

impl<R> Copy for DebugMacinfo<R>
where R: Copy,

Source§

impl<R> Copy for DebugMacro<R>
where R: Copy,

Source§

impl<R> Copy for Expression<R>
where R: Copy + Reader,

Source§

impl<R> Copy for OperationIter<R>
where R: Copy + Reader,

Source§

impl<R> Copy for DebugRanges<R>
where R: Copy,

Source§

impl<R> Copy for DebugRngLists<R>
where R: Copy,

Source§

impl<R> Copy for RangeLists<R>
where R: Copy,

Source§

impl<R> Copy for DebugLineStr<R>
where R: Copy,

Source§

impl<R> Copy for DebugStr<R>
where R: Copy,

Source§

impl<R> Copy for DebugStrOffsets<R>
where R: Copy,

Source§

impl<R> Copy for Attribute<R>
where R: Copy + Reader,

Source§

impl<R> Copy for DebugInfo<R>
where R: Copy,

Source§

impl<R> Copy for DebugTypes<R>
where R: Copy,

Source§

impl<R, Offset> Copy for LineInstruction<R, Offset>
where R: Copy + Reader<Offset = Offset>, Offset: Copy + ReaderOffset,

Source§

impl<R, Offset> Copy for gimli::read::op::Location<R, Offset>
where R: Copy + Reader<Offset = Offset>, Offset: Copy + ReaderOffset,

Source§

impl<R, Offset> Copy for Operation<R, Offset>
where R: Copy + Reader<Offset = Offset>, Offset: Copy + ReaderOffset,

Source§

impl<R, Offset> Copy for AttributeValue<R, Offset>
where R: Copy + Reader<Offset = Offset>, Offset: Copy + ReaderOffset,

Source§

impl<R, Offset> Copy for FileEntry<R, Offset>
where R: Copy + Reader<Offset = Offset>, Offset: Copy + ReaderOffset,

Source§

impl<R, Offset> Copy for Piece<R, Offset>
where R: Copy + Reader<Offset = Offset>, Offset: Copy + ReaderOffset,

Source§

impl<R, Offset> Copy for UnitHeader<R, Offset>
where R: Copy + Reader<Offset = Offset>, Offset: Copy + ReaderOffset,

Source§

impl<S3, S4, NI> Copy for SseMachine<S3, S4, NI>
where S3: Copy, S4: Copy, NI: Copy,

Source§

impl<Section, Symbol> Copy for SymbolFlags<Section, Symbol>
where Section: Copy, Symbol: Copy,

Source§

impl<Size> Copy for EncodedPoint<Size>

1.17.0 · Source§

impl<T> Copy for Bound<T>
where T: Copy,

Source§

impl<T> Copy for SendTimeoutError<T>
where T: Copy,

1.0.0 · Source§

impl<T> Copy for TrySendError<T>
where T: Copy,

1.0.0 · Source§

impl<T> Copy for Option<T>
where T: Copy,

1.36.0 · Source§

impl<T> Copy for Poll<T>
where T: Copy,

Source§

impl<T> Copy for UnitSectionOffset<T>
where T: Copy,

Source§

impl<T> Copy for DieReference<T>
where T: Copy,

Source§

impl<T> Copy for itertools::FoldWhile<T>
where T: Copy,

Source§

impl<T> Copy for itertools::FoldWhile<T>
where T: Copy,

Source§

impl<T> Copy for itertools::minmax::MinMaxResult<T>
where T: Copy,

Source§

impl<T> Copy for itertools::minmax::MinMaxResult<T>
where T: Copy,

Source§

impl<T> Copy for itertools::with_position::Position<T>
where T: Copy,

1.0.0 · Source§

impl<T> Copy for *const T
where T: ?Sized,

1.0.0 · Source§

impl<T> Copy for *mut T
where T: ?Sized,

1.0.0 · Source§

impl<T> Copy for &T
where T: ?Sized,

Shared references can be copied, but mutable references cannot!

1.0.0 · Source§

impl<T> Copy for PhantomData<T>
where T: ?Sized,

Source§

impl<T> Copy for topsoil_core::runtime::codec::Compact<T>
where T: Copy,

Source§

impl<T> Copy for UntrackedSymbol<T>
where T: Copy,

Source§

impl<T> Copy for IdentityLookup<T>
where T: Copy,

1.21.0 · Source§

impl<T> Copy for Discriminant<T>

1.20.0 · Source§

impl<T> Copy for ManuallyDrop<T>
where T: Copy + ?Sized,

1.28.0 · Source§

impl<T> Copy for topsoil_core::runtime::std::num::NonZero<T>

1.74.0 · Source§

impl<T> Copy for Saturating<T>
where T: Copy,

1.0.0 · Source§

impl<T> Copy for topsoil_core::runtime::std::num::Wrapping<T>
where T: Copy,

1.19.0 · Source§

impl<T> Copy for Reverse<T>
where T: Copy,

1.25.0 · Source§

impl<T> Copy for NonNull<T>
where T: ?Sized,

1.0.0 · Source§

impl<T> Copy for SendError<T>
where T: Copy,

Source§

impl<T> Copy for Exclusive<T>
where T: Sync + Copy,

Source§

impl<T> Copy for CapacityError<T>
where T: Copy,

Source§

impl<T> Copy for Hmac<T>
where T: Copy + Hash,

Source§

impl<T> Copy for bitcoin_hashes::sha256t::Hash<T>
where T: Tag,

Source§

impl<T> Copy for PWrapper<T>
where T: Copy,

Source§

impl<T> Copy for Checked<T>
where T: Copy,

Source§

impl<T> Copy for crypto_bigint::non_zero::NonZero<T>
where T: Copy + Zero,

Source§

impl<T> Copy for crypto_bigint::wrapping::Wrapping<T>
where T: Copy,

Source§

impl<T> Copy for ContextSpecific<T>
where T: Copy,

Source§

impl<T> Copy for AllowStdIo<T>
where T: Copy,

Source§

impl<T> Copy for DebugAbbrevOffset<T>
where T: Copy,

Source§

impl<T> Copy for DebugAddrBase<T>
where T: Copy,

Source§

impl<T> Copy for DebugAddrIndex<T>
where T: Copy,

Source§

impl<T> Copy for DebugAddrOffset<T>
where T: Copy,

Source§

impl<T> Copy for DebugArangesOffset<T>
where T: Copy,

Source§

impl<T> Copy for DebugFrameOffset<T>
where T: Copy,

Source§

impl<T> Copy for DebugInfoOffset<T>
where T: Copy,

Source§

impl<T> Copy for DebugLineOffset<T>
where T: Copy,

Source§

impl<T> Copy for DebugLineStrOffset<T>
where T: Copy,

Source§

impl<T> Copy for DebugLocListsBase<T>
where T: Copy,

Source§

impl<T> Copy for DebugLocListsIndex<T>
where T: Copy,

Source§

impl<T> Copy for DebugMacinfoOffset<T>
where T: Copy,

Source§

impl<T> Copy for DebugMacroOffset<T>
where T: Copy,

Source§

impl<T> Copy for DebugRngListsBase<T>
where T: Copy,

Source§

impl<T> Copy for DebugRngListsIndex<T>
where T: Copy,

Source§

impl<T> Copy for DebugStrOffset<T>
where T: Copy,

Source§

impl<T> Copy for DebugStrOffsetsBase<T>
where T: Copy,

Source§

impl<T> Copy for DebugStrOffsetsIndex<T>
where T: Copy,

Source§

impl<T> Copy for DebugTypesOffset<T>
where T: Copy,

Source§

impl<T> Copy for EhFrameOffset<T>
where T: Copy,

Source§

impl<T> Copy for LocationListsOffset<T>
where T: Copy,

Source§

impl<T> Copy for RangeListsOffset<T>
where T: Copy,

Source§

impl<T> Copy for RawRangeListsOffset<T>
where T: Copy,

Source§

impl<T> Copy for UnwindExpression<T>
where T: Copy + ReaderOffset,

Source§

impl<T> Copy for UnitOffset<T>
where T: Copy,

Source§

impl<T> Copy for jam_codec::compact::Compact<T>
where T: Copy,

Source§

impl<T> Copy for NoHashHasher<T>

Source§

impl<T> Copy for Metadata<'_, T>

Source§

impl<T> Copy for subsoil::wasm_interface::Pointer<T>

Source§

impl<T> Copy for BlackBox<T>
where T: Copy,

Source§

impl<T> Copy for CtOption<T>
where T: Copy,

Source§

impl<T> Copy for Unalign<T>
where T: Copy,

Source§

impl<T> Copy for PhantomContravariant<T>
where T: ?Sized,

Source§

impl<T> Copy for PhantomCovariant<T>
where T: ?Sized,

Source§

impl<T> Copy for PhantomInvariant<T>
where T: ?Sized,

1.36.0 · Source§

impl<T> Copy for MaybeUninit<T>
where T: Copy,

Source§

impl<T, D> Copy for TypeWithDefault<T, D>
where T: Copy, D: Get<T>,

1.0.0 · Source§

impl<T, E> Copy for Result<T, E>
where T: Copy, E: Copy,

Source§

impl<T, F> Copy for AlwaysReady<T, F>
where F: Fn() -> T + Copy,

Source§

impl<T, N> Copy for GenericArray<T, N>
where T: Copy, N: ArrayLength<T>, <N as ArrayLength<T>>::ArrayType: Copy,

1.58.0 · Source§

impl<T, const N: usize> Copy for [T; N]
where T: Copy,

Source§

impl<T, const N: usize> Copy for Mask<T, N>
where T: MaskElement,

Source§

impl<T, const N: usize> Copy for Simd<T, N>
where T: SimdElement,

Source§

impl<T, const VARIANT: u32, const FIELD: u32> Copy for FieldRepresentingType<T, VARIANT, FIELD>
where T: ?Sized,

Source§

impl<U> Copy for NInt<U>
where U: Copy + Unsigned + NonZero,

Source§

impl<U> Copy for PInt<U>
where U: Copy + Unsigned + NonZero,

Source§

impl<U, B> Copy for UInt<U, B>
where U: Copy, B: Copy,

Source§

impl<V, A> Copy for TArr<V, A>
where V: Copy, A: Copy,

Source§

impl<X> Copy for Uniform<X>

Source§

impl<X> Copy for UniformFloat<X>
where X: Copy,

Source§

impl<X> Copy for UniformInt<X>
where X: Copy,

Source§

impl<Y, R> Copy for CoroutineState<Y, R>
where Y: Copy, R: Copy,

Source§

impl<const CAP: usize> Copy for ArrayString<CAP>

Source§

impl<const CONFIG: u128> Copy for Iso8601<CONFIG>

Source§

impl<const LIMBS: usize> Copy for DynResidue<LIMBS>

Source§

impl<const LIMBS: usize> Copy for DynResidueParams<LIMBS>

Source§

impl<const LIMBS: usize> Copy for Uint<LIMBS>

Source§

impl<const MIN: i8, const MAX: i8> Copy for OptionRangedI8<MIN, MAX>

Source§

impl<const MIN: i8, const MAX: i8> Copy for RangedI8<MIN, MAX>

Source§

impl<const MIN: i16, const MAX: i16> Copy for OptionRangedI16<MIN, MAX>

Source§

impl<const MIN: i16, const MAX: i16> Copy for RangedI16<MIN, MAX>

Source§

impl<const MIN: i32, const MAX: i32> Copy for OptionRangedI32<MIN, MAX>

Source§

impl<const MIN: i32, const MAX: i32> Copy for RangedI32<MIN, MAX>

Source§

impl<const MIN: i64, const MAX: i64> Copy for OptionRangedI64<MIN, MAX>

Source§

impl<const MIN: i64, const MAX: i64> Copy for RangedI64<MIN, MAX>

Source§

impl<const MIN: i128, const MAX: i128> Copy for OptionRangedI128<MIN, MAX>

Source§

impl<const MIN: i128, const MAX: i128> Copy for RangedI128<MIN, MAX>

Source§

impl<const MIN: isize, const MAX: isize> Copy for OptionRangedIsize<MIN, MAX>

Source§

impl<const MIN: isize, const MAX: isize> Copy for RangedIsize<MIN, MAX>

Source§

impl<const MIN: u8, const MAX: u8> Copy for OptionRangedU8<MIN, MAX>

Source§

impl<const MIN: u8, const MAX: u8> Copy for RangedU8<MIN, MAX>

Source§

impl<const MIN: u16, const MAX: u16> Copy for OptionRangedU16<MIN, MAX>

Source§

impl<const MIN: u16, const MAX: u16> Copy for RangedU16<MIN, MAX>

Source§

impl<const MIN: u32, const MAX: u32> Copy for OptionRangedU32<MIN, MAX>

Source§

impl<const MIN: u32, const MAX: u32> Copy for RangedU32<MIN, MAX>

Source§

impl<const MIN: u64, const MAX: u64> Copy for OptionRangedU64<MIN, MAX>

Source§

impl<const MIN: u64, const MAX: u64> Copy for RangedU64<MIN, MAX>

Source§

impl<const MIN: u128, const MAX: u128> Copy for OptionRangedU128<MIN, MAX>

Source§

impl<const MIN: u128, const MAX: u128> Copy for RangedU128<MIN, MAX>

Source§

impl<const MIN: usize, const MAX: usize> Copy for OptionRangedUsize<MIN, MAX>

Source§

impl<const MIN: usize, const MAX: usize> Copy for RangedUsize<MIN, MAX>

Source§

impl<const N: usize, T> Copy for CryptoBytes<N, T>

Source§

impl<const N: usize, const UPPERCASE: bool> Copy for HexOrBin<N, UPPERCASE>