Trait frame_support::dispatch::marker::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, which isn’t always desired.
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 implementCopy
(even if the referent doesn’t), while variables captured by mutable reference never implementCopy
.
Implementors§
impl Copy for ArithmeticError
impl Copy for Rounding
impl Copy for SignedRounding
impl Copy for DeriveJunction
impl Copy for PublicError
impl Copy for LogLevel
impl Copy for LogLevelFilter
impl Copy for HttpError
impl Copy for HttpRequestStatus
impl Copy for StorageKind
impl Copy for CallContext
impl Copy for TokenError
impl Copy for TransactionalError
impl Copy for Era
impl Copy for sp_runtime::legacy::byte_sized_error::DispatchError
impl Copy for DisableStrategy
impl Copy for sp_version::embed::Error
impl Copy for ReturnValue
impl Copy for sp_wasm_interface::Value
impl Copy for sp_wasm_interface::ValueType
impl Copy for frame_support::pallet_prelude::DispatchError
impl Copy for InvalidTransaction
impl Copy for TransactionSource
impl Copy for TransactionValidityError
impl Copy for UnknownTransaction
impl Copy for ChildType
impl Copy for StateVersion
impl Copy for ProcessMessageError
impl Copy for UpgradeCheckSelect
impl Copy for BalanceStatus
impl Copy for DepositConsequence
impl Copy for ExistenceRequirement
impl Copy for Fortitude
impl Copy for Precision
impl Copy for Preservation
impl Copy for Provenance
impl Copy for Restriction
impl Copy for DispatchClass
impl Copy for Pays
impl Copy for frame_support::dispatch::fmt::Alignment
impl Copy for core::cmp::Ordering
impl Copy for Infallible
impl Copy for Which
impl Copy for IpAddr
impl Copy for Ipv6MulticastScope
impl Copy for SocketAddr
impl Copy for FpCategory
impl Copy for SearchStep
impl Copy for core::sync::atomic::Ordering
impl Copy for proc_macro::diagnostic::Level
impl Copy for proc_macro::Delimiter
impl Copy for proc_macro::Spacing
impl Copy for std::io::SeekFrom
impl Copy for std::io::error::ErrorKind
impl Copy for Shutdown
impl Copy for BacktraceStyle
impl Copy for std::sync::mpsc::RecvTimeoutError
impl Copy for std::sync::mpsc::TryRecvError
impl Copy for _Unwind_Action
impl Copy for _Unwind_Reason_Code
impl Copy for time::ParseError
impl Copy for PrintFmt
impl Copy for SecondsFormat
impl Copy for Pad
impl Copy for ParseErrorKind
impl Copy for Month
impl Copy for RoundingError
impl Copy for Weekday
impl Copy for hex::error::FromHexError
impl Copy for log::Level
impl Copy for log::LevelFilter
impl Copy for Sign
impl Copy for Grouping
impl Copy for Locale
impl Copy for proc_macro2::Delimiter
impl Copy for proc_macro2::Spacing
impl Copy for Category
impl Copy for AttrStyle
impl Copy for RangeLimits
impl Copy for TraitBoundModifier
impl Copy for BinOp
impl Copy for UnOp
impl Copy for url::parser::ParseError
impl Copy for SyntaxViolation
impl Copy for url::slicing::Position
impl Copy for rand::distributions::bernoulli::BernoulliError
impl Copy for rand::distributions::bernoulli::BernoulliError
impl Copy for rand::distributions::weighted::WeightedError
impl Copy for rand::distributions::weighted_index::WeightedError
impl Copy for bool
impl Copy for char
impl Copy for f32
impl Copy for f64
impl Copy for i8
impl Copy for i16
impl Copy for i32
impl Copy for i64
impl Copy for i128
impl Copy for isize
impl Copy for !
impl Copy for u8
impl Copy for u16
impl Copy for u32
impl Copy for u64
impl Copy for u128
impl Copy for usize
impl Copy for FixedI64
impl Copy for FixedI128
impl Copy for FixedU64
impl Copy for FixedU128
impl Copy for PerU16
impl Copy for Perbill
impl Copy for sp_arithmetic::per_things::Percent
impl Copy for Permill
impl Copy for Perquintill
impl Copy for Rational128
impl Copy for sp_core::bandersnatch::Public
impl Copy for sp_core::bandersnatch::Signature
impl Copy for CryptoTypeId
impl Copy for KeyTypeId
impl Copy for sp_core::ecdsa::Public
impl Copy for sp_core::ed25519::Pair
impl Copy for sp_core::ed25519::Public
impl Copy for Capabilities
impl Copy for sp_core::offchain::Duration
impl Copy for HttpRequestId
impl Copy for Timestamp
impl Copy for sp_core::sr25519::Public
impl Copy for sp_runtime::legacy::byte_sized_error::ModuleError
impl Copy for sp_runtime::ModuleError
impl Copy for CacheSize
impl Copy for Instance1
impl Copy for Weight
impl Copy for PalletId
impl Copy for CrateVersion
impl Copy for Footprint
impl Copy for PalletInfoData
impl Copy for StorageVersion
impl Copy for WithdrawReasons
impl Copy for OldWeight
impl Copy for RuntimeDbWeight
impl Copy for frame_support::dispatch::fmt::Error
impl Copy for DispatchInfo
impl Copy for PostDispatchInfo
impl Copy for alloc::alloc::Global
impl Copy for Layout
impl Copy for AllocError
impl Copy for core::any::TypeId
impl Copy for core::array::TryFromSliceError
impl Copy for CharTryFromError
impl Copy for TryFromCharError
impl Copy for CpuidResult
impl Copy for __m128
impl Copy for __m128bh
impl Copy for __m128d
impl Copy for __m128i
impl Copy for __m256
impl Copy for __m256bh
impl Copy for __m256d
impl Copy for __m256i
impl Copy for __m512
impl Copy for __m512bh
impl Copy for __m512d
impl Copy for __m512i
impl Copy for Assume
impl Copy for Ipv4Addr
impl Copy for Ipv6Addr
impl Copy for SocketAddrV4
impl Copy for SocketAddrV6
impl Copy for TryFromIntError
impl Copy for NonZeroI8
impl Copy for NonZeroI16
impl Copy for NonZeroI32
impl Copy for NonZeroI64
impl Copy for NonZeroI128
impl Copy for NonZeroIsize
impl Copy for NonZeroU8
impl Copy for NonZeroU16
impl Copy for NonZeroU32
impl Copy for NonZeroU64
impl Copy for NonZeroU128
impl Copy for NonZeroUsize
impl Copy for RangeFull
impl Copy for core::ptr::alignment::Alignment
impl Copy for TimSortRun
impl Copy for Utf8Error
impl Copy for RawWakerVTable
impl Copy for core::time::Duration
impl Copy for LineColumn
impl Copy for proc_macro::Span
impl Copy for System
impl Copy for FileTimes
impl Copy for std::fs::FileType
impl Copy for Empty
impl Copy for Sink
impl Copy for UCred
impl Copy for ExitCode
impl Copy for ExitStatus
impl Copy for ExitStatusError
impl Copy for std::sync::condvar::WaitTimeoutResult
impl Copy for std::sync::mpsc::RecvError
impl Copy for AccessError
impl Copy for ThreadId
impl Copy for Instant
impl Copy for std::time::SystemTime
impl Copy for time::duration::Duration
impl Copy for OutOfRangeError
impl Copy for PreciseTime
impl Copy for SteadyTime
impl Copy for Timespec
impl Copy for Tm
impl Copy for bincode::config::endian::BigEndian
impl Copy for bincode::config::endian::LittleEndian
impl Copy for NativeEndian
impl Copy for FixintEncoding
impl Copy for VarintEncoding
impl Copy for Bounded
impl Copy for Infinite
impl Copy for DefaultOptions
impl Copy for AllowTrailing
impl Copy for RejectTrailing
impl Copy for chrono::format::ParseError
impl Copy for Months
impl Copy for Days
impl Copy for NaiveDate
impl Copy for NaiveDateTime
impl Copy for IsoWeek
impl Copy for NaiveTime
impl Copy for FixedOffset
impl Copy for chrono::offset::local::Local
impl Copy for Utc
impl Copy for OutOfRange
impl Copy for crypto_mac::errors::InvalidKeyLength
impl Copy for crypto_mac::errors::MacError
impl Copy for curve25519_dalek::edwards::CompressedEdwardsY
impl Copy for curve25519_dalek::edwards::EdwardsPoint
impl Copy for curve25519_dalek::montgomery::MontgomeryPoint
impl Copy for curve25519_dalek::ristretto::CompressedRistretto
impl Copy for curve25519_dalek::ristretto::RistrettoPoint
impl Copy for curve25519_dalek::scalar::Scalar
impl Copy for curve25519_dalek::edwards::CompressedEdwardsY
impl Copy for curve25519_dalek::edwards::EdwardsPoint
impl Copy for curve25519_dalek::montgomery::MontgomeryPoint
impl Copy for curve25519_dalek::ristretto::CompressedRistretto
impl Copy for curve25519_dalek::ristretto::RistrettoPoint
impl Copy for curve25519_dalek::scalar::Scalar
impl Copy for getrandom::error::Error
impl Copy for num_format::buffer::Buffer
impl Copy for DelimSpan
impl Copy for proc_macro2::Span
impl Copy for ryu::buffer::Buffer
impl Copy for IgnoredAny
impl Copy for DefaultConfig
impl Copy for Choice
impl Copy for Abstract
impl Copy for And
impl Copy for AndAnd
impl Copy for AndEq
impl Copy for As
impl Copy for Async
impl Copy for At
impl Copy for Auto
impl Copy for Await
impl Copy for Become
impl Copy for Box
impl Copy for Brace
impl Copy for Bracket
impl Copy for Break
impl Copy for Caret
impl Copy for CaretEq
impl Copy for Colon
impl Copy for Comma
impl Copy for Const
impl Copy for Continue
impl Copy for Crate
impl Copy for Default
impl Copy for Do
impl Copy for Dollar
impl Copy for syn::token::Dot
impl Copy for DotDot
impl Copy for DotDotDot
impl Copy for DotDotEq
impl Copy for Dyn
impl Copy for Else
impl Copy for Enum
impl Copy for Eq
impl Copy for EqEq
impl Copy for Extern
impl Copy for FatArrow
impl Copy for Final
impl Copy for Fn
impl Copy for For
impl Copy for Ge
impl Copy for Group
impl Copy for Gt
impl Copy for If
impl Copy for Impl
impl Copy for In
impl Copy for LArrow
impl Copy for Le
impl Copy for Let
impl Copy for syn::token::Loop
impl Copy for Lt
impl Copy for Macro
impl Copy for syn::token::Match
impl Copy for Minus
impl Copy for MinusEq
impl Copy for Mod
impl Copy for Move
impl Copy for Mut
impl Copy for Ne
impl Copy for Not
impl Copy for Or
impl Copy for OrEq
impl Copy for OrOr
impl Copy for Override
impl Copy for Paren
impl Copy for PathSep
impl Copy for syn::token::Percent
impl Copy for PercentEq
impl Copy for Plus
impl Copy for PlusEq
impl Copy for Pound
impl Copy for Priv
impl Copy for Pub
impl Copy for Question
impl Copy for RArrow
impl Copy for Ref
impl Copy for Return
impl Copy for SelfType
impl Copy for SelfValue
impl Copy for Semi
impl Copy for Shl
impl Copy for ShlEq
impl Copy for Shr
impl Copy for ShrEq
impl Copy for Slash
impl Copy for SlashEq
impl Copy for Star
impl Copy for StarEq
impl Copy for Static
impl Copy for Struct
impl Copy for Super
impl Copy for Tilde
impl Copy for Trait
impl Copy for Try
impl Copy for syn::token::Type
impl Copy for Typeof
impl Copy for Underscore
impl Copy for Union
impl Copy for Unsafe
impl Copy for Unsized
impl Copy for Use
impl Copy for Virtual
impl Copy for Where
impl Copy for While
impl Copy for syn::token::Yield
impl Copy for FilterId
impl Copy for Json
impl Copy for tracing_subscriber::fmt::format::Compact
impl Copy for Full
impl Copy for tracing_subscriber::fmt::time::SystemTime
impl Copy for Uptime
impl Copy for ATerm
impl Copy for B0
impl Copy for B1
impl Copy for Z0
impl Copy for Equal
impl Copy for Greater
impl Copy for Less
impl Copy for UTerm
impl Copy for getrandom::error::Error
impl Copy for rand::distributions::bernoulli::Bernoulli
impl Copy for rand::distributions::bernoulli::Bernoulli
impl Copy for Binomial
impl Copy for Cauchy
impl Copy for Exp1
impl Copy for Exp
impl Copy for rand::distributions::float::Open01
impl Copy for rand::distributions::float::Open01
impl Copy for rand::distributions::float::OpenClosed01
impl Copy for rand::distributions::float::OpenClosed01
impl Copy for Beta
impl Copy for ChiSquared
impl Copy for FisherF
impl Copy for Gamma
impl Copy for StudentT
impl Copy for LogNormal
impl Copy for Normal
impl Copy for StandardNormal
impl Copy for Alphanumeric
impl Copy for Pareto
impl Copy for Poisson
impl Copy for rand::distributions::Standard
impl Copy for rand::distributions::Standard
impl Copy for Triangular
impl Copy for UniformChar
impl Copy for rand::distributions::uniform::UniformDuration
impl Copy for rand::distributions::uniform::UniformDuration
impl Copy for UnitCircle
impl Copy for UnitSphereSurface
impl Copy for Weibull
impl Copy for ThreadRng
impl Copy for rand_core::os::OsRng
impl Copy for rand_core::os::OsRng
impl Copy for PhantomPinned
impl Copy for AArch64
impl Copy for Aarch64Architecture
impl Copy for AbiParam
impl Copy for Aborted
impl Copy for Access
impl Copy for Access
impl Copy for Action
impl Copy for Address
impl Copy for AddressSize
impl Copy for Advice
impl Copy for Affine
impl Copy for AffinePoint
impl Copy for AffineStorage
impl Copy for AhoCorasickKind
impl Copy for AixFileHeader
impl Copy for AixHeader
impl Copy for AixMemberOffset
impl Copy for AlignedType
impl Copy for All
impl Copy for Allocation
impl Copy for AllocationKind
impl Copy for Alphabet
impl Copy for AluRmROpcode
impl Copy for AluRmiROpcode
impl Copy for Anchored
impl Copy for AnonObjectHeader
impl Copy for AnonObjectHeaderBigobj
impl Copy for AnonObjectHeaderV2
impl Copy for AnyEntity
impl Copy for AnyfuncIndex
impl Copy for Architecture
impl Copy for Architecture
impl Copy for ArchiveKind
impl Copy for ArgumentExtension
impl Copy for ArgumentPurpose
impl Copy for Arm
impl Copy for ArmArchitecture
impl Copy for AtFlags
impl Copy for AtFlags
impl Copy for AtomicRmwOp
impl Copy for AttributeSpecification
impl Copy for Augmentation
impl Copy for AvxOpcode
impl Copy for BidiClass
impl Copy for BidiMatchedOpeningBracket
impl Copy for BigEndian
impl Copy for BigEndian
impl Copy for BigEndian
impl Copy for BinaryFormat
impl Copy for BinaryFormat
impl Copy for Block
impl Copy for Block
impl Copy for BlockCall
impl Copy for BlockType
impl Copy for BlockType
impl Copy for BuiltinFunctionIndex
impl Copy for ByLength
impl Copy for ByMemoryUsage
impl Copy for CC
impl Copy for CDataModel
impl Copy for CFAllocatorContext
impl Copy for CFArrayCallBacks
impl Copy for CFComparisonResult
impl Copy for CFDictionaryKeyCallBacks
impl Copy for CFDictionaryValueCallBacks
impl Copy for CFFileDescriptorContext
impl Copy for CFMessagePortContext
impl Copy for CFRange
impl Copy for CFSetCallBacks
impl Copy for CFUUIDBytes
impl Copy for CParameter
impl Copy for CallConv
impl Copy for CallHook
impl Copy for CallingConvention
impl Copy for Canceled
impl Copy for CanonicalOption
impl Copy for ChainCode
impl Copy for CharacterSet
impl Copy for CieId
impl Copy for Class
impl Copy for ClassBytesRange
impl Copy for ClassBytesRange
impl Copy for ClassSetBinaryOpKind
impl Copy for ClassSetBinaryOpKind
impl Copy for ClassUnicodeRange
impl Copy for ClassUnicodeRange
impl Copy for CloneFlags
impl Copy for CloneFlags
impl Copy for CmpOpcode
impl Copy for CoffExportStyle
impl Copy for Color
impl Copy for ColorChoice
impl Copy for Colour
impl Copy for ColumnType
impl Copy for ComdatId
impl Copy for ComdatKind
impl Copy for Commitment
impl Copy for CompiledModuleId
impl Copy for ComponentEntityType
impl Copy for ComponentExternalKind
impl Copy for ComponentOuterAliasKind
impl Copy for ComponentTypeRef
impl Copy for ComponentValType
impl Copy for ComponentValType
impl Copy for Compress
impl Copy for CompressedEdwardsY
impl Copy for CompressedFileRange
impl Copy for CompressedRistretto
impl Copy for CompressionFormat
impl Copy for Config
impl Copy for Config
impl Copy for Constant
impl Copy for ConvertError
impl Copy for CopyfileFlags
impl Copy for CopyfileFlags
impl Copy for Cosignature
impl Copy for CtChoice
impl Copy for CursorPosition
impl Copy for DIR
impl Copy for DataIndex
impl Copy for DateTime
impl Copy for DebugTypeSignature
impl Copy for DecodePaddingMode
impl Copy for DefinedFuncIndex
impl Copy for DefinedGlobalIndex
impl Copy for DefinedMemoryIndex
impl Copy for DefinedTableIndex
impl Copy for DemangleNodeType
impl Copy for DemangleOptions
impl Copy for Detail
impl Copy for DirectoryId
impl Copy for DivSignedness
impl Copy for Dl_info
impl Copy for Dot
impl Copy for DupFlags
impl Copy for DupFlags
impl Copy for Duration
impl Copy for DwAccess
impl Copy for DwAddr
impl Copy for DwAt
impl Copy for DwAte
impl Copy for DwCc
impl Copy for DwCfa
impl Copy for DwChildren
impl Copy for DwDefaulted
impl Copy for DwDs
impl Copy for DwDsc
impl Copy for DwEhPe
impl Copy for DwEnd
impl Copy for DwForm
impl Copy for DwId
impl Copy for DwIdx
impl Copy for DwInl
impl Copy for DwLang
impl Copy for DwLle
impl Copy for DwLnct
impl Copy for DwLne
impl Copy for DwLns
impl Copy for DwMacro
impl Copy for DwOp
impl Copy for DwOrd
impl Copy for DwRle
impl Copy for DwSect
impl Copy for DwSectV2
impl Copy for DwTag
impl Copy for DwUt
impl Copy for DwVirtuality
impl Copy for DwVis
impl Copy for DwarfFileType
impl Copy for DwoId
impl Copy for DynamicStackSlot
impl Copy for DynamicType
impl Copy for ECQVCertPublic
impl Copy for ECQVCertSecret
impl Copy for Eager
impl Copy for EcParameters
impl Copy for EdwardsPoint
impl Copy for ElemIndex
impl Copy for EmptyFlags
impl Copy for Encoding
impl Copy for Encoding
impl Copy for Endianness
impl Copy for Endianness
impl Copy for Endianness
impl Copy for EntityIndex
impl Copy for EntityType
impl Copy for Environment
impl Copy for Errno
impl Copy for Errno
impl Copy for Errno
impl Copy for Error
impl Copy for Error
impl Copy for Error
impl Copy for Error
impl Copy for Error
impl Copy for Error
impl Copy for Error
impl Copy for Error
impl Copy for Error
impl Copy for Error
impl Copy for Error
impl Copy for Error
impl Copy for Error
impl Copy for Error
impl Copy for Error
impl Copy for Error
impl Copy for Error
impl Copy for Error
impl Copy for ErrorKind
impl Copy for Event
impl Copy for EventFlags
impl Copy for ExportFunction
impl Copy for External
impl Copy for ExternalKind
impl Copy for FILE
impl Copy for FallocateFlags
impl Copy for FallocateFlags
impl Copy for FatArch32
impl Copy for FatArch64
impl Copy for FatHeader
impl Copy for FcmpImm
impl Copy for FdFlags
impl Copy for FdFlags
impl Copy for Field
impl Copy for FieldStorage
impl Copy for FileEntryFormat
impl Copy for FileFlags
impl Copy for FileId
impl Copy for FileInfo
impl Copy for FileKind
impl Copy for FilePos
impl Copy for FileType
impl Copy for FileType
impl Copy for FilterOp
impl Copy for FilterOp
impl Copy for Flag
impl Copy for Flag
impl Copy for FloatCC
impl Copy for FlockOperation
impl Copy for FlockOperation
impl Copy for Format
impl Copy for Fq6Config
impl Copy for Fq6Config
impl Copy for Fq12Config
impl Copy for Fq12Config
impl Copy for Frame
impl Copy for FrameKind
impl Copy for FromHexError
impl Copy for FromStrRadixErrKind
impl Copy for Func
impl Copy for Func
impl Copy for FuncIndex
impl Copy for FuncRef
impl Copy for FunctionLoc
impl Copy for GeneralPurposeConfig
impl Copy for GeneralizedTime
impl Copy for Gid
impl Copy for Global
impl Copy for Global
impl Copy for GlobalContext
impl Copy for GlobalIndex
impl Copy for GlobalInit
impl Copy for GlobalType
impl Copy for GlobalType
impl Copy for GlobalValue
impl Copy for GlobalVariable
impl Copy for Gpr
impl Copy for Guid
impl Copy for H128
impl Copy for H160
impl Copy for H256
impl Copy for H384
impl Copy for H512
impl Copy for H768
impl Copy for Hash
impl Copy for Header
impl Copy for Header
impl Copy for Heap
impl Copy for HeapType
impl Copy for Ident
impl Copy for Ieee32
impl Copy for Ieee32
impl Copy for Ieee64
impl Copy for Ieee64
impl Copy for ImageAlpha64RuntimeFunctionEntry
impl Copy for ImageAlphaRuntimeFunctionEntry
impl Copy for ImageArchitectureEntry
impl Copy for ImageArchiveMemberHeader
impl Copy for ImageArm64RuntimeFunctionEntry
impl Copy for ImageArmRuntimeFunctionEntry
impl Copy for ImageAuxSymbolCrc
impl Copy for ImageAuxSymbolFunction
impl Copy for ImageAuxSymbolFunctionBeginEnd
impl Copy for ImageAuxSymbolSection
impl Copy for ImageAuxSymbolTokenDef
impl Copy for ImageAuxSymbolWeak
impl Copy for ImageBaseRelocation
impl Copy for ImageBoundForwarderRef
impl Copy for ImageBoundImportDescriptor
impl Copy for ImageCoffSymbolsHeader
impl Copy for ImageCor20Header
impl Copy for ImageDataDirectory
impl Copy for ImageDebugDirectory
impl Copy for ImageDebugMisc
impl Copy for ImageDelayloadDescriptor
impl Copy for ImageDosHeader
impl Copy for ImageDynamicRelocation32
impl Copy for ImageDynamicRelocation32V2
impl Copy for ImageDynamicRelocation64
impl Copy for ImageDynamicRelocation64V2
impl Copy for ImageDynamicRelocationTable
impl Copy for ImageEnclaveConfig32
impl Copy for ImageEnclaveConfig64
impl Copy for ImageEnclaveImport
impl Copy for ImageEpilogueDynamicRelocationHeader
impl Copy for ImageExportDirectory
impl Copy for ImageFileHeader
impl Copy for ImageFunctionEntry
impl Copy for ImageFunctionEntry64
impl Copy for ImageHotPatchBase
impl Copy for ImageHotPatchHashes
impl Copy for ImageHotPatchInfo
impl Copy for ImageImportByName
impl Copy for ImageImportDescriptor
impl Copy for ImageLinenumber
impl Copy for ImageLoadConfigCodeIntegrity
impl Copy for ImageLoadConfigDirectory32
impl Copy for ImageLoadConfigDirectory64
impl Copy for ImageNtHeaders32
impl Copy for ImageNtHeaders64
impl Copy for ImageOptionalHeader32
impl Copy for ImageOptionalHeader64
impl Copy for ImageOs2Header
impl Copy for ImagePrologueDynamicRelocationHeader
impl Copy for ImageRelocation
impl Copy for ImageResourceDataEntry
impl Copy for ImageResourceDirStringU
impl Copy for ImageResourceDirectory
impl Copy for ImageResourceDirectoryEntry
impl Copy for ImageResourceDirectoryString
impl Copy for ImageRomHeaders
impl Copy for ImageRomOptionalHeader
impl Copy for ImageRuntimeFunctionEntry
impl Copy for ImageSectionHeader
impl Copy for ImageSeparateDebugHeader
impl Copy for ImageSymbol
impl Copy for ImageSymbolBytes
impl Copy for ImageSymbolEx
impl Copy for ImageSymbolExBytes
impl Copy for ImageThunkData32
impl Copy for ImageThunkData64
impl Copy for ImageTlsDirectory32
impl Copy for ImageTlsDirectory64
impl Copy for ImageVxdHeader
impl Copy for Imm64
impl Copy for Immediate
impl Copy for ImportCountType
impl Copy for ImportObjectHeader
impl Copy for IndefiniteLength
impl Copy for Infix
impl Copy for InitialLengthOffset
impl Copy for Inst
impl Copy for Inst
impl Copy for InstPosition
impl Copy for InstRange
impl Copy for InstRangeIter
impl Copy for Instance
impl Copy for InstanceLimits
impl Copy for InstantiationArgKind
impl Copy for InstructionData
impl Copy for InstructionFormat
impl Copy for IntCC
impl Copy for Internal
impl Copy for InvalidBufferSize
impl Copy for InvalidKeyLength
impl Copy for InvalidLength
impl Copy for InvalidOutputSize
impl Copy for InvalidOutputSize
impl Copy for InvalidOutputSize
impl Copy for InvalidParityValue
impl Copy for Jacobian
impl Copy for JumpTable
impl Copy for KeyPair
impl Copy for KeyPair
impl Copy for KnownSymbol
impl Copy for LabelValueLoc
impl Copy for Language
impl Copy for Lazy
impl Copy for Length
impl Copy for Level
impl Copy for Level
impl Copy for LevelFilter
impl Copy for LibCall
impl Copy for LibcallCallConv
impl Copy for Limb
impl Copy for LineEncoding
impl Copy for LineRow
impl Copy for LineRow
impl Copy for LineStringId
impl Copy for LittleEndian
impl Copy for LittleEndian
impl Copy for LittleEndian
impl Copy for Local
impl Copy for LocationListId
impl Copy for Look
impl Copy for LookSet
impl Copy for LookupError
impl Copy for LoongArch
impl Copy for Loop
impl Copy for LoopLevel
impl Copy for MacError
impl Copy for MacError
impl Copy for Mangling
impl Copy for MapFlags
impl Copy for MaskedRichHeaderEntry
impl Copy for Match
impl Copy for MatchKind
impl Copy for MatchKind
impl Copy for MemArg
impl Copy for MemFlags
impl Copy for Memory
impl Copy for Memory
impl Copy for MemoryIndex
impl Copy for MemoryType
impl Copy for MemoryType
impl Copy for Message
impl Copy for Message
impl Copy for MetaForm
impl Copy for MetaType
impl Copy for Mips32Architecture
impl Copy for Mips64Architecture
impl Copy for MnemonicType
impl Copy for Mode
impl Copy for Mode
impl Copy for ModuleType
impl Copy for MontgomeryPoint
impl Copy for MprotectFlags
impl Copy for MsyncFlags
impl Copy for MultiSignatureStage
impl Copy for Mutability
impl Copy for NoA1
impl Copy for NoA2
impl Copy for NoNI
impl Copy for NoS3
impl Copy for NoS4
impl Copy for NoSubscriber
impl Copy for NonPagedDebugInfo
impl Copy for Null
impl Copy for NullProfilerAgent
impl Copy for OFlags
impl Copy for OFlags
impl Copy for ObjectIdentifier
impl Copy for ObjectKind
impl Copy for Offset32
impl Copy for OnceState
impl Copy for OnceState
impl Copy for Opcode
impl Copy for OpcodeConstraints
impl Copy for Operand
impl Copy for OperandConstraint
impl Copy for OperandKind
impl Copy for OperandPos
impl Copy for OperandSize
impl Copy for OperatingSystem
impl Copy for OptLevel
impl Copy for OptionBool
impl Copy for OptionalActions
impl Copy for OuterAliasKind
impl Copy for OwnedMemoryIndex
impl Copy for PReg
impl Copy for PRegSet
impl Copy for PackedIndex
impl Copy for PadError
impl Copy for Parity
impl Copy for ParkResult
impl Copy for ParkResult
impl Copy for ParkToken
impl Copy for ParkToken
impl Copy for ParseError
impl Copy for ParseOptions
impl Copy for Pass
impl Copy for PatternID
impl Copy for Pid
impl Copy for Pointer
impl Copy for PointerWidth
impl Copy for PollFlags
impl Copy for PollFlags
impl Copy for PollNext
impl Copy for PoolingInstanceAllocatorConfig
impl Copy for PortableForm
impl Copy for Position
impl Copy for Position
impl Copy for Prefilter
impl Copy for Prefix
impl Copy for PrimitiveValType
impl Copy for ProbestackStrategy
impl Copy for ProcMacroType
impl Copy for ProfilingStrategy
impl Copy for ProgPoint
impl Copy for ProgramPoint
impl Copy for ProjectivePoint
impl Copy for ProtFlags
impl Copy for PublicKey
impl Copy for PublicKey
impl Copy for PublicKey
impl Copy for PublicKey
impl Copy for QueueSelector
impl Copy for Range
impl Copy for RangeListId
impl Copy for ReaderOffsetId
impl Copy for ReadyTimeoutError
impl Copy for Reciprocal
impl Copy for RecordedForKey
impl Copy for RecoverableSignature
impl Copy for RecoverableSignature
impl Copy for RecoveryId
impl Copy for RecoveryId
impl Copy for RecoveryId
impl Copy for RecvError
impl Copy for RecvTimeoutError
impl Copy for RefType
impl Copy for Reference
impl Copy for Reg
impl Copy for RegClass
impl Copy for RegallocOptions
impl Copy for Register
impl Copy for Register
impl Copy for RelSourceLoc
impl Copy for Reloc
impl Copy for Relocation
impl Copy for RelocationEncoding
impl Copy for RelocationEntry
impl Copy for RelocationInfo
impl Copy for RelocationKind
impl Copy for RelocationTarget
impl Copy for RelocationTarget
impl Copy for RequeueOp
impl Copy for RequeueOp
impl Copy for ResizableLimits
impl Copy for ResolvedConstraint
impl Copy for Resource
impl Copy for ResourceName
impl Copy for RichHeaderEntry
impl Copy for RiscV
impl Copy for Riscv32Architecture
impl Copy for Riscv64Architecture
impl Copy for RistrettoBoth
impl Copy for RistrettoPoint
impl Copy for RoundImm
impl Copy for RunTimeEndian
impl Copy for SWFlags
impl Copy for Scalar
impl Copy for Scalar
impl Copy for Scalar
impl Copy for Scalar
impl Copy for ScatteredRelocationInfo
impl Copy for Secp256k1
impl Copy for SecretKey
impl Copy for SecretKey
impl Copy for SectionFlags
impl Copy for SectionId
impl Copy for SectionId
impl Copy for SectionIndex
impl Copy for SectionIndex
impl Copy for SectionKind
impl Copy for SectionRange
impl Copy for SeekFrom
impl Copy for SegmentFlags
impl Copy for SelectTimeoutError
impl Copy for SerializedSignature
impl Copy for Setting
impl Copy for Setting
impl Copy for SettingKind
impl Copy for SettingKind
impl Copy for ShiftKind
impl Copy for SigRef
impl Copy for SignOnly
impl Copy for Signal
impl Copy for Signature
impl Copy for Signature
impl Copy for Signature
impl Copy for Signature
impl Copy for Signature
impl Copy for Signature
impl Copy for Signature
impl Copy for SignatureError
impl Copy for SignatureIndex
impl Copy for SigningKey
impl Copy for Size
impl Copy for SourceLoc
impl Copy for Span
impl Copy for Span
impl Copy for Span
impl Copy for SpillSlot
impl Copy for Ss58AddressFormat
impl Copy for Ss58AddressFormatRegistry
impl Copy for SseOpcode
impl Copy for StackDirection
impl Copy for StackSlot
impl Copy for StackSlotKind
impl Copy for StandardSection
impl Copy for StandardSegment
impl Copy for StartKind
impl Copy for StatVfsMountFlags
impl Copy for StatVfsMountFlags
impl Copy for StateID
impl Copy for StoreOnHeap
impl Copy for Strategy
impl Copy for StringId
impl Copy for StringId
impl Copy for Style
impl Copy for Suffix
impl Copy for SymbolId
impl Copy for SymbolIndex
impl Copy for SymbolIndex
impl Copy for SymbolKind
impl Copy for SymbolScope
impl Copy for SymbolSection
impl Copy for SymbolSection
impl Copy for TEFlags
impl Copy for Table
impl Copy for Table
impl Copy for Table
impl Copy for TableElementType
impl Copy for TableIndex
impl Copy for TableType
impl Copy for TableType
impl Copy for Tag
impl Copy for Tag
impl Copy for Tag
impl Copy for TagIndex
impl Copy for TagKind
impl Copy for TagMode
impl Copy for TagNumber
impl Copy for TagType
impl Copy for TargetFrontendConfig
impl Copy for TimestampPrecision
impl Copy for TlsModel
impl Copy for TokenRegistry
impl Copy for Trap
impl Copy for TrapCode
impl Copy for TruncSide
impl Copy for TryFromSliceError
impl Copy for TryReadyError
impl Copy for TryRecvError
impl Copy for TrySelectError
impl Copy for Type
impl Copy for TypeBounds
impl Copy for TypeId
impl Copy for TypeIndex
impl Copy for TypeRef
impl Copy for U128
impl Copy for U256
impl Copy for U512
impl Copy for Uid
impl Copy for Uimm32
impl Copy for Uimm64
impl Copy for Uint8
impl Copy for Uint32
impl Copy for Uint64
impl Copy for UnitEntryId
impl Copy for UnitId
impl Copy for UnitIndexSection
impl Copy for Unlimited
impl Copy for UnlimitedCompact
impl Copy for UnpadError
impl Copy for UnparkResult
impl Copy for UnparkResult
impl Copy for UnparkToken
impl Copy for UnparkToken
impl Copy for UserDefinedFlags
impl Copy for UserExternalNameRef
impl Copy for UserFlags
impl Copy for UtcTime
impl Copy for Utf8Range
impl Copy for Utf8Range
impl Copy for Utf8Sequence
impl Copy for Utf8Sequence
impl Copy for V128
impl Copy for V128Imm
impl Copy for VMFunctionImport
impl Copy for VMGlobalImport
impl Copy for VMInvokeArgument
impl Copy for VMMemoryImport
impl Copy for VMTableDefinition
impl Copy for VMTableImport
impl Copy for VRFOutput
impl Copy for VReg
impl Copy for ValRaw
impl Copy for ValType
impl Copy for ValType
impl Copy for Validate
impl Copy for Value
impl Copy for Value
impl Copy for ValueDef
impl Copy for ValueLabel
impl Copy for ValueLocRange
impl Copy for ValueType
impl Copy for ValueType
impl Copy for ValueTypeSet
impl Copy for VarInt7
impl Copy for VarInt32
impl Copy for VarInt64
impl Copy for VarUint1
impl Copy for VarUint7
impl Copy for VarUint32
impl Copy for VarUint64
impl Copy for Variable
impl Copy for VerificationKey
impl Copy for VerificationKeyBytes
impl Copy for VerifyOnly
impl Copy for VerifyingKey
impl Copy for VersionIndex
impl Copy for VersionMarker
impl Copy for VnodeEvents
impl Copy for WaitOptions
impl Copy for WaitResult
impl Copy for WaitStatus
impl Copy for WaitTimeoutResult
impl Copy for WaitTimeoutResult
impl Copy for WasmBacktraceDetails
impl Copy for WasmFeatures
impl Copy for WasmType
impl Copy for WriteStyle
impl Copy for X86
impl Copy for X86_32Architecture
impl Copy for X86_64
impl Copy for XOnlyPublicKey
impl Copy for XOnlyPublicKey
impl Copy for XattrFlags
impl Copy for Xmm
impl Copy for XxHash32
impl Copy for XxHash64
impl Copy for YesA1
impl Copy for YesA2
impl Copy for YesNI
impl Copy for YesS3
impl Copy for YesS4
impl Copy for Yield
impl Copy for ZSTD_CCtx_s
impl Copy for ZSTD_CDict_s
impl Copy for ZSTD_DCtx_s
impl Copy for ZSTD_DDict_s
impl Copy for ZSTD_EndDirective
impl Copy for ZSTD_ResetDirective
impl Copy for ZSTD_bounds
impl Copy for ZSTD_cParameter
impl Copy for ZSTD_dParameter
impl Copy for ZSTD_inBuffer_s
impl Copy for ZSTD_outBuffer_s
impl Copy for ZSTD_strategy
impl Copy for __darwin_mcontext64
impl Copy for __darwin_mmst_reg
impl Copy for __darwin_x86_exception_state64
impl Copy for __darwin_x86_float_state64
impl Copy for __darwin_x86_thread_state64
impl Copy for __darwin_xmm_reg
impl Copy for addrinfo
impl Copy for aiocb
impl Copy for arphdr
impl Copy for attribute_set_t
impl Copy for attrlist
impl Copy for attrreference_t
impl Copy for bpf_hdr
impl Copy for cmsghdr
impl Copy for copyfile_state_t
impl Copy for copyfile_state_t
impl Copy for ctl_info
impl Copy for dirent
impl Copy for dqblk
impl Copy for dyld_kernel_image_info
impl Copy for dyld_kernel_process_info
impl Copy for fd_set
impl Copy for flock
impl Copy for fpos_t
impl Copy for fsid
impl Copy for fsid_t
impl Copy for fsobj_id
impl Copy for fstore_t
impl Copy for glob_t
impl Copy for group
impl Copy for hostent
impl Copy for if_data
impl Copy for if_data64
impl Copy for if_msghdr
impl Copy for if_msghdr2
impl Copy for if_nameindex
impl Copy for ifa_msghdr
impl Copy for ifaddrs
impl Copy for ifma_msghdr
impl Copy for ifma_msghdr2
impl Copy for image_offset
impl Copy for in6_addr
impl Copy for in6_pktinfo
impl Copy for in_addr
impl Copy for in_pktinfo
impl Copy for iovec
impl Copy for ip_mreq
impl Copy for ip_mreq_source
impl Copy for ip_mreqn
impl Copy for ipc_perm
impl Copy for ipc_port
impl Copy for ipv6_mreq
impl Copy for itimerval
impl Copy for kevent
impl Copy for kevent64_s
impl Copy for lconv
impl Copy for linger
impl Copy for load_command
impl Copy for log2phys
impl Copy for mach_header
impl Copy for mach_header_64
impl Copy for mach_msg_base_t
impl Copy for mach_msg_body_t
impl Copy for mach_msg_header_t
impl Copy for mach_msg_ool_descriptor_t
impl Copy for mach_msg_ool_ports_descriptor_t
impl Copy for mach_msg_port_descriptor_t
impl Copy for mach_msg_trailer_t
impl Copy for mach_task_basic_info
impl Copy for mach_timebase_info
impl Copy for mach_timebase_info
impl Copy for mach_timespec
impl Copy for mach_vm_read_entry
impl Copy for malloc_introspection_t
impl Copy for malloc_statistics_t
impl Copy for malloc_zone_t
impl Copy for max_align_t
impl Copy for msghdr
impl Copy for mstats
impl Copy for ntptimeval
impl Copy for option
impl Copy for os_unfair_lock_s
impl Copy for passwd
impl Copy for pollfd
impl Copy for proc_bsdinfo
impl Copy for proc_taskallinfo
impl Copy for proc_taskinfo
impl Copy for proc_threadinfo
impl Copy for proc_vnodepathinfo
impl Copy for processor_basic_info
impl Copy for processor_cpu_load_info
impl Copy for processor_set_basic_info
impl Copy for processor_set_load_info
impl Copy for protoent
impl Copy for pthread_attr_t
impl Copy for pthread_cond_t
impl Copy for pthread_condattr_t
impl Copy for pthread_mutex_t
impl Copy for pthread_mutexattr_t
impl Copy for pthread_rwlock_t
impl Copy for pthread_rwlockattr_t
impl Copy for qos_class_t
impl Copy for radvisory
impl Copy for regex_t
impl Copy for regmatch_t
impl Copy for rlimit
impl Copy for rt_metrics
impl Copy for rt_msghdr
impl Copy for rt_msghdr2
impl Copy for rusage
impl Copy for rusage_info_v0
impl Copy for rusage_info_v1
impl Copy for rusage_info_v2
impl Copy for rusage_info_v3
impl Copy for rusage_info_v4
impl Copy for sa_endpoints_t
impl Copy for sched_param
impl Copy for segment_command
impl Copy for segment_command_64
impl Copy for sembuf
impl Copy for semid_ds
impl Copy for semun
impl Copy for servent
impl Copy for sf_hdtr
impl Copy for shmid_ds
impl Copy for sigaction
impl Copy for sigevent
impl Copy for siginfo_t
impl Copy for sigval
impl Copy for sockaddr
impl Copy for sockaddr_ctl
impl Copy for sockaddr_dl
impl Copy for sockaddr_in
impl Copy for sockaddr_in6
impl Copy for sockaddr_inarp
impl Copy for sockaddr_ndrv
impl Copy for sockaddr_storage
impl Copy for sockaddr_un
impl Copy for sockaddr_vm
impl Copy for stack_t
impl Copy for stat
impl Copy for statfs
impl Copy for statvfs
impl Copy for sysdir_search_path_directory_t
impl Copy for sysdir_search_path_domain_mask_t
impl Copy for task_dyld_info
impl Copy for task_thread_times_info
impl Copy for termios
impl Copy for thread_affinity_policy
impl Copy for thread_background_policy
impl Copy for thread_basic_info
impl Copy for thread_extended_info
impl Copy for thread_extended_policy
impl Copy for thread_identifier_info
impl Copy for thread_latency_qos_policy
impl Copy for thread_precedence_policy
impl Copy for thread_standard_policy
impl Copy for thread_throughput_qos_policy
impl Copy for thread_time_constraint_policy
impl Copy for time_value_t
impl Copy for timespec
impl Copy for timeval
impl Copy for timeval32
impl Copy for timex
impl Copy for timezone
impl Copy for tm
impl Copy for tms
impl Copy for u32x4
impl Copy for u64x2
impl Copy for ucontext_t
impl Copy for utimbuf
impl Copy for utmpx
impl Copy for utsname
impl Copy for vec128_storage
impl Copy for vec256_storage
impl Copy for vec512_storage
impl Copy for vinfo_stat
impl Copy for vm_page_info_basic
impl Copy for vm_range_t
impl Copy for vm_region_basic_info
impl Copy for vm_region_basic_info_64
impl Copy for vm_region_extended_info
impl Copy for vm_region_submap_info
impl Copy for vm_region_submap_info_64
impl Copy for vm_region_submap_short_info_64
impl Copy for vm_region_top_info
impl Copy for vm_statistics
impl Copy for vm_statistics
impl Copy for vm_statistics64
impl Copy for vnode_info
impl Copy for vnode_info_path
impl Copy for vol_attributes_attr_t
impl Copy for vol_capabilities_attr_t
impl Copy for winsize
impl Copy for x86_thread_state64_t
impl Copy for xsw_usage
impl Copy for xucred
impl<'a> Copy for OpaqueDigestItemId<'a>
impl<'a> Copy for Component<'a>
impl<'a> Copy for std::path::Prefix<'a>
impl<'a> Copy for Unexpected<'a>
impl<'a> Copy for Arguments<'a>
impl<'a> Copy for core::panic::location::Location<'a>
impl<'a> Copy for IoSlice<'a>
impl<'a> Copy for Ancestors<'a>
impl<'a> Copy for PrefixComponent<'a>
impl<'a> Copy for Cursor<'a>
impl<'a> Copy for url::ParseOptions<'a>
impl<'a> Copy for AnyRef<'a>
impl<'a> Copy for BitStringRef<'a>
impl<'a> Copy for ComponentImport<'a>
impl<'a> Copy for ConstExpr<'a>
impl<'a> Copy for DataKind<'a>
impl<'a> Copy for Export<'a>
impl<'a> Copy for FlagsOrIsa<'a>
impl<'a> Copy for Global<'a>
impl<'a> Copy for HexDisplay<'a>
impl<'a> Copy for Ia5StringRef<'a>
impl<'a> Copy for Import<'a>
impl<'a> Copy for IntRef<'a>
impl<'a> Copy for Naming<'a>
impl<'a> Copy for NibbleSlice<'a>
impl<'a> Copy for NodeHandle<'a>
impl<'a> Copy for OctetStringRef<'a>
impl<'a> Copy for Parse<'a>
impl<'a> Copy for PredicateView<'a>
impl<'a> Copy for PrintableStringRef<'a>
impl<'a> Copy for ProducersFieldValue<'a>
impl<'a> Copy for TeletexStringRef<'a>
impl<'a> Copy for TypesRef<'a>
impl<'a> Copy for UintRef<'a>
impl<'a> Copy for Utf8StringRef<'a>
impl<'a> Copy for VideotexStringRef<'a>
impl<'a, E> Copy for BytesDeserializer<'a, E>
impl<'a, R> Copy for ReadCacheRange<'a, R>where R: Read + Seek,
impl<'a, Size> Copy for Coordinates<'a, Size>where Size: Copy + ModulusSize,
impl<'a, T> Copy for Slice<'a, T>where T: Copy,
impl<'a, T> Copy for CompactRef<'a, T>where T: Copy,
impl<'a, T> Copy for ContextSpecificRef<'a, T>where T: Copy,
impl<'a, T> Copy for Symbol<'a, T>where T: Copy + 'a,
impl<'a, T, S> Copy for BoundedSlice<'a, T, S>
impl<'a, T, const N: usize> Copy for ArrayWindows<'a, T, N>where T: Copy + 'a,
impl<'abbrev, 'entry, 'unit, R> Copy for AttrsIter<'abbrev, 'entry, 'unit, R>where R: Copy + Reader,
impl<'buf> Copy for AllPreallocated<'buf>
impl<'buf> Copy for SignOnlyPreallocated<'buf>
impl<'buf> Copy for VerifyOnlyPreallocated<'buf>
impl<'c, 'a> Copy for StepCursor<'c, 'a>
impl<'data> Copy for Bytes<'data>
impl<'data> Copy for CodeView<'data>
impl<'data> Copy for CompressedData<'data>
impl<'data> Copy for DataDirectories<'data>
impl<'data> Copy for Export<'data>
impl<'data> Copy for Export<'data>
impl<'data> Copy for ExportTarget<'data>
impl<'data> Copy for Import<'data>
impl<'data> Copy for Import<'data>
impl<'data> Copy for ObjectMapEntry<'data>
impl<'data> Copy for RelocationBlockIterator<'data>
impl<'data> Copy for ResourceDirectory<'data>
impl<'data> Copy for RichHeaderInfo<'data>
impl<'data> Copy for SectionTable<'data>
impl<'data> Copy for SymbolMapName<'data>
impl<'data> Copy for Version<'data>
impl<'data, 'file, Elf, R> Copy for ElfSymbol<'data, 'file, Elf, R>where 'data: 'file, Elf: Copy + FileHeader, R: Copy + ReadRef<'data>, <Elf as FileHeader>::Endian: Copy, <Elf as FileHeader>::Sym: Copy,
impl<'data, 'file, Elf, R> Copy for ElfSymbolTable<'data, 'file, Elf, R>where 'data: 'file, Elf: Copy + FileHeader, R: Copy + ReadRef<'data>, <Elf as FileHeader>::Endian: Copy,
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,
impl<'data, 'file, Mach, R> Copy for MachOSymbolTable<'data, 'file, Mach, R>where Mach: Copy + MachHeader, R: Copy + ReadRef<'data>,
impl<'data, 'file, R> Copy for CoffSymbol<'data, 'file, R>where R: Copy + ReadRef<'data>,
impl<'data, 'file, R> Copy for CoffSymbolTable<'data, 'file, R>where R: Copy + ReadRef<'data>,
impl<'data, E> Copy for LoadCommandData<'data, E>where E: Copy + Endian,
impl<'data, E> Copy for LoadCommandIterator<'data, E>where E: Copy + Endian,
impl<'data, E> Copy for LoadCommandVariant<'data, E>where E: Copy + Endian,
impl<'data, Elf, R> Copy for SectionTable<'data, Elf, R>where Elf: Copy + FileHeader, R: Copy + ReadRef<'data>, <Elf as FileHeader>::SectionHeader: Copy,
impl<'data, Elf, R> Copy for SymbolTable<'data, Elf, R>where Elf: Copy + FileHeader, R: Copy + ReadRef<'data>, <Elf as FileHeader>::Sym: Copy, <Elf as FileHeader>::Endian: Copy,
impl<'data, Mach, R> Copy for SymbolTable<'data, Mach, R>where Mach: Copy + MachHeader, R: Copy + ReadRef<'data>, <Mach as MachHeader>::Nlist: Copy,
impl<'data, R> Copy for ArchiveFile<'data, R>where R: Copy + ReadRef<'data>,
impl<'data, R> Copy for StringTable<'data, R>where R: Copy + ReadRef<'data>,
impl<'de, E> Copy for BorrowedBytesDeserializer<'de, E>
impl<'de, E> Copy for BorrowedStrDeserializer<'de, E>
impl<'de, E> Copy for StrDeserializer<'de, E>
impl<'fd> Copy for BorrowedFd<'fd>
impl<'input, Endian> Copy for EndianSlice<'input, Endian>where Endian: Copy + Endianity,
impl<'prev, 'subs> Copy for ArgScopeStack<'prev, 'subs>where 'subs: 'prev,
impl<'t> Copy for Match<'t>
impl<'t> Copy for Match<'t>
impl<A> Copy for arrayvec::array_string::ArrayString<A>where A: Copy + Array<Item = u8>, <A as Array>::Index: Copy,
impl<A> Copy for ExtendedGcd<A>where A: Copy,
impl<A> Copy for ArrayVec<A>where A: Array + Copy, <A as Array>::Item: Copy,
impl<A, B> Copy for EitherWriter<A, B>where A: Copy, B: Copy,
impl<A, B> Copy for OrElse<A, B>where A: Copy, B: Copy,
impl<A, B> Copy for Tee<A, B>where A: Copy, B: Copy,
impl<B, C> Copy for ControlFlow<B, C>where B: Copy, C: Copy,
impl<Balance> Copy for Stake<Balance>where Balance: Copy,
impl<Balance: Copy> Copy for WithdrawConsequence<Balance>
impl<Block> Copy for BlockId<Block>where Block: Block,
impl<BlockNumber: Copy> Copy for DispatchTime<BlockNumber>
impl<C> Copy for NonZeroScalar<C>where C: CurveArithmetic,
impl<C> Copy for PublicKey<C>where C: CurveArithmetic,
impl<C> Copy for ScalarPrimitive<C>where C: Copy + Curve, <C as Curve>::Uint: Copy,
impl<C> Copy for Signature<C>where C: PrimeCurve, <<C as Curve>::FieldBytesSize as Add<<C as Curve>::FieldBytesSize>>::Output: ArrayLength<u8>, <<<C as Curve>::FieldBytesSize as Add<<C as Curve>::FieldBytesSize>>::Output as ArrayLength<u8>>::ArrayType: Copy,
impl<C> Copy for SignatureWithOid<C>where C: PrimeCurve, <<C as Curve>::FieldBytesSize as Add<<C as Curve>::FieldBytesSize>>::Output: ArrayLength<u8>, <<<C as Curve>::FieldBytesSize as Add<<C as Curve>::FieldBytesSize>>::Output as ArrayLength<u8>>::ArrayType: Copy,
impl<C> Copy for VerifyingKey<C>where C: PrimeCurve + CurveArithmetic,
impl<Dyn> Copy for DynMetadata<Dyn>where Dyn: ?Sized,
impl<E> Copy for BoolDeserializer<E>
impl<E> Copy for CharDeserializer<E>
impl<E> Copy for F32Deserializer<E>
impl<E> Copy for F64Deserializer<E>
impl<E> Copy for I8Deserializer<E>
impl<E> Copy for I16Deserializer<E>
impl<E> Copy for I32Deserializer<E>
impl<E> Copy for I64Deserializer<E>
impl<E> Copy for I128Deserializer<E>
impl<E> Copy for IsizeDeserializer<E>
impl<E> Copy for U8Deserializer<E>
impl<E> Copy for U16Deserializer<E>
impl<E> Copy for U32Deserializer<E>
impl<E> Copy for U64Deserializer<E>
impl<E> Copy for U128Deserializer<E>
impl<E> Copy for UnitDeserializer<E>
impl<E> Copy for UsizeDeserializer<E>
impl<E> Copy for BuildToolVersion<E>where E: Copy + Endian,
impl<E> Copy for BuildVersionCommand<E>where E: Copy + Endian,
impl<E> Copy for CompressionHeader32<E>where E: Copy + Endian,
impl<E> Copy for CompressionHeader64<E>where E: Copy + Endian,
impl<E> Copy for DataInCodeEntry<E>where E: Copy + Endian,
impl<E> Copy for DyldCacheHeader<E>where E: Copy + Endian,
impl<E> Copy for DyldCacheImageInfo<E>where E: Copy + Endian,
impl<E> Copy for DyldCacheMappingInfo<E>where E: Copy + Endian,
impl<E> Copy for DyldInfoCommand<E>where E: Copy + Endian,
impl<E> Copy for DyldSubCacheInfo<E>where E: Copy + Endian,
impl<E> Copy for Dylib<E>where E: Copy + Endian,
impl<E> Copy for DylibCommand<E>where E: Copy + Endian,
impl<E> Copy for DylibModule32<E>where E: Copy + Endian,
impl<E> Copy for DylibModule64<E>where E: Copy + Endian,
impl<E> Copy for DylibReference<E>where E: Copy + Endian,
impl<E> Copy for DylibTableOfContents<E>where E: Copy + Endian,
impl<E> Copy for DylinkerCommand<E>where E: Copy + Endian,
impl<E> Copy for Dyn32<E>where E: Copy + Endian,
impl<E> Copy for Dyn64<E>where E: Copy + Endian,
impl<E> Copy for DysymtabCommand<E>where E: Copy + Endian,
impl<E> Copy for EncryptionInfoCommand32<E>where E: Copy + Endian,
impl<E> Copy for EncryptionInfoCommand64<E>where E: Copy + Endian,
impl<E> Copy for EntryPointCommand<E>where E: Copy + Endian,
impl<E> Copy for FileHeader32<E>where E: Copy + Endian,
impl<E> Copy for FileHeader64<E>where E: Copy + Endian,
impl<E> Copy for FilesetEntryCommand<E>where E: Copy + Endian,
impl<E> Copy for FvmfileCommand<E>where E: Copy + Endian,
impl<E> Copy for Fvmlib<E>where E: Copy + Endian,
impl<E> Copy for FvmlibCommand<E>where E: Copy + Endian,
impl<E> Copy for GnuHashHeader<E>where E: Copy + Endian,
impl<E> Copy for HashHeader<E>where E: Copy + Endian,
impl<E> Copy for I16Bytes<E>where E: Copy + Endian,
impl<E> Copy for I32Bytes<E>where E: Copy + Endian,
impl<E> Copy for I64Bytes<E>where E: Copy + Endian,
impl<E> Copy for IdentCommand<E>where E: Copy + Endian,
impl<E> Copy for LcStr<E>where E: Copy + Endian,
impl<E> Copy for LinkeditDataCommand<E>where E: Copy + Endian,
impl<E> Copy for LinkerOptionCommand<E>where E: Copy + Endian,
impl<E> Copy for LoadCommand<E>where E: Copy + Endian,
impl<E> Copy for MachHeader32<E>where E: Copy + Endian,
impl<E> Copy for MachHeader64<E>where E: Copy + Endian,
impl<E> Copy for Nlist32<E>where E: Copy + Endian,
impl<E> Copy for Nlist64<E>where E: Copy + Endian,
impl<E> Copy for NoteCommand<E>where E: Copy + Endian,
impl<E> Copy for NoteHeader32<E>where E: Copy + Endian,
impl<E> Copy for NoteHeader64<E>where E: Copy + Endian,
impl<E> Copy for PrebindCksumCommand<E>where E: Copy + Endian,
impl<E> Copy for PreboundDylibCommand<E>where E: Copy + Endian,
impl<E> Copy for ProgramHeader32<E>where E: Copy + Endian,
impl<E> Copy for ProgramHeader64<E>where E: Copy + Endian,
impl<E> Copy for PublicKey<E>where E: EngineBLS,
impl<E> Copy for PublicKeyInSignatureGroup<E>where E: EngineBLS,
impl<E> Copy for Rel32<E>where E: Copy + Endian,
impl<E> Copy for Rel64<E>where E: Copy + Endian,
impl<E> Copy for Rela32<E>where E: Copy + Endian,
impl<E> Copy for Rela64<E>where E: Copy + Endian,
impl<E> Copy for Relocation<E>where E: Copy + Endian,
impl<E> Copy for RoutinesCommand32<E>where E: Copy + Endian,
impl<E> Copy for RoutinesCommand64<E>where E: Copy + Endian,
impl<E> Copy for RpathCommand<E>where E: Copy + Endian,
impl<E> Copy for Section32<E>where E: Copy + Endian,
impl<E> Copy for Section64<E>where E: Copy + Endian,
impl<E> Copy for SectionHeader32<E>where E: Copy + Endian,
impl<E> Copy for SectionHeader64<E>where E: Copy + Endian,
impl<E> Copy for SegmentCommand32<E>where E: Copy + Endian,
impl<E> Copy for SegmentCommand64<E>where E: Copy + Endian,
impl<E> Copy for Signature<E>where E: EngineBLS,
impl<E> Copy for SourceVersionCommand<E>where E: Copy + Endian,
impl<E> Copy for SubClientCommand<E>where E: Copy + Endian,
impl<E> Copy for SubFrameworkCommand<E>where E: Copy + Endian,
impl<E> Copy for SubLibraryCommand<E>where E: Copy + Endian,
impl<E> Copy for SubUmbrellaCommand<E>where E: Copy + Endian,
impl<E> Copy for Sym32<E>where E: Copy + Endian,
impl<E> Copy for Sym64<E>where E: Copy + Endian,
impl<E> Copy for Syminfo32<E>where E: Copy + Endian,
impl<E> Copy for Syminfo64<E>where E: Copy + Endian,
impl<E> Copy for SymsegCommand<E>where E: Copy + Endian,
impl<E> Copy for SymtabCommand<E>where E: Copy + Endian,
impl<E> Copy for ThreadCommand<E>where E: Copy + Endian,
impl<E> Copy for TwolevelHint<E>where E: Copy + Endian,
impl<E> Copy for TwolevelHintsCommand<E>where E: Copy + Endian,
impl<E> Copy for U16Bytes<E>where E: Copy + Endian,
impl<E> Copy for U32Bytes<E>where E: Copy + Endian,
impl<E> Copy for U64Bytes<E>where E: Copy + Endian,
impl<E> Copy for UuidCommand<E>where E: Copy + Endian,
impl<E> Copy for Verdaux<E>where E: Copy + Endian,
impl<E> Copy for Verdef<E>where E: Copy + Endian,
impl<E> Copy for Vernaux<E>where E: Copy + Endian,
impl<E> Copy for Verneed<E>where E: Copy + Endian,
impl<E> Copy for VersionMinCommand<E>where E: Copy + Endian,
impl<E> Copy for Versym<E>where E: Copy + Endian,
impl<F> Copy for RepeatWith<F>where F: Copy,
impl<F> Copy for GeneralEvaluationDomain<F>where F: Copy + FftField,
impl<F> Copy for MixedRadixEvaluationDomain<F>where F: Copy + FftField,
impl<F> Copy for Radix2EvaluationDomain<F>where F: Copy + FftField,
impl<HO> Copy for ChildReference<HO>where HO: Copy,
impl<I> Copy for Reverse<I>where I: Copy + Iterable, <I as Iterable>::Iter: DoubleEndedIterator,
impl<Idx> Copy for RangeTo<Idx>where Idx: Copy,
impl<Idx> Copy for RangeToInclusive<Idx>where Idx: Copy,
impl<Info> Copy for DispatchErrorWithPostInfo<Info>where Info: Copy + Eq + PartialEq<Info> + Clone + Encode + Decode + Printable,
impl<K> Copy for ExtendedKey<K>where K: Copy,
impl<L, R> Copy for Either<L, R>where L: Copy, R: Copy,
impl<M> Copy for WithMaxLevel<M>where M: Copy,
impl<M> Copy for WithMinLevel<M>where M: Copy,
impl<M, F> Copy for WithFilter<M, F>where M: Copy, F: Copy,
impl<MOD, const LIMBS: usize> Copy for Residue<MOD, LIMBS>where MOD: Copy + ResidueParams<LIMBS>,
impl<NI> Copy for Avx2Machine<NI>where NI: Copy,
impl<O, E> Copy for WithOtherEndian<O, E>where O: Copy + Options, E: Copy + BincodeByteOrder,
impl<O, I> Copy for WithOtherIntEncoding<O, I>where O: Copy + Options, I: Copy + IntEncoding,
impl<O, L> Copy for WithOtherLimit<O, L>where O: Copy + Options, L: Copy + SizeLimit,
impl<O, T> Copy for WithOtherTrailing<O, T>where O: Copy + Options, T: Copy + TrailingBytes,
impl<Offset> Copy for UnitType<Offset>where Offset: Copy + ReaderOffset,
impl<P> Copy for Pin<P>where P: Copy,
impl<P> Copy for Affine<P>where P: SWCurveConfig,
impl<P> Copy for Affine<P>where P: TECurveConfig,
impl<P> Copy for BW6<P>where P: BW6Config,
impl<P> Copy for Bls12<P>where P: Bls12Config,
impl<P> Copy for Bn<P>where P: BnConfig,
impl<P> Copy for CubicExtField<P>where P: CubicExtConfig,
impl<P> Copy for G1Prepared<P>where P: BW6Config,
impl<P> Copy for G1Prepared<P>where P: MNT4Config,
impl<P> Copy for G1Prepared<P>where P: MNT6Config,
impl<P> Copy for MNT4<P>where P: MNT4Config,
impl<P> Copy for MNT6<P>where P: MNT6Config,
impl<P> Copy for MillerLoopOutput<P>where P: Pairing,
impl<P> Copy for MontgomeryAffine<P>where P: MontCurveConfig,
impl<P> Copy for NonIdentity<P>where P: Copy,
impl<P> Copy for PairingOutput<P>where P: Pairing,
impl<P> Copy for Projective<P>where P: SWCurveConfig,
impl<P> Copy for Projective<P>where P: TECurveConfig,
impl<P> Copy for QuadExtField<P>where P: QuadExtConfig,
impl<P> Copy for VMOffsets<P>where P: Copy,
impl<P> Copy for VMOffsetsFields<P>where P: Copy,
impl<P, const N: usize> Copy for Fp<P, N>where P: FpConfig<N>,
impl<Params> Copy for AlgorithmIdentifier<Params>where Params: Copy,
impl<Params, Results> Copy for TypedFunc<Params, Results>
impl<R> Copy for Attribute<R>where R: Copy + Reader,
impl<R> Copy for DebugAbbrev<R>where R: Copy,
impl<R> Copy for DebugAddr<R>where R: Copy,
impl<R> Copy for DebugAranges<R>where R: Copy,
impl<R> Copy for DebugCuIndex<R>where R: Copy,
impl<R> Copy for DebugFrame<R>where R: Copy + Reader,
impl<R> Copy for DebugInfo<R>where R: Copy,
impl<R> Copy for DebugLine<R>where R: Copy,
impl<R> Copy for DebugLineStr<R>where R: Copy,
impl<R> Copy for DebugLoc<R>where R: Copy,
impl<R> Copy for DebugLocLists<R>where R: Copy,
impl<R> Copy for DebugRanges<R>where R: Copy,
impl<R> Copy for DebugRngLists<R>where R: Copy,
impl<R> Copy for DebugStr<R>where R: Copy,
impl<R> Copy for DebugStrOffsets<R>where R: Copy,
impl<R> Copy for DebugTuIndex<R>where R: Copy,
impl<R> Copy for DebugTypes<R>where R: Copy,
impl<R> Copy for EhFrame<R>where R: Copy + Reader,
impl<R> Copy for EhFrameHdr<R>where R: Copy + Reader,
impl<R> Copy for Expression<R>where R: Copy + Reader,
impl<R> Copy for LocationListEntry<R>where R: Copy + Reader,
impl<R> Copy for LocationLists<R>where R: Copy,
impl<R> Copy for OperationIter<R>where R: Copy + Reader,
impl<R> Copy for RangeLists<R>where R: Copy,
impl<R, Offset> Copy for AttributeValue<R, Offset>where R: Copy + Reader<Offset = Offset>, Offset: Copy + ReaderOffset,
impl<R, Offset> Copy for FileEntry<R, Offset>where R: Copy + Reader<Offset = Offset>, Offset: Copy + ReaderOffset,
impl<R, Offset> Copy for LineInstruction<R, Offset>where R: Copy + Reader<Offset = Offset>, Offset: Copy + ReaderOffset,
impl<R, Offset> Copy for Location<R, Offset>where R: Copy + Reader<Offset = Offset>, Offset: Copy + ReaderOffset,
impl<R, Offset> Copy for Operation<R, Offset>where R: Copy + Reader<Offset = Offset>, Offset: Copy + ReaderOffset,
impl<R, Offset> Copy for Piece<R, Offset>where R: Copy + Reader<Offset = Offset>, Offset: Copy + ReaderOffset,
impl<R, Offset> Copy for UnitHeader<R, Offset>where R: Copy + Reader<Offset = Offset>, Offset: Copy + ReaderOffset,
impl<S3, S4, NI> Copy for SseMachine<S3, S4, NI>where S3: Copy, S4: Copy, NI: Copy,
impl<Section> Copy for SymbolFlags<Section>where Section: Copy,
impl<Size> Copy for EncodedPoint<Size>where Size: ModulusSize, <<Size as ModulusSize>::UncompressedPointSize as ArrayLength<u8>>::ArrayType: Copy,
impl<T> Copy for Bound<T>where T: Copy,
impl<T> Copy for Option<T>where T: Copy,
impl<T> Copy for Poll<T>where T: Copy,
impl<T> Copy for std::sync::mpsc::TrySendError<T>where T: Copy,
impl<T> Copy for LocalResult<T>where T: Copy,
impl<T> Copy for FoldWhile<T>where T: Copy,
impl<T> Copy for MinMaxResult<T>where T: Copy,
impl<T> Copy for itertools::with_position::Position<T>where T: Copy,
impl<T> Copy for *const Twhere T: ?Sized,
impl<T> Copy for *mut Twhere T: ?Sized,
impl<T> Copy for &Twhere T: ?Sized,
Shared references can be copied, but mutable references cannot!