pub trait Clone: Sized {
// Required method
fn clone(&self) -> Self;
// Provided method
fn clone_from(&mut self, source: &Self) { ... }
}
Expand description
A common trait that allows explicit creation of a duplicate value.
Calling clone
always produces a new value.
However, for types that are references to other data (such as smart pointers or references),
the new value may still point to the same underlying data, rather than duplicating it.
See Clone::clone
for more details.
This distinction is especially important when using #[derive(Clone)]
on structs containing
smart pointers like Arc<Mutex<T>>
- the cloned struct will share mutable state with the
original.
Differs from Copy
in that Copy
is implicit and an inexpensive bit-wise copy, while
Clone
is always explicit and may or may not be expensive. In order to enforce
these characteristics, Rust does not allow you to reimplement Copy
, but you
may reimplement Clone
and run arbitrary code.
Since Clone
is more general than Copy
, you can automatically make anything
Copy
be Clone
as well.
§Derivable
This trait can be used with #[derive]
if all fields are Clone
. The derive
d
implementation of Clone
calls clone
on each field.
For a generic struct, #[derive]
implements Clone
conditionally by adding bound Clone
on
generic parameters.
// `derive` implements Clone for Reading<T> when T is Clone.
#[derive(Clone)]
struct Reading<T> {
frequency: T,
}
§How can I implement Clone
?
Types that are Copy
should have a trivial implementation of Clone
. More formally:
if T: Copy
, x: T
, and y: &T
, then let x = y.clone();
is equivalent to let x = *y;
.
Manual implementations should be careful to uphold this invariant; however, unsafe code
must not rely on it to ensure memory safety.
An example is a generic struct holding a function pointer. In this case, the
implementation of Clone
cannot be derive
d, but can be implemented as:
struct Generate<T>(fn() -> T);
impl<T> Copy for Generate<T> {}
impl<T> Clone for Generate<T> {
fn clone(&self) -> Self {
*self
}
}
If we derive
:
#[derive(Copy, Clone)]
struct Generate<T>(fn() -> T);
the auto-derived implementations will have unnecessary T: Copy
and T: Clone
bounds:
// Automatically derived
impl<T: Copy> Copy for Generate<T> { }
// Automatically derived
impl<T: Clone> Clone for Generate<T> {
fn clone(&self) -> Generate<T> {
Generate(Clone::clone(&self.0))
}
}
The bounds are unnecessary because clearly the function itself should be copy- and cloneable even if its return type is not:
#[derive(Copy, Clone)]
struct Generate<T>(fn() -> T);
struct NotCloneable;
fn generate_not_cloneable() -> NotCloneable {
NotCloneable
}
Generate(generate_not_cloneable).clone(); // error: trait bounds were not satisfied
// Note: With the manual implementations the above line will compile.
§Clone
and PartialEq
/Eq
Clone
is intended for the duplication of objects. Consequently, when implementing
both Clone
and PartialEq
, the following property is expected to hold:
x == x -> x.clone() == x
In other words, if an object compares equal to itself, its clone must also compare equal to the original.
For types that also implement Eq
– for which x == x
always holds –
this implies that x.clone() == x
must always be true.
Standard library collections such as
HashMap
, HashSet
, BTreeMap
, BTreeSet
and BinaryHeap
rely on their keys respecting this property for correct behavior.
Furthermore, these collections require that cloning a key preserves the outcome of the
Hash
and Ord
methods. Thankfully, this follows automatically from x.clone() == x
if Hash
and Ord
are correctly implemented according to their own requirements.
When deriving both Clone
and PartialEq
using #[derive(Clone, PartialEq)]
or when additionally deriving Eq
using #[derive(Clone, PartialEq, Eq)]
,
then this property is automatically upheld – provided that it is satisfied by
the underlying types.
Violating this property is a logic error. The behavior resulting from a logic error is not
specified, but users of the trait must ensure that such logic errors do not result in
undefined behavior. This means that unsafe
code must not rely on this property
being satisfied.
§Additional implementors
In addition to the implementors listed below,
the following types also implement Clone
:
- Function item types (i.e., the distinct types defined for each function)
- Function pointer types (e.g.,
fn() -> i32
) - Closure types, if they capture no value from the environment
or if all such captured values implement
Clone
themselves. Note that variables captured by shared reference always implementClone
(even if the referent doesn’t), while variables captured by mutable reference never implementClone
.
Required Methods§
1.0.0 · Sourcefn clone(&self) -> Self
fn clone(&self) -> Self
Returns a duplicate of the value.
Note that what “duplicate” means varies by type:
- For most types, this creates a deep, independent copy
- For reference types like
&T
, this creates another reference to the same value - For smart pointers like
Arc
orRc
, this increments the reference count but still points to the same underlying data
§Examples
let hello = "Hello"; // &str implements Clone
assert_eq!("Hello", hello.clone());
Example with a reference-counted type:
use std::sync::{Arc, Mutex};
let data = Arc::new(Mutex::new(vec![1, 2, 3]));
let data_clone = data.clone(); // Creates another Arc pointing to the same Mutex
{
let mut lock = data.lock().unwrap();
lock.push(4);
}
// Changes are visible through the clone because they share the same underlying data
assert_eq!(*data_clone.lock().unwrap(), vec![1, 2, 3, 4]);
Provided Methods§
1.0.0 · Sourcefn clone_from(&mut self, source: &Self)
fn clone_from(&mut self, source: &Self)
Performs copy-assignment from source
.
a.clone_from(&b)
is equivalent to a = b.clone()
in functionality,
but can be overridden to reuse the resources of a
to avoid unnecessary
allocations.
Dyn Compatibility§
This trait is not dyn compatible.
In older versions of Rust, dyn compatibility was called "object safety", so this trait is not object safe.
Implementors§
impl Clone for CreationStrategy
impl Clone for FactoryResourceSpecifier
impl Clone for AbortReason
impl Clone for AcceptedLedgerTransactionKind
impl Clone for AccessControllerError
impl Clone for AccessControllerPartitionOffset
impl Clone for AccessRule
impl Clone for AccountLockerPartitionOffset
impl Clone for AccountPartitionOffset
impl Clone for Actor
impl Clone for AddressBech32DecodeError
impl Clone for AddressBech32EncodeError
impl Clone for AlignerExecutionMode
impl Clone for AlignerFolderMode
impl Clone for AllowedIds
impl Clone for AlwaysVisibleGlobalNodesVersion
impl Clone for AnyTransaction
impl Clone for ApplicationError
impl Clone for AttachedModuleId
impl Clone for AuthError
impl Clone for AuthZoneError
impl Clone for AuthZoneField
impl Clone for BalanceChange
impl Clone for BasicRequirement
impl Clone for BatchPartitionStateUpdate
impl Clone for BlueprintPartitionType
impl Clone for BlueprintPayloadDef
impl Clone for BlueprintPayloadIdentifier
impl Clone for BlueprintType
impl Clone for BootLoaderField
impl Clone for BootloadingError
impl Clone for BucketError
impl Clone for BucketSnapshot
impl Clone for CallFrameDrainSubstatesError
impl Clone for CallFrameError
impl Clone for CallFrameRemoveSubstateError
impl Clone for CallFrameScanKeysError
impl Clone for CallFrameScanSortedSubstatesError
impl Clone for CallFrameSetSubstateError
impl Clone for CannotGlobalizeError
impl Clone for ChildNames
impl Clone for CloseSubstateError
impl Clone for ComponentField
impl Clone for ComponentRoyaltyPartitionOffset
impl Clone for ComposeProofError
impl Clone for CompositeRequirement
impl Clone for ConsensusManagerCollection
impl Clone for ConsensusManagerError
impl Clone for ConsensusManagerFeature
impl Clone for ConsensusManagerField
impl Clone for ConsensusManagerPartitionOffset
impl Clone for ConsensusManagerTypedSubstateKey
impl Clone for ContentValidationError
impl Clone for CostingError
impl Clone for CostingTaskMode
impl Clone for CreateFrameError
impl Clone for CreateNodeError
impl Clone for CreateObjectError
impl Clone for CurveType
impl Clone for DatabaseUpdate
impl Clone for DateTimeError
impl Clone for DecodeError
impl Clone for DecryptorsByCurve
impl Clone for DecryptorsByCurveV2
impl Clone for DefaultDepositRule
impl Clone for DropNodeError
impl Clone for Emitter
impl Clone for EncodeError
impl Clone for scrypto_test::prelude::EntityType
impl Clone for EventError
impl Clone for ExecutionCostBreakdownItem
impl Clone for FailedAccessRules
impl Clone for FallToOwner
impl Clone for FeeReserveError
impl Clone for FieldLockData
impl Clone for FunctionAuth
impl Clone for FungibleBucketField
impl Clone for FungibleProofField
impl Clone for FungibleResourceManagerCollection
impl Clone for FungibleResourceManagerError
impl Clone for FungibleResourceManagerFeature
impl Clone for FungibleResourceManagerField
impl Clone for FungibleResourceManagerPartitionOffset
impl Clone for FungibleResourceManagerTypedSubstateKey
impl Clone for FungibleVaultCollection
impl Clone for FungibleVaultFeature
impl Clone for FungibleVaultField
impl Clone for FungibleVaultPartitionOffset
impl Clone for FungibleVaultTypedSubstateKey
impl Clone for GenericSubstitution
impl Clone for GenesisDataChunk
impl Clone for GenesisTransaction
impl Clone for GlobalCaller
impl Clone for HeapRemoveNodeError
impl Clone for HeapRemovePartitionError
impl Clone for IOAccess
impl Clone for IdAllocationError
impl Clone for IdentityV1MinorVersion
impl Clone for InputOrOutput
impl Clone for InstructionOutput
impl Clone for InstructionSchemaValidationError
impl Clone for InstructionV1
impl Clone for InstructionV2
impl Clone for IntentError
impl Clone for IntentHash
impl Clone for IntentHashNullification
impl Clone for InvalidImport
impl Clone for InvalidMemory
impl Clone for InvalidNameError
impl Clone for InvalidNonFungibleSchema
impl Clone for InvalidTable
impl Clone for KernelBoot
impl Clone for KernelError
impl Clone for KeyOrValue
impl Clone for KeyValueEntryLockData
impl Clone for KeyValueStoreDataSchema
impl Clone for KindedTransactionHashesV1
impl Clone for KindedTransactionHashesV2
impl Clone for LedgerExecutable
impl Clone for LedgerTransaction
impl Clone for LedgerTransactionHashesVersions
impl Clone for LedgerTransactionValidationError
impl Clone for scrypto_test::prelude::Level
impl Clone for LocalRef
impl Clone for LocalTypeId
impl Clone for LockStatus
impl Clone for LowerBound
impl Clone for ManifestAddress
impl Clone for ManifestBucketBatch
impl Clone for ManifestComponentAddress
impl Clone for ManifestCustomExtension
impl Clone for ManifestCustomTraversal
impl Clone for ManifestCustomValue
impl Clone for ManifestCustomValueKind
impl Clone for ManifestExpression
impl Clone for ManifestGenesisDataChunk
impl Clone for ManifestGlobalAddress
impl Clone for ManifestNonFungibleLocalId
impl Clone for ManifestNonFungibleLocalIdValidationError
impl Clone for ManifestPackageAddress
impl Clone for ManifestProofBatch
impl Clone for ManifestResourceAddress
impl Clone for ManifestResourceConstraint
impl Clone for ManifestResourceOrNonFungible
impl Clone for ManifestToRustValueError
impl Clone for MarkTransientSubstateError
impl Clone for MessageContentsV1
impl Clone for MessageV1
impl Clone for MessageV2
impl Clone for MetadataConversionError
impl Clone for MetadataPartitionOffset
impl Clone for MethodAccessibility
impl Clone for MethodAuthTemplate
impl Clone for MethodType
impl Clone for ModuleId
impl Clone for MovePartitionError
impl Clone for MultiResourcePoolPartitionOffset
impl Clone for NameChangeRule
impl Clone for NativeRuntimeError
impl Clone for NoCustomExtension
impl Clone for NoCustomSchema
impl Clone for NoCustomTerminalValueRef
impl Clone for NoCustomTraversal
impl Clone for NoCustomTypeKind
impl Clone for NoCustomTypeKindLabel
impl Clone for NoCustomTypeValidation
impl Clone for NoCustomValue
impl Clone for NoCustomValueKind
impl Clone for NodeStateUpdates
impl Clone for NonFungibleBucketField
impl Clone for NonFungibleDataSchema
impl Clone for NonFungibleIdType
impl Clone for NonFungibleLocalId
impl Clone for NonFungibleProofField
impl Clone for NonFungibleResourceManagerCollection
impl Clone for NonFungibleResourceManagerError
impl Clone for NonFungibleResourceManagerFeature
impl Clone for NonFungibleResourceManagerField
impl Clone for NonFungibleResourceManagerGeneric
impl Clone for NonFungibleResourceManagerPartitionOffset
impl Clone for NonFungibleResourceManagerTypedSubstateKey
impl Clone for NonFungibleVaultCollection
impl Clone for NonFungibleVaultError
impl Clone for NonFungibleVaultFeature
impl Clone for NonFungibleVaultField
impl Clone for NonFungibleVaultPartitionOffset
impl Clone for NonFungibleVaultTypedSubstateKey
impl Clone for Nullification
impl Clone for ObjectSubstateTypeReference
impl Clone for ObjectType
impl Clone for OnApplyCost
impl Clone for OneResourcePoolPartitionOffset
impl Clone for OpenSubstateError
impl Clone for OuterObjectInfo
impl Clone for OwnValidation
impl Clone for OwnedNameChange
impl Clone for OwnerRole
impl Clone for OwnerRoleUpdater
impl Clone for PackageCollection
impl Clone for PackageError
impl Clone for PackageFeature
impl Clone for PackageField
impl Clone for PackagePartitionOffset
impl Clone for PackageRoyalty
impl Clone for PackageRoyaltyConfig
impl Clone for PackageTypedSubstateKey
impl Clone for PackageV1MinorVersion
impl Clone for ParseBlsPublicKeyError
impl Clone for ParseBlsSignatureError
impl Clone for ParseComponentAddressError
impl Clone for ParseDecimalError
impl Clone for ParseEd25519PublicKeyError
impl Clone for ParseEd25519SignatureError
impl Clone for scrypto_test::prelude::ParseError
impl Clone for ParseGlobalAddressError
impl Clone for ParseHashError
impl Clone for ParseI192Error
impl Clone for ParseI256Error
impl Clone for ParseI320Error
impl Clone for ParseI384Error
impl Clone for ParseI448Error
impl Clone for ParseI512Error
impl Clone for ParseI768Error
impl Clone for ParseInternalAddressError
impl Clone for ParseManifestAddressReservationError
impl Clone for ParseManifestBlobRefError
impl Clone for ParseManifestBucketError
impl Clone for ParseManifestDecimalError
impl Clone for ParseManifestExpressionError
impl Clone for ParseManifestPreciseDecimalError
impl Clone for ParseManifestProofError
impl Clone for ParseNonFungibleGlobalIdError
impl Clone for ParseNonFungibleLocalIdError
impl Clone for ParseOwnError
impl Clone for ParsePackageAddressError
impl Clone for ParsePreciseDecimalError
impl Clone for ParseReferenceError
impl Clone for ParseResourceAddressError
impl Clone for ParseSecp256k1PublicKeyError
impl Clone for ParseSecp256k1SignatureError
impl Clone for ParseU192Error
impl Clone for ParseU256Error
impl Clone for ParseU320Error
impl Clone for ParseU384Error
impl Clone for ParseU448Error
impl Clone for ParseU512Error
impl Clone for ParseU768Error
impl Clone for ParseUtcDateTimeError
impl Clone for PartitionDatabaseUpdates
impl Clone for PartitionDescription
impl Clone for PartitionStateUpdates
impl Clone for PassMessageError
impl Clone for PersistNodeError
impl Clone for PinNodeError
impl Clone for PreparedUserTransaction
impl Clone for PreviewError
impl Clone for PrimaryRoleBadgeWithdrawAttemptState
impl Clone for PrimaryRoleLockingState
impl Clone for PrimaryRoleRecoveryAttemptState
impl Clone for ProcessSubstateError
impl Clone for ProcessSubstateIOWriteError
impl Clone for ProcessSubstateKeyError
impl Clone for ProofError
impl Clone for ProofSnapshot
impl Clone for Proposer
impl Clone for ProtocolUpdateStatus
impl Clone for ProtocolUpdateStatusField
impl Clone for ProtocolUpdateStatusSummaryVersions
impl Clone for ProtocolUpdateTransaction
impl Clone for ProtocolVersion
impl Clone for scrypto_test::prelude::PublicKey
impl Clone for PublicKeyHash
impl Clone for ReadOnly
impl Clone for ReadSubstateError
impl Clone for RecoveryRoleBadgeWithdrawAttemptState
impl Clone for RecoveryRoleRecoveryAttemptState
impl Clone for RecoveryRoleRecoveryState
impl Clone for ReferenceOrigin
impl Clone for ReferenceValidation
impl Clone for RejectionReason
impl Clone for ResourceConstraintError
impl Clone for ResourceConstraintsError
impl Clone for ResourceError
impl Clone for ResourceFeature
impl Clone for ResourceOrNonFungible
impl Clone for ResourcePreference
impl Clone for ResourceType
impl Clone for Role
impl Clone for RoleAssignmentPartitionOffset
impl Clone for RoleSpecification
impl Clone for RoundingMode
impl Clone for RoyaltyAmount
impl Clone for RoyaltyField
impl Clone for RoyaltyRecipient
impl Clone for RuntimeError
impl Clone for RustToManifestValueError
impl Clone for RustTypeId
impl Clone for SchemaValidationError
impl Clone for ScryptoCustomTraversal
impl Clone for ScryptoCustomTypeKind
impl Clone for ScryptoCustomTypeKindLabel
impl Clone for ScryptoCustomTypeValidation
impl Clone for ScryptoCustomValue
impl Clone for ScryptoCustomValueKind
impl Clone for ScryptoVmVersion
impl Clone for ScryptoVmVersionError
impl Clone for SignatureV1
impl Clone for SignatureWithPublicKeyV1
impl Clone for StableReferenceType
impl Clone for StackError
impl Clone for scrypto_test::prelude::StorageType
impl Clone for StoreCommit
impl Clone for SubstateDevice
impl Clone for SubstateDiffError
impl Clone for SubstateKey
impl Clone for SubstateLockState
impl Clone for SubstateSystemStructure
impl Clone for SystemBoot
impl Clone for SystemError
impl Clone for SystemExecution
impl Clone for SystemFieldKind
impl Clone for SystemInstruction
impl Clone for SystemLockData
impl Clone for SystemModuleError
impl Clone for SystemUpstreamError
impl Clone for SystemVersion
impl Clone for TakeNodeError
impl Clone for TimeComparisonOperator
impl Clone for TimePrecisionV1
impl Clone for TimePrecisionV2
impl Clone for TipSpecifier
impl Clone for TraceActor
impl Clone for TraceOrigin
impl Clone for TrackedSubstateValue
impl Clone for TransactionDiscriminator
impl Clone for TransactionExecutionError
impl Clone for TransactionHashBech32DecodeError
impl Clone for TransactionHashBech32EncodeError
impl Clone for TransactionOutcome
impl Clone for TransactionPayloadKind
impl Clone for TransactionProcessorError
impl Clone for TransactionProcessorV1MinorVersion
impl Clone for TransactionResult
impl Clone for TransactionStatus
impl Clone for TransactionStatusV1
impl Clone for TransactionTrackerField
impl Clone for TransactionTrackerSubstate
impl Clone for TwoResourcePoolPartitionOffset
impl Clone for TypeInfoField
impl Clone for UpdateNumberOfMinRoundsPerEpochSettings
impl Clone for UpperBound
impl Clone for UserSubintentManifest
impl Clone for UserTransaction
impl Clone for UserTransactionManifest
impl Clone for ValidatedUserTransaction
impl Clone for ValidationChange
impl Clone for ValidationError
impl Clone for ValidatorCollection
impl Clone for ValidatorError
impl Clone for ValidatorFeature
impl Clone for ValidatorField
impl Clone for ValidatorPartitionOffset
impl Clone for ValidatorTypedSubstateKey
impl Clone for ValueType
impl Clone for VaultError
impl Clone for VaultOp
impl Clone for scrypto_test::prelude::Visibility
impl Clone for VmBoot
impl Clone for VmError
impl Clone for VmType
impl Clone for WasmRuntimeError
impl Clone for WithdrawStrategy
impl Clone for WorktopChange
impl Clone for WorktopError
impl Clone for WorktopField
impl Clone for Write
impl Clone for WriteSubstateError
impl Clone for scrypto_test::prelude::execution_trace::ResourceSpecifier
impl Clone for scrypto_test::prelude::fmt::Alignment
impl Clone for DebugAsHex
impl Clone for scrypto_test::prelude::fmt::Sign
impl Clone for scrypto_test::prelude::indexmap::GetDisjointMutError
impl Clone for TransactionLimitsError
impl Clone for CheckReferenceEventOwned
impl Clone for CloseSubstateEventOwned
impl Clone for CreateNodeEventOwned
impl Clone for DrainSubstatesEventOwned
impl Clone for DropNodeEventOwned
impl Clone for ExecutionCostingEntryOwned
impl Clone for MoveModuleEventOwned
impl Clone for OpenSubstateEventOwned
impl Clone for ReadSubstateEventOwned
impl Clone for RemoveSubstateEventOwned
impl Clone for ScanKeysEventOwned
impl Clone for ScanSortedSubstatesEventOwned
impl Clone for SetSubstateEventOwned
impl Clone for WriteSubstateEventOwned
impl Clone for scrypto_test::prelude::pool::errors::multi_resource_pool::Error
impl Clone for scrypto_test::prelude::pool::errors::one_resource_pool::Error
impl Clone for scrypto_test::prelude::pool::errors::two_resource_pool::Error
impl Clone for PoolV1MinorVersion
impl Clone for MultiResourcePoolCollection
impl Clone for MultiResourcePoolFeature
impl Clone for MultiResourcePoolField
impl Clone for MultiResourcePoolTypedSubstateKey
impl Clone for OneResourcePoolCollection
impl Clone for OneResourcePoolFeature
impl Clone for OneResourcePoolField
impl Clone for OneResourcePoolTypedSubstateKey
impl Clone for TwoResourcePoolCollection
impl Clone for TwoResourcePoolFeature
impl Clone for TwoResourcePoolField
impl Clone for TwoResourcePoolTypedSubstateKey
impl Clone for DisplayMode
impl Clone for FormattingError
impl Clone for PrintMode
impl Clone for MapEntryPart
impl Clone for AccessControllerCollection
impl Clone for AccessControllerFeature
impl Clone for AccessControllerField
impl Clone for AccessControllerTypedSubstateKey
impl Clone for AccessControllerV2Collection
impl Clone for AccessControllerV2Feature
impl Clone for AccessControllerV2Field
impl Clone for AccessControllerV2TypedSubstateKey
impl Clone for scrypto_test::prelude::wasm::PrepareError
impl Clone for scrypto_test::prelude::rust::cmp::Ordering
impl Clone for Infallible
impl Clone for FpCategory
impl Clone for IntErrorKind
impl Clone for scrypto_test::prelude::rust::slice::GetDisjointMutError
impl Clone for SearchStep
impl Clone for scrypto_test::prelude::rust::sync::atomic::Ordering
impl Clone for scrypto_test::prelude::rust::sync::mpmc::RecvTimeoutError
impl Clone for scrypto_test::prelude::rust::sync::mpmc::TryRecvError
impl Clone for TryReserveErrorKind
impl Clone for AsciiChar
impl Clone for FromBytesWithNulError
impl Clone for IpAddr
impl Clone for Ipv6MulticastScope
impl Clone for core::net::socket_addr::SocketAddr
impl Clone for proc_macro::diagnostic::Level
impl Clone for proc_macro::Delimiter
impl Clone for proc_macro::Spacing
impl Clone for proc_macro::TokenTree
impl Clone for VarError
impl Clone for std::io::SeekFrom
impl Clone for std::io::error::ErrorKind
impl Clone for Shutdown
impl Clone for BacktraceStyle
impl Clone for AnnotationType
impl Clone for AnsiColor
impl Clone for anstyle::color::Color
impl Clone for bech32::Error
impl Clone for bech32::Variant
impl Clone for BLST_ERROR
impl Clone for DebugSetting
impl Clone for Dependency
impl Clone for Edition
impl Clone for LtoSetting
impl Clone for MaintenanceStatus
impl Clone for OptionalFile
impl Clone for Publish
impl Clone for Resolver
impl Clone for StripSetting
impl Clone for cargo_toml::error::Error
impl Clone for colored::color::Color
impl Clone for Styles
impl Clone for crossbeam_channel::err::RecvTimeoutError
impl Clone for crossbeam_channel::err::TryRecvError
impl Clone for TruncSide
impl Clone for hashbrown::TryReserveError
impl Clone for hashbrown::TryReserveError
impl Clone for FromHexError
impl Clone for tpacket_versions
impl Clone for fsconfig_command
impl Clone for membarrier_cmd
impl Clone for membarrier_cmd_flag
impl Clone for procmap_query_flags
impl Clone for PrefilterConfig
impl Clone for DeliveryMode
impl Clone for RemovalCause
impl Clone for num_bigint::bigint::Sign
impl Clone for OnceState
impl Clone for FilterOp
impl Clone for ParkResult
impl Clone for RequeueOp
impl Clone for proc_macro2::Delimiter
impl Clone for proc_macro2::Spacing
impl Clone for proc_macro2::TokenTree
impl Clone for BlueprintHook
impl Clone for Condition
impl Clone for FieldTransience
impl Clone for GenericBound
impl Clone for radix_blueprint_schema_init::Receiver
impl Clone for radix_engine_interface::blueprints::locker::invocations::ResourceSpecifier
impl Clone for AccountCollection
impl Clone for AccountFeature
impl Clone for AccountField
impl Clone for AccountTypedSubstateKey
impl Clone for AccountError
impl Clone for AccountLockerCollection
impl Clone for AccountLockerFeature
impl Clone for AccountLockerField
impl Clone for AccountLockerTypedSubstateKey
impl Clone for MetadataError
impl Clone for MetadataKeyValidationError
impl Clone for MetadataValueValidationError
impl Clone for MetadataCollection
impl Clone for MetadataFeature
impl Clone for MetadataField
impl Clone for MetadataTypedSubstateKey
impl Clone for RoleAssignmentError
impl Clone for RoleAssignmentCollection
impl Clone for RoleAssignmentFeature
impl Clone for RoleAssignmentField
impl Clone for RoleAssignmentTypedSubstateKey
impl Clone for ComponentRoyaltyCollection
impl Clone for ComponentRoyaltyFeature
impl Clone for ComponentRoyaltyField
impl Clone for ComponentRoyaltyTypedSubstateKey
impl Clone for ComponentRoyaltyError
impl Clone for ComponentRoyaltyDatabaseCheckerError
impl Clone for ErrorLocation
impl Clone for PackageRoyaltyDatabaseCheckerError
impl Clone for RoleAssignmentDatabaseCheckerError
impl Clone for SystemNodeType
impl Clone for IDAllocation
impl Clone for SchemaOrigin
impl Clone for TypeInfoForValidation
impl Clone for ObjectPartitionDescriptor
impl Clone for SystemPartitionDescription
impl Clone for SystemPartitionDescriptor
impl Clone for SystemReaderError
impl Clone for SchemaValidationMeta
impl Clone for TypeCheckError
impl Clone for TypeInfoSubstate
impl Clone for StaleTreePart
impl Clone for TreeNodeV1
impl Clone for TreeNodeVersions
impl Clone for StateTreeValidationError
impl Clone for TypedBootLoaderSubstateKey
impl Clone for TypedMainModuleSubstateKey
impl Clone for TypedMetadataModuleSubstateKey
impl Clone for TypedProtocolUpdateStatusSubstateKey
impl Clone for TypedRoleAssignmentSubstateKey
impl Clone for TypedRoyaltyModuleSubstateKey
impl Clone for TypedSchemaSubstateKey
impl Clone for TypedSubstateKey
impl Clone for TypedTypeInfoSubstateKey
impl Clone for HeaderValidationError
impl Clone for IntentValidationError
impl Clone for InvalidMessageError
impl Clone for ManifestBasicValidatorError
impl Clone for ManifestIdValidationError
impl Clone for SignatureValidationError
impl Clone for SubintentStructureError
impl Clone for TransactionValidationError
impl Clone for TransactionValidationErrorLocation
impl Clone for AnyManifest
impl Clone for radix_transactions::manifest::ast::Instruction
impl Clone for InstructionDiscriminants
impl Clone for radix_transactions::manifest::ast::Value
impl Clone for radix_transactions::manifest::ast::ValueKind
impl Clone for CompileError
impl Clone for CompileErrorDiagnosticsStyle
impl Clone for DecompileError
impl Clone for GeneratorErrorKind
impl Clone for NameResolverError
impl Clone for ExpectedChar
impl Clone for LexerErrorKind
impl Clone for VerificationKind
impl Clone for ManifestObjectNames
impl Clone for DefaultTestExecutionConfigType
impl Clone for ManifestBuildError
impl Clone for ParserErrorKind
impl Clone for TokenType
impl Clone for IntentType
impl Clone for InterpreterValidationRulesetSpecifier
impl Clone for ManifestLocation
impl Clone for ManifestValidationError
impl Clone for StaticResourceMovementsError
impl Clone for TypedManifestNativeInvocationError
impl Clone for AccountWithdraw
impl Clone for NetWithdraw
impl Clone for OwnedInvocationKind
impl Clone for radix_transactions::manifest::static_resource_movements::types::ResourceChange
impl Clone for ResourceTakeAmount
impl Clone for SimpleFungibleResourceBounds
impl Clone for SimpleNonFungibleResourceBounds
impl Clone for SimpleResourceBounds
impl Clone for UnspecifiedResources
impl Clone for ChangeSource
impl Clone for Token
impl Clone for radix_transactions::model::preparation::decoder::PrepareError
impl Clone for ProofKind
impl Clone for ManifestValidationRuleset
impl Clone for TransactionValidationConfigurationVersions
impl Clone for TransactionVersion
impl Clone for GasMeter
impl Clone for MemoryGrowCost
impl Clone for ModuleInfoError
impl Clone for TranslatorError
impl Clone for ConstExprKind
impl Clone for radix_wasm_instrument::utils::translator::Item
impl Clone for WhichCaptures
impl Clone for State
impl Clone for regex_automata::util::look::Look
impl Clone for Anchored
impl Clone for MatchErrorKind
impl Clone for MatchKind
impl Clone for AssertionKind
impl Clone for Ast
impl Clone for regex_syntax::ast::Class
impl Clone for ClassAsciiKind
impl Clone for ClassPerlKind
impl Clone for ClassSet
impl Clone for ClassSetBinaryOpKind
impl Clone for ClassSetItem
impl Clone for ClassUnicodeKind
impl Clone for ClassUnicodeOpKind
impl Clone for regex_syntax::ast::ErrorKind
impl Clone for Flag
impl Clone for FlagsItemKind
impl Clone for GroupKind
impl Clone for HexLiteralKind
impl Clone for LiteralKind
impl Clone for RepetitionKind
impl Clone for RepetitionRange
impl Clone for SpecialLiteralKind
impl Clone for regex_syntax::error::Error
impl Clone for regex_syntax::hir::Class
impl Clone for regex_syntax::hir::Dot
impl Clone for regex_syntax::hir::ErrorKind
impl Clone for HirKind
impl Clone for regex_syntax::hir::Look
impl Clone for ExtractKind
impl Clone for Utf8Sequence
impl Clone for regex::error::Error
impl Clone for Advice
impl Clone for rustix::backend::fs::types::FileType
impl Clone for FlockOperation
impl Clone for rustix::fs::seek_from::SeekFrom
impl Clone for Direction
impl Clone for OnPoolDropBehavior
impl Clone for EnvironmentVariableAction
impl Clone for scrypto_compiler::Profile
impl Clone for ComponentCastError
impl Clone for ObjectStubHandle
impl Clone for ModuleHandle
impl Clone for scrypto::modules::role_assignment::Mutability
impl Clone for All
impl Clone for SignOnly
impl Clone for VerifyOnly
impl Clone for ElligatorSwiftParty
impl Clone for secp256k1::Error
impl Clone for Parity
impl Clone for Op
impl Clone for Category
impl Clone for serde_json::value::Value
impl Clone for AttrStyle
impl Clone for Meta
impl Clone for NestedMeta
impl Clone for Fields
impl Clone for syn::data::Visibility
impl Clone for syn::derive::Data
impl Clone for Expr
impl Clone for GenericMethodArgument
impl Clone for Member
impl Clone for RangeLimits
impl Clone for GenericParam
impl Clone for TraitBoundModifier
impl Clone for TypeParamBound
impl Clone for WherePredicate
impl Clone for FnArg
impl Clone for ForeignItem
impl Clone for ImplItem
impl Clone for syn::item::Item
impl Clone for TraitItem
impl Clone for UseTree
impl Clone for Lit
impl Clone for MacroDelimiter
impl Clone for BinOp
impl Clone for UnOp
impl Clone for Pat
impl Clone for GenericArgument
impl Clone for PathArguments
impl Clone for Stmt
impl Clone for ReturnType
impl Clone for syn::ty::Type
impl Clone for toml::value::Value
impl Clone for Offset
impl Clone for toml_edit::item::Item
impl Clone for toml_edit::ser::Error
impl Clone for toml_edit::value::Value
impl Clone for uuid::Variant
impl Clone for uuid::Version
impl Clone for wasm_encoder::component::aliases::ComponentOuterAliasKind
impl Clone for wasm_encoder::component::canonicals::CanonicalOption
impl Clone for ComponentSectionId
impl Clone for ComponentExportKind
impl Clone for wasm_encoder::component::imports::ComponentTypeRef
impl Clone for wasm_encoder::component::imports::TypeBounds
impl Clone for ModuleArg
impl Clone for wasm_encoder::component::types::ComponentValType
impl Clone for wasm_encoder::component::types::PrimitiveValType
impl Clone for wasm_encoder::core::code::BlockType
impl Clone for wasm_encoder::core::dump::CoreDumpValue
impl Clone for SectionId
impl Clone for ExportKind
impl Clone for wasm_encoder::core::imports::EntityType
impl Clone for wasm_encoder::core::tags::TagKind
impl Clone for wasm_encoder::core::types::HeapType
impl Clone for wasm_encoder::core::types::StorageType
impl Clone for wasm_encoder::core::types::ValType
impl Clone for FeatureBaseline
impl Clone for wasm_opt::api::FileType
impl Clone for OptimizeLevel
impl Clone for ShrinkLevel
impl Clone for Feature
impl Clone for Pass
impl Clone for CompilationMode
impl Clone for EnforcedLimitsError
impl Clone for wasmi::global::Mutability
impl Clone for wasmi::instance::exports::Extern
impl Clone for ExternType
impl Clone for FuelError
impl Clone for Val
impl Clone for InternHint
impl Clone for TrapCode
impl Clone for UntypedError
impl Clone for wasmi_core::value::ValType
impl Clone for wasmi_ir::enum::Instruction
impl Clone for wasmi_ir::primitive::Comparator
impl Clone for wasmparser_nostd::parser::Encoding
impl Clone for wasmparser_nostd::readers::component::aliases::ComponentOuterAliasKind
impl Clone for wasmparser_nostd::readers::component::canonicals::CanonicalFunction
impl Clone for wasmparser_nostd::readers::component::canonicals::CanonicalOption
impl Clone for wasmparser_nostd::readers::component::exports::ComponentExternalKind
impl Clone for wasmparser_nostd::readers::component::imports::ComponentTypeRef
impl Clone for wasmparser_nostd::readers::component::imports::TypeBounds
impl Clone for wasmparser_nostd::readers::component::instances::InstantiationArgKind
impl Clone for wasmparser_nostd::readers::component::types::ComponentValType
impl Clone for wasmparser_nostd::readers::component::types::OuterAliasKind
impl Clone for wasmparser_nostd::readers::component::types::PrimitiveValType
impl Clone for wasmparser_nostd::readers::core::exports::ExternalKind
impl Clone for wasmparser_nostd::readers::core::imports::TypeRef
impl Clone for wasmparser_nostd::readers::core::operators::BlockType
impl Clone for wasmparser_nostd::readers::core::types::TagKind
impl Clone for wasmparser_nostd::readers::core::types::Type
impl Clone for wasmparser_nostd::readers::core::types::ValType
impl Clone for wasmparser_nostd::validator::operators::FrameKind
impl Clone for wasmparser_nostd::validator::types::ComponentDefinedType
impl Clone for wasmparser_nostd::validator::types::ComponentEntityType
impl Clone for ComponentInstanceTypeKind
impl Clone for wasmparser_nostd::validator::types::ComponentValType
impl Clone for wasmparser_nostd::validator::types::EntityType
impl Clone for wasmparser_nostd::validator::types::InstanceTypeKind
impl Clone for wasmparser::parser::Encoding
impl Clone for wasmparser::readers::component::aliases::ComponentOuterAliasKind
impl Clone for wasmparser::readers::component::canonicals::CanonicalFunction
impl Clone for wasmparser::readers::component::canonicals::CanonicalOption
impl Clone for wasmparser::readers::component::exports::ComponentExternalKind
impl Clone for wasmparser::readers::component::imports::ComponentTypeRef
impl Clone for wasmparser::readers::component::imports::TypeBounds
impl Clone for wasmparser::readers::component::instances::InstantiationArgKind
impl Clone for wasmparser::readers::component::types::ComponentValType
impl Clone for wasmparser::readers::component::types::OuterAliasKind
impl Clone for wasmparser::readers::component::types::PrimitiveValType
impl Clone for wasmparser::readers::core::coredumps::CoreDumpValue
impl Clone for wasmparser::readers::core::exports::ExternalKind
impl Clone for wasmparser::readers::core::imports::TypeRef
impl Clone for wasmparser::readers::core::operators::BlockType
impl Clone for wasmparser::readers::core::types::HeapType
impl Clone for wasmparser::readers::core::types::StorageType
impl Clone for wasmparser::readers::core::types::TagKind
impl Clone for wasmparser::readers::core::types::Type
impl Clone for wasmparser::readers::core::types::ValType
impl Clone for wasmparser::validator::operators::FrameKind
impl Clone for wasmparser::validator::types::ComponentDefinedType
impl Clone for wasmparser::validator::types::ComponentEntityType
impl Clone for wasmparser::validator::types::ComponentValType
impl Clone for wasmparser::validator::types::EntityType
impl Clone for wasmparser::validator::types::InstanceTypeKind
impl Clone for Endianness
impl Clone for winnow::error::ErrorKind
impl Clone for Needed
impl Clone for StrContext
impl Clone for StrContextValue
impl Clone for bool
impl Clone for char
impl Clone for f16
impl Clone for f32
impl Clone for f64
impl Clone for f128
impl Clone for i8
impl Clone for i16
impl Clone for i32
impl Clone for i64
impl Clone for i128
impl Clone for isize
impl Clone for !
impl Clone for u8
impl Clone for u16
impl Clone for u32
impl Clone for u64
impl Clone for u128
impl Clone for usize
impl Clone for FlashSubstateDatabase
impl Clone for LedgerSimulatorSnapshot
impl Clone for UnorderedKeyError
impl Clone for OwnedNodeId
impl Clone for ReferencedNodeId
impl Clone for scrypto_test::prelude::fmt::Error
impl Clone for FormattingOptions
impl Clone for DefaultHasher
impl Clone for scrypto_test::prelude::hash_map::RandomState
impl Clone for scrypto_test::prelude::indexmap::TryReserveError
impl Clone for KernelTraceModule
impl Clone for Assume
impl Clone for MultiResourcePoolFeatureSet
impl Clone for OneResourcePoolFeatureSet
impl Clone for TwoResourcePoolFeatureSet
impl Clone for RustLikeOptions
impl Clone for AbortResult
impl Clone for AccessControllerCancelPrimaryRoleBadgeWithdrawAttemptInput
impl Clone for AccessControllerCancelPrimaryRoleRecoveryProposalInput
impl Clone for AccessControllerCancelRecoveryRoleBadgeWithdrawAttemptInput
impl Clone for AccessControllerCancelRecoveryRoleRecoveryProposalInput
impl Clone for AccessControllerContributeRecoveryFeeManifestInput
impl Clone for AccessControllerCreateProofInput
impl Clone for AccessControllerInitiateBadgeWithdrawAttemptAsPrimaryInput
impl Clone for AccessControllerInitiateBadgeWithdrawAttemptAsRecoveryInput
impl Clone for AccessControllerInitiateRecoveryAsPrimaryInput
impl Clone for AccessControllerInitiateRecoveryAsRecoveryInput
impl Clone for AccessControllerLockPrimaryRoleInput
impl Clone for AccessControllerLockRecoveryFeeInput
impl Clone for AccessControllerMarker
impl Clone for AccessControllerMintRecoveryBadgesInput
impl Clone for AccessControllerQuickConfirmPrimaryRoleBadgeWithdrawAttemptInput
impl Clone for AccessControllerQuickConfirmPrimaryRoleRecoveryProposalInput
impl Clone for AccessControllerQuickConfirmRecoveryRoleBadgeWithdrawAttemptInput
impl Clone for AccessControllerQuickConfirmRecoveryRoleRecoveryProposalInput
impl Clone for AccessControllerStopTimedRecoveryInput
impl Clone for AccessControllerTimedConfirmRecoveryInput
impl Clone for AccessControllerUnlockPrimaryRoleInput
impl Clone for AccessControllerWithdrawRecoveryFeeInput
impl Clone for AccountCreateAdvancedInput
impl Clone for AccountCreateAdvancedManifestInput
impl Clone for AccountCreateInput
impl Clone for AccountLockerMarker
impl Clone for AccountMarker
impl Clone for ActiveValidatorSet
impl Clone for AesGcmPayload
impl Clone for AesWrapped128BitKey
impl Clone for AesWrapped256BitKey
impl Clone for AnemoneSettings
impl Clone for AnemoneValidatorCreationFee
impl Clone for ApplicationFnIdentifier
impl Clone for AttachedModuleIdIter
impl Clone for AuthConfig
impl Clone for AuthModule
impl Clone for AuthZoneAssertAccessRuleInput
impl Clone for AuthZoneCreateProofOfAllInput
impl Clone for AuthZoneCreateProofOfAmountInput
impl Clone for AuthZoneCreateProofOfNonFungiblesInput
impl Clone for AuthZoneDrainInput
impl Clone for AuthZoneDropProofsInput
impl Clone for AuthZoneDropRegularProofsInput
impl Clone for AuthZoneDropSignatureProofsInput
impl Clone for AuthZoneInit
impl Clone for AuthZonePopInput
impl Clone for BabylonSettings
impl Clone for BlobV1
impl Clone for BlobsV1
impl Clone for Bls12381G1PublicKey
impl Clone for Bls12381G2Signature
impl Clone for BlueprintDefinition
impl Clone for BlueprintDefinitionInit
impl Clone for BlueprintDependencies
impl Clone for BlueprintHookActor
impl Clone for BlueprintId
impl Clone for BlueprintInfo
impl Clone for BlueprintInterface
impl Clone for BlueprintTypeIdentifier
impl Clone for BlueprintVersion
impl Clone for BlueprintVersionKey
impl Clone for BottlenoseSettings
impl Clone for scrypto_test::prelude::Box<str>
impl Clone for scrypto_test::prelude::Box<ByteStr>
impl Clone for scrypto_test::prelude::Box<CStr>
impl Clone for scrypto_test::prelude::Box<OsStr>
impl Clone for scrypto_test::prelude::Box<Path>
impl Clone for scrypto_test::prelude::Box<dyn DynDigest>
impl Clone for BucketCreateProofOfAllInput
impl Clone for BucketGetAmountInput
impl Clone for BucketGetNonFungibleLocalIdsInput
impl Clone for BucketGetResourceAddressInput
impl Clone for BucketTakeAdvancedInput
impl Clone for BucketTakeInput
impl Clone for BucketTakeNonFungiblesInput
impl Clone for BytesNonFungibleLocalId
impl Clone for CallFrameMessage
impl Clone for CanonicalBlueprintId
impl Clone for CanonicalPartition
impl Clone for CanonicalSubstateKey
impl Clone for ChildSubintentSpecifier
impl Clone for ChildSubintentSpecifiersV2
impl Clone for CodeHash
impl Clone for CommitResult
impl Clone for ComponentAddress
impl Clone for ComponentClaimRoyaltiesInput
impl Clone for ComponentRoyaltyConfig
impl Clone for ComponentRoyaltyCreateInput
impl Clone for ComponentRoyaltyLockInput
impl Clone for ComponentRoyaltySetInput
impl Clone for ConsensusManagerCompareCurrentTimeInputV1
impl Clone for ConsensusManagerCompareCurrentTimeInputV2
impl Clone for ConsensusManagerConfig
impl Clone for ConsensusManagerConfigSubstate
impl Clone for ConsensusManagerFeatureSet
impl Clone for ConsensusManagerGetCurrentEpochInput
impl Clone for ConsensusManagerGetCurrentTimeInputV1
impl Clone for ConsensusManagerGetCurrentTimeInputV2
impl Clone for ConsensusManagerMarker
impl Clone for ConsensusManagerNextRoundInput
impl Clone for ConsensusManagerRegisteredValidatorByStakeKeyPayload
impl Clone for ConsensusManagerStartInput
impl Clone for ConsensusManagerSubstate
impl Clone for CostBreakdown
impl Clone for CostingModule
impl Clone for CostingModuleConfig
impl Clone for CostingParameters
impl Clone for CurrentProposalStatisticSubstate
impl Clone for CurrentValidatorSetSubstate
impl Clone for CuttlefishPart1Settings
impl Clone for CuttlefishPart2Settings
impl Clone for DatabaseUpdates
impl Clone for DbPartitionKey
impl Clone for DbSortKey
impl Clone for Decimal
impl Clone for DetailedCostBreakdown
impl Clone for DetailedExecutionCostBreakdownEntry
impl Clone for DetailedNotarizedTransactionV2
impl Clone for DetailedSignedPartialTransactionV2
impl Clone for Ed25519PublicKey
impl Clone for Ed25519PublicKeyHash
impl Clone for Ed25519Signature
impl Clone for EnabledModules
impl Clone for EncryptedMessageV1
impl Clone for EncryptedMessageV2
impl Clone for Epoch
impl Clone for EpochChangeCondition
impl Clone for EpochChangeEvent
impl Clone for EpochRange
impl Clone for EventFlags
impl Clone for EventSystemStructure
impl Clone for EventTypeIdentifier
impl Clone for ExecutableIntent
impl Clone for ExecutableTransaction
impl Clone for ExecutionConfig
impl Clone for ExecutionContext
impl Clone for ExecutionTrace
impl Clone for ExecutionTraceModule
impl Clone for FeeDestination
impl Clone for FeeLocks
impl Clone for FeeReserveFinalizationSummary
impl Clone for FeeSource
impl Clone for FeeTable
impl Clone for FieldStructure
impl Clone for scrypto_test::prelude::FieldValue
impl Clone for FlashReceipt
impl Clone for FlashTransactionHash
impl Clone for FlashTransactionV1
impl Clone for FnIdentifier
impl Clone for FunctionActor
impl Clone for FunctionSchema
impl Clone for FungibleBucketCreateProofOfAmountInput
impl Clone for FungibleBucketLockAmountInput
impl Clone for FungibleBucketUnlockAmountInput
impl Clone for FungibleProofSubstate
impl Clone for FungibleResourceManagerCreateInput
impl Clone for FungibleResourceManagerCreateManifestInput
impl Clone for FungibleResourceManagerCreateWithInitialSupplyInput
impl Clone for FungibleResourceManagerCreateWithInitialSupplyManifestInput
impl Clone for FungibleResourceManagerFeatureSet
impl Clone for FungibleResourceManagerMintInput
impl Clone for FungibleResourceRoles
impl Clone for FungibleVaultCreateProofOfAmountInput
impl Clone for FungibleVaultFeatureSet
impl Clone for FungibleVaultLockFeeInput
impl Clone for FungibleVaultLockFungibleAmountInput
impl Clone for FungibleVaultUnlockFungibleAmountInput
impl Clone for GeneralResourceConstraint
impl Clone for GenericArgs
impl Clone for GenesisReceipts
impl Clone for GenesisResource
impl Clone for GenesisResourceAllocation
impl Clone for GenesisStakeAllocation
impl Clone for GenesisValidator
impl Clone for GlobalAddress
impl Clone for GlobalAddressPhantom
impl Clone for GlobalAddressReservation
impl Clone for Hash
impl Clone for HrpSet
impl Clone for I192
impl Clone for I256
impl Clone for I320
impl Clone for I384
impl Clone for I448
impl Clone for I512
impl Clone for I768
impl Clone for IdAllocator
impl Clone for IdentifiedLedgerExecutable
impl Clone for IdentityCreateAdvancedInput
impl Clone for IdentityCreateInput
impl Clone for IdentityMarker
impl Clone for IdentitySecurifyToSingleBadgeInput
impl Clone for InMemorySubstateDatabase
impl Clone for IndexPartitionEntryStructure
impl Clone for IndexedScryptoValue
impl Clone for IndexedStateSchema
impl Clone for InstanceContext
impl Clone for scrypto_test::prelude::Instant
impl Clone for InstructionWeights
impl Clone for InstructionsV1
impl Clone for InstructionsV2
impl Clone for IntegerNonFungibleLocalId
impl Clone for IntentCoreV2
impl Clone for IntentHeaderV2
impl Clone for IntentSignatureV1
impl Clone for IntentSignaturesV1
impl Clone for IntentSignaturesV2
impl Clone for IntentV1
impl Clone for InternalAddress
impl Clone for InvalidDropAccess
impl Clone for InvalidGlobalizeAccess
impl Clone for InvalidModuleType
impl Clone for KeyValuePartitionEntryStructure
impl Clone for KeyValueStoreEntryStructure
impl Clone for KeyValueStoreInfo
impl Clone for LatestProtocolUpdateCommitBatch
impl Clone for LeaderProposalHistory
impl Clone for LedgerTransactionHash
impl Clone for LedgerTransactionHashesV1
impl Clone for LedgerTransactionHashesV2
impl Clone for LegacyTransactionManifestV1
impl Clone for LengthValidation
impl Clone for LimitParameters
impl Clone for LiquidFungibleResource
impl Clone for LiquidNonFungibleResource
impl Clone for LiquidNonFungibleVault
impl Clone for LocalKeyValueStoreDataSchema
impl Clone for LocalNonFungibleDataSchema
impl Clone for LocatedInstructionSchemaValidationError
impl Clone for LockData
impl Clone for LockFlags
impl Clone for LockedFungibleResource
impl Clone for LockedNonFungibleResource
impl Clone for ManifestAddressReservation
impl Clone for ManifestBlobRef
impl Clone for ManifestBucket
impl Clone for ManifestCustomTerminalValueRef
impl Clone for ManifestDecimal
impl Clone for ManifestGenesisResource
impl Clone for ManifestNamedAddress
impl Clone for ManifestNamedIntent
impl Clone for ManifestNamedIntentIndex
impl Clone for ManifestPreciseDecimal
impl Clone for ManifestProof
impl Clone for ManifestResourceConstraints
impl Clone for MetadataCreateInput
impl Clone for MetadataCreateWithDataInput
impl Clone for MetadataGetInput
impl Clone for MetadataLockInput
impl Clone for MetadataRemoveInput
impl Clone for MetadataSetInput
impl Clone for MethodActor
impl Clone for MethodKey
impl Clone for ModuleIdIter
impl Clone for ModuleRoleKey
impl Clone for MultiResourcePoolMarker
impl Clone for NameChangeError
impl Clone for NetworkDefinition
impl Clone for NoExtension
impl Clone for NoSettings
impl Clone for NodeDatabaseUpdates
impl Clone for NodeId
impl Clone for NonFungibleBucketContainsNonFungibleInput
impl Clone for NonFungibleBucketCreateProofOfNonFungiblesInput
impl Clone for NonFungibleBucketLockNonFungiblesInput
impl Clone for NonFungibleBucketUnlockNonFungiblesInput
impl Clone for NonFungibleGlobalId
impl Clone for NonFungibleProofGetLocalIdsInput
impl Clone for NonFungibleProofSubstate
impl Clone for NonFungibleResourceManagerCreateInput
impl Clone for NonFungibleResourceManagerCreateManifestInput
impl Clone for NonFungibleResourceManagerCreateRuidWithInitialSupplyInput
impl Clone for NonFungibleResourceManagerCreateRuidWithInitialSupplyManifestInput
impl Clone for NonFungibleResourceManagerCreateWithInitialSupplyInput
impl Clone for NonFungibleResourceManagerCreateWithInitialSupplyManifestInput
impl Clone for NonFungibleResourceManagerDataKeyPayload
impl Clone for NonFungibleResourceManagerExistsInput
impl Clone for NonFungibleResourceManagerFeatureSet
impl Clone for NonFungibleResourceManagerGetNonFungibleInput
impl Clone for NonFungibleResourceManagerMintInput
impl Clone for NonFungibleResourceManagerMintManifestInput
impl Clone for NonFungibleResourceManagerMintRuidInput
impl Clone for NonFungibleResourceManagerMintRuidManifestInput
impl Clone for NonFungibleResourceManagerMintSingleRuidInput
impl Clone for NonFungibleResourceManagerMintSingleRuidManifestInput
impl Clone for NonFungibleResourceManagerMutableFieldsV1
impl Clone for NonFungibleResourceManagerUpdateDataInput
impl Clone for NonFungibleResourceManagerUpdateDataManifestInput
impl Clone for NonFungibleResourceRoles
impl Clone for NonFungibleVaultBurnNonFungiblesInput
impl Clone for NonFungibleVaultContainsNonFungibleInput
impl Clone for NonFungibleVaultCreateProofOfNonFungiblesInput
impl Clone for NonFungibleVaultFeatureSet
impl Clone for NonFungibleVaultGetNonFungibleLocalIdsInput
impl Clone for NonFungibleVaultLockNonFungiblesInput
impl Clone for NonFungibleVaultNonFungibleKeyPayload
impl Clone for NonFungibleVaultRecallNonFungiblesInput
impl Clone for NonFungibleVaultTakeNonFungiblesInput
impl Clone for NonFungibleVaultUnlockNonFungiblesInput
impl Clone for NonRootSubintentSignaturesV2
impl Clone for NonRootSubintentsV2
impl Clone for NotarizedTransactionHash
impl Clone for NotarizedTransactionV1
impl Clone for NotarizedTransactionV2
impl Clone for NotarySignatureV1
impl Clone for NotarySignatureV2
impl Clone for NovelTypeMetadata
impl Clone for NullVmInvoke
impl Clone for ObjectInfo
impl Clone for ObjectInstanceTypeReference
impl Clone for OneResourcePoolMarker
impl Clone for OverallValidityRangeV2
impl Clone for Own
impl Clone for OwnerRoleEntry
impl Clone for PackageAddress
impl Clone for PackageBlueprintVersionAuthConfigKeyPayload
impl Clone for PackageBlueprintVersionDefinitionKeyPayload
impl Clone for PackageBlueprintVersionDependenciesKeyPayload
impl Clone for PackageBlueprintVersionRoyaltyConfigKeyPayload
impl Clone for PackageClaimRoyaltiesInput
impl Clone for PackageCodeInstrumentedCodeKeyPayload
impl Clone for PackageCodeOriginalCodeKeyPayload
impl Clone for PackageCodeVmTypeKeyPayload
impl Clone for PackageDefinition
impl Clone for PackageExport
impl Clone for PackageFeatureSet
impl Clone for PackagePublishNativeInput
impl Clone for PackagePublishNativeManifestInput
impl Clone for PackagePublishWasmAdvancedInput
impl Clone for PackagePublishWasmAdvancedManifestInput
impl Clone for PackagePublishWasmInput
impl Clone for PackagePublishWasmManifestInput
impl Clone for PackageSchemaKeyPayload
impl Clone for PackageTypeReference
impl Clone for PartialTransactionV2
impl Clone for PartialTransactionV2Builder
impl Clone for PartitionNumber
impl Clone for PartitionOffset
impl Clone for PersistableRejectionReason
impl Clone for PersistableRuntimeError
impl Clone for PlaintextMessageV1
impl Clone for PreAllocatedAddress
impl Clone for PreciseDecimal
impl Clone for PreparationSettingsV1
impl Clone for PreparedBlobsV1
impl Clone for PreparedChildSubintentSpecifiersV2
impl Clone for PreparedIntentCoreV2
impl Clone for PreparedIntentV1
impl Clone for PreparedNonRootSubintentSignaturesV2
impl Clone for PreparedNonRootSubintentsV2
impl Clone for PreparedNotarizedTransactionV1
impl Clone for PreparedNotarizedTransactionV2
impl Clone for PreparedPartialTransactionV2
impl Clone for PreparedPreviewTransactionV2
impl Clone for PreparedSignedIntentV1
impl Clone for PreparedSignedPartialTransactionV2
impl Clone for PreparedSignedTransactionIntentV2
impl Clone for PreparedSubintentV2
impl Clone for PreparedTransactionIntentV2
impl Clone for PreviewFlags
impl Clone for PreviewIntentV1
impl Clone for PreviewTransactionV2
impl Clone for ProofCloneInput
impl Clone for ProofGetAmountInput
impl Clone for ProofGetResourceAddressInput
impl Clone for ProofMoveableSubstate
impl Clone for ProposalStatistic
impl Clone for ProposerMilliTimestampSubstate
impl Clone for ProposerMinuteTimestampSubstate
impl Clone for ProposerTimestampRange
impl Clone for ProtocolBuilder
impl Clone for ProtocolParamsSettings
impl Clone for ProtocolSettings
impl Clone for ProtocolSystemTransactionV1
impl Clone for ProtocolUpdateBatch
impl Clone for ProtocolUpdateStatusSummarySubstate
impl Clone for ProtocolUpdateStatusSummaryV1
impl Clone for PublicKeyFingerprint
impl Clone for RUIDNonFungibleLocalId
impl Clone for RawFlashTransaction
impl Clone for RawHash
impl Clone for RawLedgerTransaction
impl Clone for RawNotarizedTransaction
impl Clone for RawPartialTransaction
impl Clone for RawPreviewTransaction
impl Clone for RawRoundUpdateTransactionV1
impl Clone for RawSignedPartialTransaction
impl Clone for RawSignedTransactionIntent
impl Clone for RawSubintent
impl Clone for RawSystemTransaction
impl Clone for RawTransactionIntent
impl Clone for RecoveryProposal
impl Clone for Reference
impl Clone for RejectResult
impl Clone for RemoteKeyValueStoreDataSchema
impl Clone for RemoteNonFungibleDataSchema
impl Clone for ResourceAddress
impl Clone for scrypto_test::prelude::ResourceChange
impl Clone for scrypto_test::prelude::ResourceManager
impl Clone for ResourceManagerCreateEmptyBucketInput
impl Clone for ResourceManagerCreateEmptyVaultInput
impl Clone for ResourceManagerGetAmountForWithdrawalInput
impl Clone for ResourceManagerGetResourceTypeInput
impl Clone for ResourceManagerGetTotalSupplyInput
impl Clone for ResourceSummary
impl Clone for ResourcesUsage
impl Clone for RoleAssignmentCreateInput
impl Clone for RoleAssignmentGetInput
impl Clone for RoleAssignmentGetOwnerRoleInput
impl Clone for RoleAssignmentInit
impl Clone for RoleAssignmentLockOwnerInput
impl Clone for RoleAssignmentSetInput
impl Clone for RoleAssignmentSetOwnerInput
impl Clone for RoleKey
impl Clone for RoleList
impl Clone for Round
impl Clone for RoundChangeEvent
impl Clone for RoundUpdateTransactionHash
impl Clone for RoundUpdateTransactionV1
impl Clone for RuleSet
impl Clone for RuntimeSubstate
impl Clone for SborPath
impl Clone for SborPathBuf
impl Clone for SchemaComparisonCompletenessSettings
impl Clone for SchemaComparisonMetadataSettings
impl Clone for SchemaComparisonSettings
impl Clone for SchemaComparisonStructureSettings
impl Clone for SchemaComparisonValidationSettings
impl Clone for SchemaHash
impl Clone for ScopedTypeId
impl Clone for ScryptoCustomExtension
impl Clone for ScryptoCustomSchema
impl Clone for ScryptoCustomTerminalValueRef
impl Clone for Secp256k1PublicKey
impl Clone for Secp256k1PublicKeyHash
impl Clone for Secp256k1Signature
impl Clone for Secp256k1UncompressedPublicKey
impl Clone for SecretKeyWrapper
impl Clone for SignedIntentV1
impl Clone for SignedPartialTransactionV2
impl Clone for SignedTransactionIntentHash
impl Clone for SignedTransactionIntentV2
impl Clone for SimulatedSubintentNullification
impl Clone for SimulatedTransactionIntentNullification
impl Clone for SortedIndexPartitionEntryStructure
impl Clone for StateUpdateSummary
impl Clone for StateUpdates
impl Clone for StaticRoleDefinition
impl Clone for String
impl Clone for StringNonFungibleLocalId
impl Clone for SubintentHash
impl Clone for SubintentIndex
impl Clone for SubintentManifestV2
impl Clone for SubintentV2
impl Clone for SummarizedRawValueBodyRawBytes
impl Clone for Summary
impl Clone for SystemFieldStructure
impl Clone for SystemLoanFeeReserve
impl Clone for SystemOverrides
impl Clone for SystemParameters
impl Clone for SystemStructure
impl Clone for SystemTransactionHash
impl Clone for SystemTransactionManifestV1
impl Clone for SystemTransactionV1
impl Clone for TrackedSubstate
impl Clone for TransactionCostingParameters
impl Clone for TransactionCostingParametersReceiptV1
impl Clone for TransactionCostingParametersReceiptV2
impl Clone for TransactionDebugInformation
impl Clone for TransactionExecutionTrace
impl Clone for TransactionFeeDetails
impl Clone for TransactionFeeSummary
impl Clone for TransactionHeaderV1
impl Clone for TransactionHeaderV2
impl Clone for TransactionIntentHash
impl Clone for TransactionIntentV2
impl Clone for TransactionManifestV1
impl Clone for TransactionManifestV2
impl Clone for TransactionReceipt
impl Clone for TransactionTrackerSubstateV1
impl Clone for TransactionV1Builder
impl Clone for TransactionV2Builder
impl Clone for TransientReference
impl Clone for TwoResourcePoolMarker
impl Clone for TypeMetadata
impl Clone for U192
impl Clone for U256
impl Clone for U320
impl Clone for U384
impl Clone for U448
impl Clone for U512
impl Clone for U768
impl Clone for UncheckedOrigin
impl Clone for UncheckedUrl
impl Clone for UnstakeData
impl Clone for UserTransactionHashesV1
impl Clone for UserTransactionHashesV2
impl Clone for UtcDateTime
impl Clone for ValidatedIntentInformationV2
impl Clone for ValidatedNotarizedTransactionV1
impl Clone for ValidatedNotarizedTransactionV2
impl Clone for ValidatedPreviewTransactionV2
impl Clone for ValidatedSignedPartialTransactionV2
impl Clone for ValidatorAcceptsDelegatedStakeInput
impl Clone for ValidatorByStakeKey
impl Clone for ValidatorFeatureSet
impl Clone for ValidatorFeeChangeRequest
impl Clone for ValidatorGetProtocolUpdateReadinessInput
impl Clone for ValidatorGetRedemptionValueInput
impl Clone for ValidatorMarker
impl Clone for ValidatorProtocolUpdateReadinessSignalSubstate
impl Clone for ValidatorRegisterInput
impl Clone for ValidatorSignalProtocolUpdateReadinessInput
impl Clone for ValidatorSubstate
impl Clone for ValidatorTotalStakeUnitSupplyInput
impl Clone for ValidatorTotalStakeXrdAmountInput
impl Clone for ValidatorUnregisterInput
impl Clone for ValidatorUpdateAcceptDelegatedStakeInput
impl Clone for ValidatorUpdateFeeInput
impl Clone for ValidatorUpdateKeyInput
impl Clone for VaultBurnInput
impl Clone for VaultFreezeFlags
impl Clone for VaultFreezeInput
impl Clone for VaultFrozenFlag
impl Clone for VaultGetAmountInput
impl Clone for VaultRecallInput
impl Clone for VaultTakeAdvancedInput
impl Clone for VaultTakeInput
impl Clone for VaultUnfreezeInput
impl Clone for VersionedLedgerTransactionHashes
impl Clone for WasmValidatorConfigV1
impl Clone for WasmiEngineOptions
impl Clone for WellKnownTypeId
impl Clone for Worktop
impl Clone for WorktopAssertContainsAmountInput
impl Clone for WorktopAssertContainsInput
impl Clone for WorktopAssertContainsNonFungiblesInput
impl Clone for WorktopAssertResourcesIncludeInput
impl Clone for WorktopAssertResourcesOnlyInput
impl Clone for WorktopDrainInput
impl Clone for WorktopTakeAllInput
impl Clone for WorktopTakeInput
impl Clone for WorktopTakeNonFungiblesInput
impl Clone for Event
impl Clone for TransactionRuntimeModule
impl Clone for EnumVariantHeader
impl Clone for TupleHeader
impl Clone for AccessControllerFeatureSet
impl Clone for AccessControllerV2FeatureSet
impl Clone for AllocError
impl Clone for scrypto_test::prelude::rust::alloc::Global
impl Clone for Layout
impl Clone for LayoutError
impl Clone for System
impl Clone for SipHasher
impl Clone for PhantomPinned
impl Clone for ParseFloatError
impl Clone for scrypto_test::prelude::rust::num::ParseIntError
impl Clone for scrypto_test::prelude::rust::num::TryFromIntError
impl Clone for RangeFull
impl Clone for scrypto_test::prelude::rust::ptr::Alignment
impl Clone for ParseBoolError
impl Clone for Utf8Error
impl Clone for FromUtf8Error
impl Clone for IntoChars
impl Clone for scrypto_test::prelude::rust::sync::mpmc::RecvError
impl Clone for scrypto_test::prelude::rust::sync::WaitTimeoutResult
impl Clone for ByteString
impl Clone for alloc::collections::TryReserveError
impl Clone for CString
impl Clone for FromVecWithNulError
impl Clone for IntoStringError
impl Clone for NulError
impl Clone for core::any::TypeId
impl Clone for TryFromSliceError
impl Clone for core::ascii::EscapeDefault
impl Clone for CharTryFromError
impl Clone for ParseCharError
impl Clone for DecodeUtf16Error
impl Clone for core::char::EscapeDebug
impl Clone for core::char::EscapeDefault
impl Clone for core::char::EscapeUnicode
impl Clone for ToLowercase
impl Clone for ToUppercase
impl Clone for TryFromCharError
impl Clone for CpuidResult
impl Clone for __m128
impl Clone for __m128bh
impl Clone for __m128d
impl Clone for __m128h
impl Clone for __m128i
impl Clone for __m256
impl Clone for __m256bh
impl Clone for __m256d
impl Clone for __m256h
impl Clone for __m256i
impl Clone for __m512
impl Clone for __m512bh
impl Clone for __m512d
impl Clone for __m512h
impl Clone for __m512i
impl Clone for bf16
impl Clone for FromBytesUntilNulError
impl Clone for Ipv4Addr
impl Clone for Ipv6Addr
impl Clone for AddrParseError
impl Clone for SocketAddrV4
impl Clone for SocketAddrV6
impl Clone for LocalWaker
impl Clone for RawWakerVTable
impl Clone for Waker
impl Clone for Duration
impl Clone for TryFromFloatSecsError
impl Clone for Diagnostic
impl Clone for proc_macro::Group
impl Clone for proc_macro::Ident
impl Clone for proc_macro::Literal
impl Clone for proc_macro::Punct
impl Clone for proc_macro::Span
impl Clone for proc_macro::TokenStream
impl Clone for proc_macro::token_stream::IntoIter
impl Clone for std::ffi::os_str::OsString
impl Clone for FileTimes
impl Clone for std::fs::FileType
impl Clone for std::fs::Metadata
impl Clone for OpenOptions
impl Clone for Permissions
impl Clone for std::io::util::Empty
impl Clone for Sink
impl Clone for std::os::linux::raw::arch::stat
impl Clone for std::os::unix::net::addr::SocketAddr
impl Clone for SocketCred
impl Clone for UCred
impl Clone for PathBuf
impl Clone for StripPrefixError
impl Clone for ExitCode
impl Clone for ExitStatus
impl Clone for ExitStatusError
impl Clone for Output
impl Clone for DefaultRandomSource
impl Clone for AccessError
impl Clone for Thread
impl Clone for ThreadId
impl Clone for std::time::Instant
impl Clone for SystemTime
impl Clone for SystemTimeError
impl Clone for Margin
impl Clone for Renderer
impl Clone for Ansi256Color
impl Clone for RgbColor
impl Clone for EffectIter
impl Clone for Effects
impl Clone for Reset
impl Clone for anstyle::style::Style
impl Clone for u5
impl Clone for Blake2bVarCore
impl Clone for Blake2sVarCore
impl Clone for Eager
impl Clone for block_buffer::Error
impl Clone for Lazy
impl Clone for blst::min_pk::AggregatePublicKey
impl Clone for blst::min_pk::AggregateSignature
impl Clone for blst::min_pk::PublicKey
impl Clone for blst::min_pk::SecretKey
impl Clone for blst::min_pk::Signature
impl Clone for blst::min_sig::AggregatePublicKey
impl Clone for blst::min_sig::AggregateSignature
impl Clone for blst::min_sig::PublicKey
impl Clone for blst::min_sig::SecretKey
impl Clone for blst::min_sig::Signature
impl Clone for blst_fp2
impl Clone for blst_fp6
impl Clone for blst_fp12
impl Clone for blst_fp
impl Clone for blst_fr
impl Clone for blst_p1
impl Clone for blst_p1_affine
impl Clone for blst_p2
impl Clone for blst_p2_affine
impl Clone for blst_scalar
impl Clone for bnum::errors::parseint::ParseIntError
impl Clone for bnum::errors::tryfrom::TryFromIntError
impl Clone for Badge
impl Clone for Badges
impl Clone for DependencyDetail
impl Clone for InheritedDependencyDetail
impl Clone for Maintenance
impl Clone for PackageTemplate
impl Clone for cargo_toml::Product
impl Clone for cargo_toml::Profile
impl Clone for Profiles
impl Clone for Target
impl Clone for CustomColor
impl Clone for ColoredString
impl Clone for colored::style::Style
impl Clone for ReadyTimeoutError
impl Clone for crossbeam_channel::err::RecvError
impl Clone for SelectTimeoutError
impl Clone for TryReadyError
impl Clone for TrySelectError
impl Clone for Collector
impl Clone for Unparker
impl Clone for WaitGroup
impl Clone for InvalidLength
impl Clone for CompressedEdwardsY
impl Clone for EdwardsBasepointTable
impl Clone for EdwardsBasepointTableRadix32
impl Clone for EdwardsBasepointTableRadix64
impl Clone for EdwardsBasepointTableRadix128
impl Clone for EdwardsBasepointTableRadix256
impl Clone for EdwardsPoint
impl Clone for MontgomeryPoint
impl Clone for CompressedRistretto
impl Clone for RistrettoBasepointTable
impl Clone for RistrettoPoint
impl Clone for curve25519_dalek::scalar::Scalar
impl Clone for MacError
impl Clone for InvalidBufferSize
impl Clone for InvalidOutputSize
impl Clone for SigningKey
impl Clone for VerifyingKey
impl Clone for ed25519::Signature
impl Clone for Rng
impl Clone for foldhash::fast::FixedState
impl Clone for foldhash::fast::RandomState
impl Clone for foldhash::fast::SeedableRandomState
impl Clone for foldhash::quality::FixedState
impl Clone for foldhash::quality::RandomState
impl Clone for foldhash::quality::SeedableRandomState
impl Clone for fslock::unix::OsString
impl Clone for getrandom::error::Error
impl Clone for itoa::Buffer
impl Clone for j1939_filter
impl Clone for __c_anonymous_sockaddr_can_j1939
impl Clone for __c_anonymous_sockaddr_can_tp
impl Clone for can_filter
impl Clone for can_frame
impl Clone for canfd_frame
impl Clone for canxl_frame
impl Clone for sockaddr_can
impl Clone for libc::unix::linux_like::linux::arch::generic::termios2
impl Clone for msqid_ds
impl Clone for semid_ds
impl Clone for sigset_t
impl Clone for sysinfo
impl Clone for timex
impl Clone for statvfs
impl Clone for _libc_fpstate
impl Clone for _libc_fpxreg
impl Clone for _libc_xmmreg
impl Clone for libc::unix::linux_like::linux::gnu::b64::x86_64::clone_args
impl Clone for libc::unix::linux_like::linux::gnu::b64::x86_64::flock64
impl Clone for libc::unix::linux_like::linux::gnu::b64::x86_64::flock
impl Clone for ipc_perm
impl Clone for max_align_t
impl Clone for mcontext_t
impl Clone for pthread_attr_t
impl Clone for ptrace_rseq_configuration
impl Clone for shmid_ds
impl Clone for libc::unix::linux_like::linux::gnu::b64::x86_64::sigaction
impl Clone for siginfo_t
impl Clone for stack_t
impl Clone for stat64
impl Clone for libc::unix::linux_like::linux::gnu::b64::x86_64::stat
impl Clone for libc::unix::linux_like::linux::gnu::b64::x86_64::statfs64
impl Clone for libc::unix::linux_like::linux::gnu::b64::x86_64::statfs
impl Clone for statvfs64
impl Clone for ucontext_t
impl Clone for user
impl Clone for user_fpregs_struct
impl Clone for user_regs_struct
impl Clone for Elf32_Chdr
impl Clone for Elf64_Chdr
impl Clone for __c_anonymous_ptrace_syscall_info_entry
impl Clone for __c_anonymous_ptrace_syscall_info_exit
impl Clone for __c_anonymous_ptrace_syscall_info_seccomp
impl Clone for __exit_status
impl Clone for __timeval
impl Clone for aiocb
impl Clone for cmsghdr
impl Clone for fanotify_event_info_error
impl Clone for fanotify_event_info_pidfd
impl Clone for fpos64_t
impl Clone for fpos_t
impl Clone for glob64_t
impl Clone for iocb
impl Clone for mallinfo2
impl Clone for mallinfo
impl Clone for mbstate_t
impl Clone for msghdr
impl Clone for nl_mmap_hdr
impl Clone for nl_mmap_req
impl Clone for nl_pktinfo
impl Clone for ntptimeval
impl Clone for ptrace_peeksiginfo_args
impl Clone for ptrace_sud_config
impl Clone for ptrace_syscall_info
impl Clone for regex_t
impl Clone for rtentry
impl Clone for sem_t
impl Clone for seminfo
impl Clone for tcp_info
impl Clone for libc::unix::linux_like::linux::gnu::termios
impl Clone for libc::unix::linux_like::linux::gnu::timespec
impl Clone for utmpx
impl Clone for Elf32_Ehdr
impl Clone for Elf32_Phdr
impl Clone for Elf32_Shdr
impl Clone for Elf32_Sym
impl Clone for Elf64_Ehdr
impl Clone for Elf64_Phdr
impl Clone for Elf64_Shdr
impl Clone for Elf64_Sym
impl Clone for __c_anonymous__kernel_fsid_t
impl Clone for __c_anonymous_elf32_rel
impl Clone for __c_anonymous_elf32_rela
impl Clone for __c_anonymous_elf64_rel
impl Clone for __c_anonymous_elf64_rela
impl Clone for __c_anonymous_ifru_map
impl Clone for af_alg_iv
impl Clone for arpd_request
impl Clone for cpu_set_t
impl Clone for dirent64
impl Clone for dirent
impl Clone for dl_phdr_info
impl Clone for libc::unix::linux_like::linux::dmabuf_cmsg
impl Clone for libc::unix::linux_like::linux::dmabuf_token
impl Clone for dqblk
impl Clone for libc::unix::linux_like::linux::epoll_params
impl Clone for fanotify_event_info_fid
impl Clone for fanotify_event_info_header
impl Clone for fanotify_event_metadata
impl Clone for fanotify_response
impl Clone for fanout_args
impl Clone for ff_condition_effect
impl Clone for ff_constant_effect
impl Clone for ff_effect
impl Clone for ff_envelope
impl Clone for ff_periodic_effect
impl Clone for ff_ramp_effect
impl Clone for ff_replay
impl Clone for ff_rumble_effect
impl Clone for ff_trigger
impl Clone for fsid_t
impl Clone for genlmsghdr
impl Clone for glob_t
impl Clone for hwtstamp_config
impl Clone for if_nameindex
impl Clone for ifconf
impl Clone for ifreq
impl Clone for in6_ifreq
impl Clone for in6_pktinfo
impl Clone for inotify_event
impl Clone for input_absinfo
impl Clone for input_event
impl Clone for input_id
impl Clone for input_keymap_entry
impl Clone for input_mask
impl Clone for libc::unix::linux_like::linux::itimerspec
impl Clone for iw_discarded
impl Clone for iw_encode_ext
impl Clone for iw_event
impl Clone for iw_freq
impl Clone for iw_michaelmicfailure
impl Clone for iw_missed
impl Clone for iw_mlme
impl Clone for iw_param
impl Clone for iw_pmkid_cand
impl Clone for iw_pmksa
impl Clone for iw_point
impl Clone for iw_priv_args
impl Clone for iw_quality
impl Clone for iw_range
impl Clone for iw_scan_req
impl Clone for iw_statistics
impl Clone for iw_thrspy
impl Clone for iwreq
impl Clone for mnt_ns_info
impl Clone for mntent
impl Clone for libc::unix::linux_like::linux::mount_attr
impl Clone for mq_attr
impl Clone for msginfo
impl Clone for nlattr
impl Clone for nlmsgerr
impl Clone for nlmsghdr
impl Clone for libc::unix::linux_like::linux::open_how
impl Clone for option
impl Clone for packet_mreq
impl Clone for passwd
impl Clone for pidfd_info
impl Clone for posix_spawn_file_actions_t
impl Clone for posix_spawnattr_t
impl Clone for pthread_barrier_t
impl Clone for pthread_barrierattr_t
impl Clone for pthread_cond_t
impl Clone for pthread_condattr_t
impl Clone for pthread_mutex_t
impl Clone for pthread_mutexattr_t
impl Clone for pthread_rwlock_t
impl Clone for pthread_rwlockattr_t
impl Clone for ptp_clock_caps
impl Clone for ptp_clock_time
impl Clone for ptp_extts_event
impl Clone for ptp_extts_request
impl Clone for ptp_perout_request
impl Clone for ptp_pin_desc
impl Clone for ptp_sys_offset
impl Clone for ptp_sys_offset_extended
impl Clone for ptp_sys_offset_precise
impl Clone for regmatch_t
impl Clone for libc::unix::linux_like::linux::rlimit64
impl Clone for sched_attr
impl Clone for sctp_authinfo
impl Clone for sctp_initmsg
impl Clone for sctp_nxtinfo
impl Clone for sctp_prinfo
impl Clone for sctp_rcvinfo
impl Clone for sctp_sndinfo
impl Clone for sctp_sndrcvinfo
impl Clone for seccomp_data
impl Clone for seccomp_notif
impl Clone for seccomp_notif_addfd
impl Clone for seccomp_notif_resp
impl Clone for seccomp_notif_sizes
impl Clone for sembuf
impl Clone for signalfd_siginfo
impl Clone for sock_extended_err
impl Clone for sock_txtime
impl Clone for sockaddr_alg
impl Clone for sockaddr_nl
impl Clone for sockaddr_pkt
impl Clone for sockaddr_vm
impl Clone for sockaddr_xdp
impl Clone for spwd
impl Clone for tls12_crypto_info_aes_ccm_128
impl Clone for tls12_crypto_info_aes_gcm_128
impl Clone for tls12_crypto_info_aes_gcm_256
impl Clone for tls12_crypto_info_aria_gcm_128
impl Clone for tls12_crypto_info_aria_gcm_256
impl Clone for tls12_crypto_info_chacha20_poly1305
impl Clone for tls12_crypto_info_sm4_ccm
impl Clone for tls12_crypto_info_sm4_gcm
impl Clone for tls_crypto_info
impl Clone for tpacket2_hdr
impl Clone for tpacket3_hdr
impl Clone for tpacket_auxdata
impl Clone for tpacket_bd_ts
impl Clone for tpacket_block_desc
impl Clone for tpacket_hdr
impl Clone for tpacket_hdr_v1
impl Clone for tpacket_hdr_variant1
impl Clone for tpacket_req3
impl Clone for tpacket_req
impl Clone for tpacket_rollover_stats
impl Clone for tpacket_stats
impl Clone for tpacket_stats_v3
impl Clone for ucred
impl Clone for uinput_abs_setup
impl Clone for uinput_ff_erase
impl Clone for uinput_ff_upload
impl Clone for uinput_setup
impl Clone for uinput_user_dev
impl Clone for xdp_desc
impl Clone for xdp_mmap_offsets
impl Clone for xdp_mmap_offsets_v1
impl Clone for xdp_options
impl Clone for xdp_ring_offset
impl Clone for xdp_ring_offset_v1
impl Clone for xdp_statistics
impl Clone for xdp_statistics_v1
impl Clone for xdp_umem_reg
impl Clone for xdp_umem_reg_v1
impl Clone for xsk_tx_metadata
impl Clone for xsk_tx_metadata_completion
impl Clone for xsk_tx_metadata_request
impl Clone for Dl_info
impl Clone for addrinfo
impl Clone for arphdr
impl Clone for arpreq
impl Clone for arpreq_old
impl Clone for libc::unix::linux_like::epoll_event
impl Clone for fd_set
impl Clone for libc::unix::linux_like::file_clone_range
impl Clone for ifaddrs
impl Clone for in6_rtmsg
impl Clone for in_addr
impl Clone for in_pktinfo
impl Clone for ip_mreq
impl Clone for ip_mreq_source
impl Clone for ip_mreqn
impl Clone for lconv
impl Clone for mmsghdr
impl Clone for sched_param
impl Clone for libc::unix::linux_like::sigevent
impl Clone for sock_filter
impl Clone for sock_fprog
impl Clone for sockaddr
impl Clone for sockaddr_in6
impl Clone for sockaddr_in
impl Clone for sockaddr_ll
impl Clone for sockaddr_storage
impl Clone for sockaddr_un
impl Clone for libc::unix::linux_like::statx
impl Clone for libc::unix::linux_like::statx_timestamp
impl Clone for tm
impl Clone for utsname
impl Clone for group
impl Clone for hostent
impl Clone for in6_addr
impl Clone for libc::unix::iovec
impl Clone for ipv6_mreq
impl Clone for libc::unix::itimerval
impl Clone for linger
impl Clone for libc::unix::pollfd
impl Clone for protoent
impl Clone for libc::unix::rlimit
impl Clone for libc::unix::rusage
impl Clone for servent
impl Clone for libc::unix::sigval
impl Clone for libc::unix::timeval
impl Clone for tms
impl Clone for utimbuf
impl Clone for libc::unix::winsize
impl Clone for Elf_Dyn
impl Clone for Elf_auxv_t
impl Clone for __kernel_fd_set
impl Clone for __kernel_fsid_t
impl Clone for __kernel_itimerspec
impl Clone for __kernel_old_itimerval
impl Clone for __kernel_old_timespec
impl Clone for __kernel_old_timeval
impl Clone for __kernel_sock_timeval
impl Clone for __kernel_timespec
impl Clone for __old_kernel_stat
impl Clone for __sifields__bindgen_ty_1
impl Clone for __sifields__bindgen_ty_2
impl Clone for __sifields__bindgen_ty_3
impl Clone for __sifields__bindgen_ty_4
impl Clone for __sifields__bindgen_ty_5
impl Clone for __sifields__bindgen_ty_5__bindgen_ty_1__bindgen_ty_1
impl Clone for __sifields__bindgen_ty_5__bindgen_ty_1__bindgen_ty_2
impl Clone for __sifields__bindgen_ty_5__bindgen_ty_1__bindgen_ty_3
impl Clone for __sifields__bindgen_ty_6
impl Clone for __sifields__bindgen_ty_7
impl Clone for __user_cap_data_struct
impl Clone for __user_cap_header_struct
impl Clone for cachestat
impl Clone for cachestat_range
impl Clone for linux_raw_sys::general::clone_args
impl Clone for compat_statfs64
impl Clone for linux_raw_sys::general::dmabuf_cmsg
impl Clone for linux_raw_sys::general::dmabuf_token
impl Clone for linux_raw_sys::general::epoll_event
impl Clone for linux_raw_sys::general::epoll_params
impl Clone for f_owner_ex
impl Clone for linux_raw_sys::general::file_clone_range
impl Clone for file_dedupe_range_info
impl Clone for files_stat_struct
impl Clone for linux_raw_sys::general::flock64
impl Clone for linux_raw_sys::general::flock
impl Clone for fs_sysfs_path
impl Clone for fscrypt_get_key_status_arg
impl Clone for fscrypt_get_policy_ex_arg
impl Clone for fscrypt_key
impl Clone for fscrypt_key_specifier
impl Clone for fscrypt_policy_v1
impl Clone for fscrypt_policy_v2
impl Clone for fscrypt_remove_key_arg
impl Clone for fstrim_range
impl Clone for fsuuid2
impl Clone for fsxattr
impl Clone for futex_waitv
impl Clone for inodes_stat_t
impl Clone for linux_raw_sys::general::iovec
impl Clone for linux_raw_sys::general::itimerspec
impl Clone for linux_raw_sys::general::itimerval
impl Clone for kernel_sigaction
impl Clone for kernel_sigset_t
impl Clone for ktermios
impl Clone for mnt_id_req
impl Clone for linux_raw_sys::general::mount_attr
impl Clone for linux_raw_sys::general::open_how
impl Clone for page_region
impl Clone for pm_scan_arg
impl Clone for linux_raw_sys::general::pollfd
impl Clone for procmap_query
impl Clone for linux_raw_sys::general::rlimit64
impl Clone for linux_raw_sys::general::rlimit
impl Clone for robust_list
impl Clone for robust_list_head
impl Clone for linux_raw_sys::general::rusage
impl Clone for linux_raw_sys::general::sigaction
impl Clone for sigaltstack
impl Clone for linux_raw_sys::general::sigevent
impl Clone for sigevent__bindgen_ty_1__bindgen_ty_1
impl Clone for siginfo
impl Clone for siginfo__bindgen_ty_1__bindgen_ty_1
impl Clone for linux_raw_sys::general::stat
impl Clone for linux_raw_sys::general::statfs64
impl Clone for linux_raw_sys::general::statfs
impl Clone for linux_raw_sys::general::statx
impl Clone for linux_raw_sys::general::statx_timestamp
impl Clone for termio
impl Clone for linux_raw_sys::general::termios2
impl Clone for linux_raw_sys::general::termios
impl Clone for linux_raw_sys::general::timespec
impl Clone for linux_raw_sys::general::timeval
impl Clone for timezone
impl Clone for uffd_msg
impl Clone for uffd_msg__bindgen_ty_1__bindgen_ty_1
impl Clone for uffd_msg__bindgen_ty_1__bindgen_ty_2
impl Clone for uffd_msg__bindgen_ty_1__bindgen_ty_3
impl Clone for uffd_msg__bindgen_ty_1__bindgen_ty_4
impl Clone for uffd_msg__bindgen_ty_1__bindgen_ty_5
impl Clone for uffdio_api
impl Clone for uffdio_continue
impl Clone for uffdio_copy
impl Clone for uffdio_move
impl Clone for uffdio_poison
impl Clone for uffdio_range
impl Clone for uffdio_register
impl Clone for uffdio_writeprotect
impl Clone for uffdio_zeropage
impl Clone for user_desc
impl Clone for vfs_cap_data
impl Clone for vfs_cap_data__bindgen_ty_1
impl Clone for vfs_ns_cap_data
impl Clone for vfs_ns_cap_data__bindgen_ty_1
impl Clone for vgetrandom_opaque_params
impl Clone for linux_raw_sys::general::winsize
impl Clone for xattr_args
impl Clone for memchr::arch::all::memchr::One
impl Clone for memchr::arch::all::memchr::Three
impl Clone for memchr::arch::all::memchr::Two
impl Clone for memchr::arch::all::packedpair::Finder
impl Clone for memchr::arch::all::packedpair::Pair
impl Clone for memchr::arch::all::rabinkarp::Finder
impl Clone for memchr::arch::all::rabinkarp::FinderRev
impl Clone for memchr::arch::all::twoway::Finder
impl Clone for memchr::arch::all::twoway::FinderRev
impl Clone for memchr::arch::x86_64::avx2::memchr::One
impl Clone for memchr::arch::x86_64::avx2::memchr::Three
impl Clone for memchr::arch::x86_64::avx2::memchr::Two
impl Clone for memchr::arch::x86_64::avx2::packedpair::Finder
impl Clone for memchr::arch::x86_64::sse2::memchr::One
impl Clone for memchr::arch::x86_64::sse2::memchr::Three
impl Clone for memchr::arch::x86_64::sse2::memchr::Two
impl Clone for memchr::arch::x86_64::sse2::packedpair::Finder
impl Clone for FinderBuilder
impl Clone for Configuration
impl Clone for Policy
impl Clone for multi_stash::Key
impl Clone for BigInt
impl Clone for BigUint
impl Clone for ParseBigIntError
impl Clone for parking_lot::condvar::WaitTimeoutResult
impl Clone for ParkToken
impl Clone for UnparkResult
impl Clone for UnparkToken
impl Clone for DelimSpan
impl Clone for proc_macro2::Group
impl Clone for proc_macro2::Ident
impl Clone for proc_macro2::Literal
impl Clone for proc_macro2::Punct
impl Clone for proc_macro2::Span
impl Clone for proc_macro2::TokenStream
impl Clone for proc_macro2::token_stream::IntoIter
impl Clone for BlueprintEventSchemaInit
impl Clone for BlueprintFunctionsSchemaInit
impl Clone for BlueprintHooksInit
impl Clone for BlueprintSchemaInit
impl Clone for BlueprintStateSchemaInit
impl Clone for BlueprintTypeSchemaInit
impl Clone for FunctionSchemaInit
impl Clone for KeyValueStoreGenericSubstitutions
impl Clone for ReceiverInfo
impl Clone for RefTypes
impl Clone for OnDropInput
impl Clone for OnMoveInput
impl Clone for OnVirtualizeInput
impl Clone for TestUtilsPanicInput
impl Clone for TransactionTrackerCreateInput
impl Clone for TransactionTrackerCreateManifestInput
impl Clone for AccountAuthorizedDepositorKeyPayload
impl Clone for AccountFeatureSet
impl Clone for AccountResourcePreferenceKeyPayload
impl Clone for AccountResourceVaultKeyPayload
impl Clone for AccountSubstate
impl Clone for radix_engine::blueprints::consensus_manager::consensus_manager::Validator
impl Clone for ClaimEvent
impl Clone for RecoverEvent
impl Clone for StoreEvent
impl Clone for AccountLockerAccountClaimsKeyPayload
impl Clone for AccountLockerFeatureSet
impl Clone for MetadataEntryKeyPayload
impl Clone for MetadataFeatureSet
impl Clone for RoleAssignmentAccessRuleKeyPayload
impl Clone for RoleAssignmentFeatureSet
impl Clone for OwnerRoleSubstate
impl Clone for ComponentRoyaltyFeatureSet
impl Clone for ComponentRoyaltyMethodAmountKeyPayload
impl Clone for ComponentRoyaltyDatabaseChecker
impl Clone for RoleAssignmentDatabaseChecker
impl Clone for SystemNodeCheckerState
impl Clone for BlueprintTypeTarget
impl Clone for KVStoreTypeTarget
impl Clone for SubstateSummary
impl Clone for StoredTreeNodeKey
impl Clone for TreeChildEntry
impl Clone for TreeInternalNode
impl Clone for TreeLeafNode
impl Clone for TypedInMemoryTreeStore
impl Clone for VersionedTreeNode
impl Clone for Nibble
impl Clone for NibblePath
impl Clone for TreeNodeKey
impl Clone for MultiLine
impl Clone for RawManifest
impl Clone for InstructionWithSpan
impl Clone for ValueKindWithSpan
impl Clone for ValueWithSpan
impl Clone for BlobProvider
impl Clone for MockBlobProvider
impl Clone for GeneratorError
impl Clone for Lexer
impl Clone for LexerError
impl Clone for AllocateGlobalAddress
impl Clone for AssertBucketContents
impl Clone for AssertNextCallReturnsInclude
impl Clone for AssertNextCallReturnsOnly
impl Clone for AssertWorktopContains
impl Clone for AssertWorktopContainsAny
impl Clone for AssertWorktopContainsNonFungibles
impl Clone for AssertWorktopResourcesInclude
impl Clone for AssertWorktopResourcesOnly
impl Clone for BurnResource
impl Clone for CallDirectVaultMethod
impl Clone for CallFunction
impl Clone for CallMetadataMethod
impl Clone for CallMethod
impl Clone for CallRoleAssignmentMethod
impl Clone for CallRoyaltyMethod
impl Clone for CloneProof
impl Clone for CreateProofFromAuthZoneOfAll
impl Clone for CreateProofFromAuthZoneOfAmount
impl Clone for CreateProofFromAuthZoneOfNonFungibles
impl Clone for CreateProofFromBucketOfAll
impl Clone for CreateProofFromBucketOfAmount
impl Clone for CreateProofFromBucketOfNonFungibles
impl Clone for DropAllProofs
impl Clone for DropAuthZoneProofs
impl Clone for DropAuthZoneRegularProofs
impl Clone for DropAuthZoneSignatureProofs
impl Clone for DropNamedProofs
impl Clone for DropProof
impl Clone for PopFromAuthZone
impl Clone for PushToAuthZone
impl Clone for ReturnToWorktop
impl Clone for TakeAllFromWorktop
impl Clone for TakeFromWorktop
impl Clone for TakeNonFungiblesFromWorktop
impl Clone for VerifyParent
impl Clone for YieldToChild
impl Clone for YieldToParent
impl Clone for KnownManifestObjectNames
impl Clone for TransactionObjectNames
impl Clone for ParserError
impl Clone for AccountDeposit
impl Clone for AggregatedBalanceChange
impl Clone for AllBalanceChanges
impl Clone for InvocationStaticInformation
impl Clone for NetDeposits
impl Clone for NetWithdraws
impl Clone for ResourceBounds
impl Clone for ResourceChangeHistory
impl Clone for StaticResourceMovementsOutput
impl Clone for TrackedResource
impl Clone for TrackedResources
impl Clone for radix_transactions::manifest::token::Position
impl Clone for radix_transactions::manifest::token::Span
impl Clone for TokenWithSpan
impl Clone for ManifestIdAllocator
impl Clone for ManifestYieldSummary
impl Clone for MessageValidationConfig
impl Clone for TransactionValidationConfigV1
impl Clone for TransactionValidationConfigurationSubstate
impl Clone for TransactionValidator
impl Clone for ModuleInfo
impl Clone for radix_wasm_instrument::utils::module_info::RawSection
impl Clone for regex_automata::meta::error::BuildError
impl Clone for regex_automata::meta::regex::Builder
impl Clone for regex_automata::meta::regex::Cache
impl Clone for regex_automata::meta::regex::Config
impl Clone for regex_automata::meta::regex::Regex
impl Clone for regex_automata::nfa::thompson::builder::Builder
impl Clone for Compiler
impl Clone for regex_automata::nfa::thompson::compiler::Config
impl Clone for regex_automata::nfa::thompson::error::BuildError
impl Clone for DenseTransitions
impl Clone for NFA
impl Clone for SparseTransitions
impl Clone for Transition
impl Clone for regex_automata::nfa::thompson::pikevm::Builder
impl Clone for regex_automata::nfa::thompson::pikevm::Cache
impl Clone for regex_automata::nfa::thompson::pikevm::Config
impl Clone for PikeVM
impl Clone for ByteClasses
impl Clone for Unit
impl Clone for Captures
impl Clone for GroupInfo
impl Clone for GroupInfoError
impl Clone for DebugByte
impl Clone for LookMatcher
impl Clone for regex_automata::util::look::LookSet
impl Clone for regex_automata::util::look::LookSetIter
impl Clone for UnicodeWordBoundaryError
impl Clone for Prefilter
impl Clone for NonMaxUsize
impl Clone for PatternID
impl Clone for PatternIDError
impl Clone for SmallIndex
impl Clone for SmallIndexError
impl Clone for StateID
impl Clone for StateIDError
impl Clone for HalfMatch
impl Clone for regex_automata::util::search::Match
impl Clone for MatchError
impl Clone for PatternSet
impl Clone for PatternSetInsertError
impl Clone for regex_automata::util::search::Span
impl Clone for regex_automata::util::syntax::Config
impl Clone for regex_syntax::ast::parse::Parser
impl Clone for regex_syntax::ast::parse::ParserBuilder
impl Clone for Alternation
impl Clone for Assertion
impl Clone for CaptureName
impl Clone for ClassAscii
impl Clone for ClassBracketed
impl Clone for ClassPerl
impl Clone for ClassSetBinaryOp
impl Clone for ClassSetRange
impl Clone for ClassSetUnion
impl Clone for regex_syntax::ast::ClassUnicode
impl Clone for Comment
impl Clone for Concat
impl Clone for regex_syntax::ast::Error
impl Clone for Flags
impl Clone for FlagsItem
impl Clone for regex_syntax::ast::Group
impl Clone for regex_syntax::ast::Literal
impl Clone for regex_syntax::ast::Position
impl Clone for regex_syntax::ast::Repetition
impl Clone for RepetitionOp
impl Clone for SetFlags
impl Clone for regex_syntax::ast::Span
impl Clone for WithComments
impl Clone for Extractor
impl Clone for regex_syntax::hir::literal::Literal
impl Clone for Seq
impl Clone for Capture
impl Clone for ClassBytes
impl Clone for ClassBytesRange
impl Clone for regex_syntax::hir::ClassUnicode
impl Clone for ClassUnicodeRange
impl Clone for regex_syntax::hir::Error
impl Clone for Hir
impl Clone for regex_syntax::hir::Literal
impl Clone for regex_syntax::hir::LookSet
impl Clone for regex_syntax::hir::LookSetIter
impl Clone for Properties
impl Clone for regex_syntax::hir::Repetition
impl Clone for Translator
impl Clone for TranslatorBuilder
impl Clone for regex_syntax::parser::Parser
impl Clone for regex_syntax::parser::ParserBuilder
impl Clone for Utf8Range
impl Clone for regex::builders::bytes::RegexBuilder
impl Clone for regex::builders::bytes::RegexSetBuilder
impl Clone for regex::builders::string::RegexBuilder
impl Clone for regex::builders::string::RegexSetBuilder
impl Clone for regex::regex::bytes::CaptureLocations
impl Clone for regex::regex::bytes::Regex
impl Clone for regex::regex::string::CaptureLocations
impl Clone for regex::regex::string::Regex
impl Clone for regex::regexset::bytes::RegexSet
impl Clone for regex::regexset::bytes::SetMatches
impl Clone for regex::regexset::string::RegexSet
impl Clone for regex::regexset::string::SetMatches
impl Clone for CreateFlags
impl Clone for ReadFlags
impl Clone for WatchFlags
impl Clone for Access
impl Clone for AtFlags
impl Clone for FallocateFlags
impl Clone for Fsid
impl Clone for MemfdFlags
impl Clone for Mode
impl Clone for OFlags
impl Clone for RenameFlags
impl Clone for ResolveFlags
impl Clone for SealFlags
impl Clone for Stat
impl Clone for StatFs
impl Clone for StatVfsMountFlags
impl Clone for Errno
impl Clone for DupFlags
impl Clone for FdFlags
impl Clone for ReadWriteFlags
impl Clone for Timestamps
impl Clone for IFlags
impl Clone for Statx
impl Clone for StatxAttributes
impl Clone for StatxFlags
impl Clone for StatxTimestamp
impl Clone for XattrFlags
impl Clone for DecInt
impl Clone for Timespec
impl Clone for Gid
impl Clone for Uid
impl Clone for ryu::buffer::Buffer
impl Clone for BuildArtifacts
impl Clone for CompilerManifestDefinition
impl Clone for ScryptoCompilerInputParams
impl Clone for AnyComponent
impl Clone for PackageStub
impl Clone for AccessController
impl Clone for Account
impl Clone for AccountLocker
impl Clone for ConsensusManager
impl Clone for Faucet
impl Clone for Identity
impl Clone for MultiResourcePool
impl Clone for OneResourcePool
impl Clone for TwoResourcePool
impl Clone for scrypto::component::stubs::Validator
impl Clone for scrypto::modules::metadata::Metadata
impl Clone for RoleAssignment
impl Clone for Royalty
impl Clone for FungibleResourceManager
impl Clone for FungibleResourceManagerStub
impl Clone for NonFungibleResourceManager
impl Clone for NonFungibleResourceManagerStub
impl Clone for scrypto::resource::resource_manager::ResourceManager
impl Clone for ResourceManagerStub
impl Clone for secp256k1_sys::recovery::RecoverableSignature
impl Clone for Context
impl Clone for secp256k1_sys::ElligatorSwift
impl Clone for secp256k1_sys::Keypair
impl Clone for secp256k1_sys::PublicKey
impl Clone for secp256k1_sys::Signature
impl Clone for secp256k1_sys::XOnlyPublicKey
impl Clone for AlignedType
impl Clone for secp256k1::ecdsa::recovery::RecoverableSignature
impl Clone for RecoveryId
impl Clone for secp256k1::ecdsa::serialized_signature::into_iter::IntoIter
impl Clone for SerializedSignature
impl Clone for secp256k1::ecdsa::Signature
impl Clone for secp256k1::ellswift::ElligatorSwift
impl Clone for InvalidParityValue
impl Clone for secp256k1::key::Keypair
impl Clone for secp256k1::key::PublicKey
impl Clone for secp256k1::key::SecretKey
impl Clone for secp256k1::key::XOnlyPublicKey
impl Clone for OutOfRangeError
impl Clone for secp256k1::scalar::Scalar
impl Clone for secp256k1::schnorr::Signature
impl Clone for Message
impl Clone for BuildMetadata
impl Clone for semver::Comparator
impl Clone for Prerelease
impl Clone for semver::Version
impl Clone for VersionReq
impl Clone for IgnoredAny
impl Clone for serde::de::value::Error
impl Clone for serde_json::map::Map<String, Value>
impl Clone for Number
impl Clone for CompactFormatter
impl Clone for Sha256VarCore
impl Clone for Sha512VarCore
impl Clone for CShake128Core
impl Clone for CShake128ReaderCore
impl Clone for CShake256Core
impl Clone for CShake256ReaderCore
impl Clone for Keccak224Core
impl Clone for Keccak256Core
impl Clone for Keccak256FullCore
impl Clone for Keccak384Core
impl Clone for Keccak512Core
impl Clone for Sha3_224Core
impl Clone for Sha3_256Core
impl Clone for Sha3_384Core
impl Clone for Sha3_512Core
impl Clone for Shake128Core
impl Clone for Shake128ReaderCore
impl Clone for Shake256Core
impl Clone for Shake256ReaderCore
impl Clone for TurboShake128Core
impl Clone for TurboShake128ReaderCore
impl Clone for TurboShake256Core
impl Clone for TurboShake256ReaderCore
impl Clone for Choice
impl Clone for Attribute
impl Clone for MetaList
impl Clone for MetaNameValue
impl Clone for Field
impl Clone for FieldsNamed
impl Clone for FieldsUnnamed
impl Clone for syn::data::Variant
impl Clone for VisCrate
impl Clone for VisPublic
impl Clone for VisRestricted
impl Clone for DataEnum
impl Clone for DataStruct
impl Clone for DataUnion
impl Clone for DeriveInput
impl Clone for syn::error::Error
impl Clone for Arm
impl Clone for ExprArray
impl Clone for ExprAssign
impl Clone for ExprAssignOp
impl Clone for ExprAsync
impl Clone for ExprAwait
impl Clone for ExprBinary
impl Clone for ExprBlock
impl Clone for ExprBox
impl Clone for ExprBreak
impl Clone for ExprCall
impl Clone for ExprCast
impl Clone for ExprClosure
impl Clone for ExprContinue
impl Clone for ExprField
impl Clone for ExprForLoop
impl Clone for ExprGroup
impl Clone for ExprIf
impl Clone for ExprIndex
impl Clone for ExprLet
impl Clone for ExprLit
impl Clone for ExprLoop
impl Clone for ExprMacro
impl Clone for ExprMatch
impl Clone for ExprMethodCall
impl Clone for ExprParen
impl Clone for ExprPath
impl Clone for ExprRange
impl Clone for ExprReference
impl Clone for ExprRepeat
impl Clone for ExprReturn
impl Clone for ExprStruct
impl Clone for ExprTry
impl Clone for ExprTryBlock
impl Clone for ExprTuple
impl Clone for ExprType
impl Clone for ExprUnary
impl Clone for ExprUnsafe
impl Clone for ExprWhile
impl Clone for ExprYield
impl Clone for syn::expr::FieldValue
impl Clone for Index
impl Clone for Label
impl Clone for MethodTurbofish
impl Clone for File
impl Clone for BoundLifetimes
impl Clone for ConstParam
impl Clone for Generics
impl Clone for LifetimeDef
impl Clone for PredicateEq
impl Clone for PredicateLifetime
impl Clone for PredicateType
impl Clone for TraitBound
impl Clone for TypeParam
impl Clone for WhereClause
impl Clone for ForeignItemFn
impl Clone for ForeignItemMacro
impl Clone for ForeignItemStatic
impl Clone for ForeignItemType
impl Clone for ImplItemConst
impl Clone for ImplItemMacro
impl Clone for ImplItemMethod
impl Clone for ImplItemType
impl Clone for ItemConst
impl Clone for ItemEnum
impl Clone for ItemExternCrate
impl Clone for ItemFn
impl Clone for ItemForeignMod
impl Clone for ItemImpl
impl Clone for ItemMacro2
impl Clone for ItemMacro
impl Clone for ItemMod
impl Clone for ItemStatic
impl Clone for ItemStruct
impl Clone for ItemTrait
impl Clone for ItemTraitAlias
impl Clone for ItemType
impl Clone for ItemUnion
impl Clone for ItemUse
impl Clone for syn::item::Receiver
impl Clone for syn::item::Signature
impl Clone for TraitItemConst
impl Clone for TraitItemMacro
impl Clone for TraitItemMethod
impl Clone for TraitItemType
impl Clone for UseGlob
impl Clone for UseGroup
impl Clone for UseName
impl Clone for UsePath
impl Clone for UseRename
impl Clone for Lifetime
impl Clone for LitBool
impl Clone for LitByte
impl Clone for LitByteStr
impl Clone for LitChar
impl Clone for LitFloat
impl Clone for LitInt
impl Clone for LitStr
impl Clone for syn::mac::Macro
impl Clone for FieldPat
impl Clone for PatBox
impl Clone for PatIdent
impl Clone for PatLit
impl Clone for PatMacro
impl Clone for PatOr
impl Clone for PatPath
impl Clone for PatRange
impl Clone for PatReference
impl Clone for PatRest
impl Clone for PatSlice
impl Clone for PatStruct
impl Clone for PatTuple
impl Clone for PatTupleStruct
impl Clone for PatType
impl Clone for PatWild
impl Clone for AngleBracketedGenericArguments
impl Clone for Binding
impl Clone for Constraint
impl Clone for ParenthesizedGenericArguments
impl Clone for Path
impl Clone for PathSegment
impl Clone for QSelf
impl Clone for Block
impl Clone for Local
impl Clone for Abstract
impl Clone for Add
impl Clone for AddEq
impl Clone for And
impl Clone for AndAnd
impl Clone for AndEq
impl Clone for As
impl Clone for Async
impl Clone for At
impl Clone for Auto
impl Clone for Await
impl Clone for Bang
impl Clone for Become
impl Clone for syn::token::Box
impl Clone for Brace
impl Clone for Bracket
impl Clone for Break
impl Clone for Caret
impl Clone for CaretEq
impl Clone for Colon2
impl Clone for Colon
impl Clone for Comma
impl Clone for Const
impl Clone for Continue
impl Clone for Crate
impl Clone for Default
impl Clone for Div
impl Clone for DivEq
impl Clone for Do
impl Clone for Dollar
impl Clone for Dot2
impl Clone for Dot3
impl Clone for syn::token::Dot
impl Clone for DotDotEq
impl Clone for Dyn
impl Clone for Else
impl Clone for Enum
impl Clone for Eq
impl Clone for EqEq
impl Clone for syn::token::Extern
impl Clone for FatArrow
impl Clone for Final
impl Clone for Fn
impl Clone for For
impl Clone for Ge
impl Clone for syn::token::Group
impl Clone for Gt
impl Clone for If
impl Clone for Impl
impl Clone for In
impl Clone for LArrow
impl Clone for Le
impl Clone for Let
impl Clone for Loop
impl Clone for Lt
impl Clone for syn::token::Macro
impl Clone for syn::token::Match
impl Clone for Mod
impl Clone for Move
impl Clone for MulEq
impl Clone for Mut
impl Clone for Ne
impl Clone for Or
impl Clone for OrEq
impl Clone for OrOr
impl Clone for Override
impl Clone for Paren
impl Clone for Pound
impl Clone for Priv
impl Clone for Pub
impl Clone for Question
impl Clone for RArrow
impl Clone for Ref
impl Clone for Rem
impl Clone for RemEq
impl Clone for Return
impl Clone for SelfType
impl Clone for SelfValue
impl Clone for Semi
impl Clone for Shl
impl Clone for ShlEq
impl Clone for Shr
impl Clone for ShrEq
impl Clone for Star
impl Clone for Static
impl Clone for Struct
impl Clone for Sub
impl Clone for SubEq
impl Clone for Super
impl Clone for Tilde
impl Clone for Trait
impl Clone for Try
impl Clone for syn::token::Type
impl Clone for Typeof
impl Clone for Underscore
impl Clone for syn::token::Union
impl Clone for Unsafe
impl Clone for Unsized
impl Clone for Use
impl Clone for Virtual
impl Clone for Where
impl Clone for While
impl Clone for Yield
impl Clone for Abi
impl Clone for BareFnArg
impl Clone for TypeArray
impl Clone for TypeBareFn
impl Clone for TypeGroup
impl Clone for TypeImplTrait
impl Clone for TypeInfer
impl Clone for TypeMacro
impl Clone for TypeNever
impl Clone for TypeParen
impl Clone for TypePath
impl Clone for TypePtr
impl Clone for TypeReference
impl Clone for TypeSlice
impl Clone for TypeTraitObject
impl Clone for TypeTuple
impl Clone for Variadic
impl Clone for Null
impl Clone for threadpool::Builder
impl Clone for ThreadPool
impl Clone for toml::de::Error
impl Clone for toml::map::Map<String, Value>
impl Clone for toml::ser::Error
impl Clone for Date
impl Clone for Datetime
impl Clone for DatetimeParseError
impl Clone for Time
impl Clone for Array
impl Clone for ArrayOfTables
impl Clone for toml_edit::de::Error
impl Clone for Document
impl Clone for InlineTable
impl Clone for InternalString
impl Clone for toml_edit::key::Key
impl Clone for TomlError
impl Clone for RawString
impl Clone for Decor
impl Clone for Repr
impl Clone for toml_edit::table::Table
impl Clone for ATerm
impl Clone for B0
impl Clone for B1
impl Clone for Z0
impl Clone for Equal
impl Clone for Greater
impl Clone for Less
impl Clone for UTerm
impl Clone for uuid::error::Error
impl Clone for Braced
impl Clone for Hyphenated
impl Clone for Simple
impl Clone for Urn
impl Clone for NonNilUuid
impl Clone for Uuid
impl Clone for NoContext
impl Clone for Timestamp
impl Clone for ModuleBinary
impl Clone for wabt::Features
impl Clone for DirEntry
impl Clone for ComponentAliasSection
impl Clone for CanonicalFunctionSection
impl Clone for ComponentExportSection
impl Clone for ComponentImportSection
impl Clone for ComponentInstanceSection
impl Clone for InstanceSection
impl Clone for ComponentNameSection
impl Clone for wasm_encoder::component::Component
impl Clone for wasm_encoder::component::types::ComponentType
impl Clone for ComponentTypeSection
impl Clone for CoreTypeSection
impl Clone for wasm_encoder::component::types::InstanceType
impl Clone for wasm_encoder::component::types::ModuleType
impl Clone for CodeSection
impl Clone for Function
impl Clone for wasm_encoder::core::code::MemArg
impl Clone for DataCountSection
impl Clone for DataSection
impl Clone for CoreDumpSection
impl Clone for CoreDumpStackSection
impl Clone for ElementSection
impl Clone for ExportSection
impl Clone for FunctionSection
impl Clone for GlobalSection
impl Clone for wasm_encoder::core::globals::GlobalType
impl Clone for ImportSection
impl Clone for DataSymbolDefinition
impl Clone for LinkingSection
impl Clone for SymbolTable
impl Clone for MemorySection
impl Clone for wasm_encoder::core::memories::MemoryType
impl Clone for IndirectNameMap
impl Clone for NameMap
impl Clone for NameSection
impl Clone for wasm_encoder::core::producers::ProducersField
impl Clone for ProducersSection
impl Clone for StartSection
impl Clone for wasm_encoder::core::Module
impl Clone for TableSection
impl Clone for wasm_encoder::core::tables::TableType
impl Clone for TagSection
impl Clone for wasm_encoder::core::tags::TagType
impl Clone for wasm_encoder::core::types::RefType
impl Clone for TypeSection
impl Clone for wasm_opt::api::Features
impl Clone for InliningOptions
impl Clone for OptimizationOptions
impl Clone for PassOptions
impl Clone for Passes
impl Clone for ReaderOptions
impl Clone for WriterOptions
impl Clone for wasmi::engine::config::Config
impl Clone for EnforcedLimits
impl Clone for StackLimits
impl Clone for Engine
impl Clone for EngineWeak
impl Clone for ExternRef
impl Clone for wasmi::func::func_type::FuncType
impl Clone for FuncRef
impl Clone for wasmi::func::Func
impl Clone for wasmi::global::Global
impl Clone for wasmi::global::GlobalType
impl Clone for wasmi::instance::Instance
impl Clone for StoreLimits
impl Clone for wasmi::memory::Memory
impl Clone for wasmi::memory::MemoryType
impl Clone for wasmi::module::Module
impl Clone for wasmi::table::Table
impl Clone for wasmi::table::TableType
impl Clone for StringInterner
impl Clone for Sym
impl Clone for F32
impl Clone for F64
impl Clone for TypedVal
impl Clone for Pages
impl Clone for UntypedVal
impl Clone for AnyConst16
impl Clone for AnyConst32
impl Clone for wasmi_ir::index::Data
impl Clone for Elem
impl Clone for wasmi_ir::index::Func
impl Clone for wasmi_ir::index::FuncType
impl Clone for wasmi_ir::index::Global
impl Clone for Instr
impl Clone for InternalFunc
impl Clone for wasmi_ir::index::Memory
impl Clone for Reg
impl Clone for wasmi_ir::index::Table
impl Clone for BlockFuel
impl Clone for BranchOffset16
impl Clone for BranchOffset
impl Clone for ComparatorAndOffset
impl Clone for InstrSequence
impl Clone for BoundedRegSpan
impl Clone for RegSpan
impl Clone for RegSpanIter
impl Clone for wasmparser_nostd::binary_reader::BinaryReaderError
impl Clone for wasmparser_nostd::parser::Parser
impl Clone for wasmparser_nostd::readers::component::start::ComponentStartFunction
impl Clone for wasmparser_nostd::readers::core::operators::Ieee32
impl Clone for wasmparser_nostd::readers::core::operators::Ieee64
impl Clone for wasmparser_nostd::readers::core::operators::MemArg
impl Clone for wasmparser_nostd::readers::core::operators::V128
impl Clone for wasmparser_nostd::readers::core::types::FuncType
impl Clone for wasmparser_nostd::readers::core::types::GlobalType
impl Clone for wasmparser_nostd::readers::core::types::MemoryType
impl Clone for wasmparser_nostd::readers::core::types::TableType
impl Clone for wasmparser_nostd::readers::core::types::TagType
impl Clone for wasmparser_nostd::validator::operators::Frame
impl Clone for wasmparser_nostd::validator::WasmFeatures
impl Clone for wasmparser_nostd::validator::types::ComponentFuncType
impl Clone for wasmparser_nostd::validator::types::ComponentInstanceType
impl Clone for wasmparser_nostd::validator::types::ComponentType
impl Clone for wasmparser_nostd::validator::types::InstanceType
impl Clone for wasmparser_nostd::validator::types::KebabString
impl Clone for wasmparser_nostd::validator::types::ModuleType
impl Clone for wasmparser_nostd::validator::types::RecordType
impl Clone for wasmparser_nostd::validator::types::TupleType
impl Clone for wasmparser_nostd::validator::types::TypeId
impl Clone for wasmparser_nostd::validator::types::UnionType
impl Clone for wasmparser_nostd::validator::types::VariantCase
impl Clone for wasmparser_nostd::validator::types::VariantType
impl Clone for wasmparser::binary_reader::BinaryReaderError
impl Clone for wasmparser::parser::Parser
impl Clone for wasmparser::readers::component::start::ComponentStartFunction
impl Clone for wasmparser::readers::core::operators::Ieee32
impl Clone for wasmparser::readers::core::operators::Ieee64
impl Clone for wasmparser::readers::core::operators::MemArg
impl Clone for wasmparser::readers::core::operators::V128
impl Clone for ArrayType
impl Clone for wasmparser::readers::core::types::FuncType
impl Clone for wasmparser::readers::core::types::GlobalType
impl Clone for wasmparser::readers::core::types::MemoryType
impl Clone for wasmparser::readers::core::types::RefType
impl Clone for wasmparser::readers::core::types::TableType
impl Clone for wasmparser::readers::core::types::TagType
impl Clone for KebabName
impl Clone for wasmparser::validator::names::KebabString
impl Clone for wasmparser::validator::operators::Frame
impl Clone for wasmparser::validator::WasmFeatures
impl Clone for wasmparser::validator::types::ComponentFuncType
impl Clone for wasmparser::validator::types::ComponentInstanceType
impl Clone for wasmparser::validator::types::ComponentType
impl Clone for wasmparser::validator::types::InstanceType
impl Clone for wasmparser::validator::types::ModuleType
impl Clone for wasmparser::validator::types::RecordType
impl Clone for ResourceId
impl Clone for wasmparser::validator::types::TupleType
impl Clone for wasmparser::validator::types::TypeId
impl Clone for wasmparser::validator::types::UnionType
impl Clone for wasmparser::validator::types::VariantCase
impl Clone for wasmparser::validator::types::VariantType
impl Clone for __c_anonymous_sockaddr_can_can_addr
impl Clone for __c_anonymous_ptrace_syscall_info_data
impl Clone for __c_anonymous_ifc_ifcu
impl Clone for __c_anonymous_ifr_ifru
impl Clone for __c_anonymous_iwreq
impl Clone for __c_anonymous_ptp_perout_request_1
impl Clone for __c_anonymous_ptp_perout_request_2
impl Clone for __c_anonymous_xsk_tx_metadata_union
impl Clone for iwreq_data
impl Clone for tpacket_bd_header_u
impl Clone for tpacket_req_u
impl Clone for Elf_Dyn_Union
impl Clone for __sifields
impl Clone for __sifields__bindgen_ty_5__bindgen_ty_1
impl Clone for fscrypt_get_policy_ex_arg__bindgen_ty_1
impl Clone for fscrypt_key_specifier__bindgen_ty_1
impl Clone for sigevent__bindgen_ty_1
impl Clone for siginfo__bindgen_ty_1
impl Clone for linux_raw_sys::general::sigval
impl Clone for uffd_msg__bindgen_ty_1
impl Clone for uffd_msg__bindgen_ty_1__bindgen_ty_1__bindgen_ty_1
impl<'a> Clone for ClientCostingEntry<'a>
impl<'a> Clone for SubstateKeyRef<'a>
impl<'a> Clone for Utf8Pattern<'a>
impl<'a> Clone for std::path::Component<'a>
impl<'a> Clone for Prefix<'a>
impl<'a> Clone for AddressReservationDestination<'a>
impl<'a> Clone for BlobDestination<'a>
impl<'a> Clone for BucketAssertion<'a>
impl<'a> Clone for BucketDestination<'a>
impl<'a> Clone for BucketSourceAmount<'a>
impl<'a> Clone for ExpressionDestination<'a>
impl<'a> Clone for InvocationKind<'a>
impl<'a> Clone for ManifestInstructionEffect<'a>
impl<'a> Clone for NextCallAssertion<'a>
impl<'a> Clone for ProofDestination<'a>
impl<'a> Clone for ProofSourceAmount<'a>
impl<'a> Clone for ResourceAssertion<'a>
impl<'a> Clone for WorktopAssertion<'a>
impl<'a> Clone for ManifestObjectNamesRef<'a>
impl<'a> Clone for Unexpected<'a>
impl<'a> Clone for Alias<'a>
impl<'a> Clone for wasm_encoder::component::imports::ComponentExternName<'a>
impl<'a> Clone for wasm_encoder::core::code::Instruction<'a>
impl<'a> Clone for DataSegmentMode<'a>
impl<'a> Clone for ElementMode<'a>
impl<'a> Clone for Elements<'a>
impl<'a> Clone for wasmparser_nostd::readers::component::aliases::ComponentAlias<'a>
impl<'a> Clone for wasmparser_nostd::readers::component::instances::ComponentInstance<'a>
impl<'a> Clone for wasmparser_nostd::readers::component::instances::Instance<'a>
impl<'a> Clone for wasmparser_nostd::readers::component::names::ComponentName<'a>
impl<'a> Clone for wasmparser_nostd::readers::component::types::ComponentDefinedType<'a>
impl<'a> Clone for wasmparser_nostd::readers::component::types::ComponentFuncResult<'a>
impl<'a> Clone for wasmparser_nostd::readers::component::types::ComponentType<'a>
impl<'a> Clone for wasmparser_nostd::readers::component::types::ComponentTypeDeclaration<'a>
impl<'a> Clone for wasmparser_nostd::readers::component::types::CoreType<'a>
impl<'a> Clone for wasmparser_nostd::readers::component::types::InstanceTypeDeclaration<'a>
impl<'a> Clone for wasmparser_nostd::readers::component::types::ModuleTypeDeclaration<'a>
impl<'a> Clone for wasmparser_nostd::readers::core::data::DataKind<'a>
impl<'a> Clone for wasmparser_nostd::readers::core::elements::ElementItems<'a>
impl<'a> Clone for wasmparser_nostd::readers::core::elements::ElementKind<'a>
impl<'a> Clone for wasmparser_nostd::readers::core::names::Name<'a>
impl<'a> Clone for wasmparser_nostd::readers::core::operators::Operator<'a>
impl<'a> Clone for wasmparser::readers::component::aliases::ComponentAlias<'a>
impl<'a> Clone for wasmparser::readers::component::imports::ComponentExternName<'a>
impl<'a> Clone for wasmparser::readers::component::instances::ComponentInstance<'a>
impl<'a> Clone for wasmparser::readers::component::instances::Instance<'a>
impl<'a> Clone for wasmparser::readers::component::names::ComponentName<'a>
impl<'a> Clone for wasmparser::readers::component::types::ComponentDefinedType<'a>
impl<'a> Clone for wasmparser::readers::component::types::ComponentFuncResult<'a>
impl<'a> Clone for wasmparser::readers::component::types::ComponentType<'a>
impl<'a> Clone for wasmparser::readers::component::types::ComponentTypeDeclaration<'a>
impl<'a> Clone for wasmparser::readers::component::types::CoreType<'a>
impl<'a> Clone for wasmparser::readers::component::types::InstanceTypeDeclaration<'a>
impl<'a> Clone for wasmparser::readers::component::types::ModuleTypeDeclaration<'a>
impl<'a> Clone for wasmparser::readers::core::data::DataKind<'a>
impl<'a> Clone for wasmparser::readers::core::elements::ElementItems<'a>
impl<'a> Clone for wasmparser::readers::core::elements::ElementKind<'a>
impl<'a> Clone for wasmparser::readers::core::names::Name<'a>
impl<'a> Clone for wasmparser::readers::core::operators::Operator<'a>
impl<'a> Clone for KebabNameKind<'a>
impl<'a> Clone for Arguments<'a>
impl<'a> Clone for AddressDisplayContext<'a>
impl<'a> Clone for ManifestValueDisplayContext<'a>
impl<'a> Clone for ScryptoValueDisplayContext<'a>
impl<'a> Clone for TransactionHashDisplayContext<'a>
impl<'a> Clone for PhantomContravariantLifetime<'a>
impl<'a> Clone for PhantomCovariantLifetime<'a>
impl<'a> Clone for PhantomInvariantLifetime<'a>
impl<'a> Clone for EscapeAscii<'a>
impl<'a> Clone for CharSearcher<'a>
impl<'a> Clone for scrypto_test::prelude::rust::str::Bytes<'a>
impl<'a> Clone for CharIndices<'a>
impl<'a> Clone for Chars<'a>
impl<'a> Clone for EncodeUtf16<'a>
impl<'a> Clone for scrypto_test::prelude::rust::str::EscapeDebug<'a>
impl<'a> Clone for scrypto_test::prelude::rust::str::EscapeDefault<'a>
impl<'a> Clone for scrypto_test::prelude::rust::str::EscapeUnicode<'a>
impl<'a> Clone for Lines<'a>
impl<'a> Clone for LinesAny<'a>
impl<'a> Clone for SplitAsciiWhitespace<'a>
impl<'a> Clone for SplitWhitespace<'a>
impl<'a> Clone for Utf8Chunk<'a>
impl<'a> Clone for Utf8Chunks<'a>
impl<'a> Clone for Source<'a>
impl<'a> Clone for core::ffi::c_str::Bytes<'a>
impl<'a> Clone for core::panic::location::Location<'a>
impl<'a> Clone for IoSlice<'a>
impl<'a> Clone for Ancestors<'a>
impl<'a> Clone for Components<'a>
impl<'a> Clone for std::path::Iter<'a>
impl<'a> Clone for PrefixComponent<'a>
impl<'a> Clone for anyhow::Chain<'a>
impl<'a> Clone for Select<'a>
impl<'a> Clone for foldhash::fast::FoldHasher<'a>
impl<'a> Clone for foldhash::quality::FoldHasher<'a>
impl<'a> Clone for ManifestDecompilationDisplayContext<'a>
impl<'a> Clone for AddressReservationState<'a>
impl<'a> Clone for BucketState<'a>
impl<'a> Clone for IntentState<'a>
impl<'a> Clone for NamedAddressState<'a>
impl<'a> Clone for ProofState<'a>
impl<'a> Clone for CapturesPatternIter<'a>
impl<'a> Clone for GroupInfoPatternNames<'a>
impl<'a> Clone for PatternSetIter<'a>
impl<'a> Clone for regex::regexset::bytes::SetMatchesIter<'a>
impl<'a> Clone for regex::regexset::string::SetMatchesIter<'a>
impl<'a> Clone for serde_json::map::Iter<'a>
impl<'a> Clone for serde_json::map::Keys<'a>
impl<'a> Clone for serde_json::map::Values<'a>
impl<'a> Clone for PrettyFormatter<'a>
impl<'a> Clone for syn::buffer::Cursor<'a>
impl<'a> Clone for ImplGenerics<'a>
impl<'a> Clone for Turbofish<'a>
impl<'a> Clone for TypeGenerics<'a>
impl<'a> Clone for NestedComponentSection<'a>
impl<'a> Clone for ModuleSection<'a>
impl<'a> Clone for CustomSection<'a>
impl<'a> Clone for ElementSegment<'a>
impl<'a> Clone for wasm_encoder::raw::RawSection<'a>
impl<'a> Clone for wasmparser_nostd::binary_reader::BinaryReader<'a>
impl<'a> Clone for wasmparser_nostd::readers::component::exports::ComponentExport<'a>
impl<'a> Clone for wasmparser_nostd::readers::component::imports::ComponentImport<'a>
impl<'a> Clone for wasmparser_nostd::readers::component::instances::ComponentInstantiationArg<'a>
impl<'a> Clone for wasmparser_nostd::readers::component::instances::InstantiationArg<'a>
impl<'a> Clone for wasmparser_nostd::readers::component::types::ComponentFuncType<'a>
impl<'a> Clone for wasmparser_nostd::readers::component::types::VariantCase<'a>
impl<'a> Clone for wasmparser_nostd::readers::core::code::FunctionBody<'a>
impl<'a> Clone for wasmparser_nostd::readers::core::custom::CustomSectionReader<'a>
impl<'a> Clone for wasmparser_nostd::readers::core::data::Data<'a>
impl<'a> Clone for wasmparser_nostd::readers::core::elements::Element<'a>
impl<'a> Clone for wasmparser_nostd::readers::core::exports::Export<'a>
impl<'a> Clone for wasmparser_nostd::readers::core::globals::Global<'a>
impl<'a> Clone for wasmparser_nostd::readers::core::imports::Import<'a>
impl<'a> Clone for wasmparser_nostd::readers::core::init::ConstExpr<'a>
impl<'a> Clone for wasmparser_nostd::readers::core::names::IndirectNaming<'a>
impl<'a> Clone for wasmparser_nostd::readers::core::names::Naming<'a>
impl<'a> Clone for wasmparser_nostd::readers::core::operators::BrTable<'a>
impl<'a> Clone for wasmparser_nostd::readers::core::operators::OperatorsReader<'a>
impl<'a> Clone for wasmparser_nostd::readers::core::producers::ProducersField<'a>
impl<'a> Clone for wasmparser_nostd::readers::core::producers::ProducersFieldValue<'a>
impl<'a> Clone for wasmparser_nostd::validator::types::TypesRef<'a>
impl<'a> Clone for wasmparser::binary_reader::BinaryReader<'a>
impl<'a> Clone for wasmparser::readers::component::exports::ComponentExport<'a>
impl<'a> Clone for wasmparser::readers::component::imports::ComponentImport<'a>
impl<'a> Clone for wasmparser::readers::component::instances::ComponentInstantiationArg<'a>
impl<'a> Clone for wasmparser::readers::component::instances::InstantiationArg<'a>
impl<'a> Clone for wasmparser::readers::component::types::ComponentFuncType<'a>
impl<'a> Clone for wasmparser::readers::component::types::VariantCase<'a>
impl<'a> Clone for wasmparser::readers::core::code::FunctionBody<'a>
impl<'a> Clone for wasmparser::readers::core::custom::CustomSectionReader<'a>
impl<'a> Clone for wasmparser::readers::core::data::Data<'a>
impl<'a> Clone for wasmparser::readers::core::elements::Element<'a>
impl<'a> Clone for wasmparser::readers::core::exports::Export<'a>
impl<'a> Clone for wasmparser::readers::core::globals::Global<'a>
impl<'a> Clone for wasmparser::readers::core::imports::Import<'a>
impl<'a> Clone for wasmparser::readers::core::init::ConstExpr<'a>
impl<'a> Clone for wasmparser::readers::core::names::IndirectNaming<'a>
impl<'a> Clone for wasmparser::readers::core::names::Naming<'a>
impl<'a> Clone for wasmparser::readers::core::operators::BrTable<'a>
impl<'a> Clone for wasmparser::readers::core::operators::OperatorsReader<'a>
impl<'a> Clone for wasmparser::readers::core::producers::ProducersField<'a>
impl<'a> Clone for wasmparser::readers::core::producers::ProducersFieldValue<'a>
impl<'a> Clone for wasmparser::validator::types::TypesRef<'a>
impl<'a, 'b> Clone for CharSliceSearcher<'a, 'b>
impl<'a, 'b> Clone for StrSearcher<'a, 'b>
impl<'a, 'b> Clone for tempfile::Builder<'a, 'b>
impl<'a, 'b, const N: usize> Clone for CharArrayRefSearcher<'a, 'b, N>
impl<'a, 'h> Clone for memchr::arch::all::memchr::OneIter<'a, 'h>
impl<'a, 'h> Clone for memchr::arch::all::memchr::ThreeIter<'a, 'h>
impl<'a, 'h> Clone for memchr::arch::all::memchr::TwoIter<'a, 'h>
impl<'a, 'h> Clone for memchr::arch::x86_64::avx2::memchr::OneIter<'a, 'h>
impl<'a, 'h> Clone for memchr::arch::x86_64::avx2::memchr::ThreeIter<'a, 'h>
impl<'a, 'h> Clone for memchr::arch::x86_64::avx2::memchr::TwoIter<'a, 'h>
impl<'a, 'h> Clone for memchr::arch::x86_64::sse2::memchr::OneIter<'a, 'h>
impl<'a, 'h> Clone for memchr::arch::x86_64::sse2::memchr::ThreeIter<'a, 'h>
impl<'a, 'h> Clone for memchr::arch::x86_64::sse2::memchr::TwoIter<'a, 'h>
impl<'a, D> Clone for DataSegment<'a, D>where
D: Clone,
impl<'a, E> Clone for RawValue<'a, E>
impl<'a, E> Clone for BytesDeserializer<'a, E>
impl<'a, E> Clone for CowStrDeserializer<'a, E>
impl<'a, F> Clone for CharPredicateSearcher<'a, F>
impl<'a, I> Clone for Format<'a, I>where
I: Clone,
impl<'a, I, F> Clone for FormatWith<'a, I, F>
impl<'a, K> Clone for ObjectCollectionKey<'a, K>where
K: Clone + ScryptoEncode,
impl<'a, K> Clone for scrypto_test::prelude::btree_set::Cursor<'a, K>where
K: Clone + 'a,
impl<'a, K, V> Clone for indexmap_nostd::map::Iter<'a, K, V>
impl<'a, K, V> Clone for indexmap_nostd::map::Values<'a, K, V>
impl<'a, K, V> Clone for wasmi_collections::map::Iter<'a, K, V>
impl<'a, K, V> Clone for wasmi_collections::map::Keys<'a, K, V>
impl<'a, K, V> Clone for wasmi_collections::map::Values<'a, K, V>
impl<'a, P> Clone for MatchIndices<'a, P>
impl<'a, P> Clone for Matches<'a, P>
impl<'a, P> Clone for RMatchIndices<'a, P>
impl<'a, P> Clone for RMatches<'a, P>
impl<'a, P> Clone for scrypto_test::prelude::rust::str::RSplit<'a, P>
impl<'a, P> Clone for RSplitN<'a, P>
impl<'a, P> Clone for RSplitTerminator<'a, P>
impl<'a, P> Clone for scrypto_test::prelude::rust::str::Split<'a, P>
impl<'a, P> Clone for scrypto_test::prelude::rust::str::SplitInclusive<'a, P>
impl<'a, P> Clone for SplitN<'a, P>
impl<'a, P> Clone for SplitTerminator<'a, P>
impl<'a, T> Clone for RChunksExact<'a, T>
impl<'a, T> Clone for hashbrown::table::Iter<'a, T>
impl<'a, T> Clone for IterHash<'a, T>
impl<'a, T> Clone for indexmap_nostd::set::Iter<'a, T>where
T: Clone,
impl<'a, T> Clone for syn::punctuated::Iter<'a, T>
impl<'a, T> Clone for ArcBorrow<'a, T>
impl<'a, T> Clone for StoreContext<'a, T>where
T: Clone,
impl<'a, T> Clone for wasmi_collections::set::Iter<'a, T>where
T: Clone,
impl<'a, T> Clone for wasmparser_nostd::resources::WasmFuncTypeInputs<'a, T>
impl<'a, T> Clone for wasmparser_nostd::resources::WasmFuncTypeOutputs<'a, T>
impl<'a, T> Clone for wasmparser::resources::WasmFuncTypeInputs<'a, T>
impl<'a, T> Clone for wasmparser::resources::WasmFuncTypeOutputs<'a, T>
impl<'a, T, P> Clone for ChunkBy<'a, T, P>where
T: 'a,
P: Clone,
impl<'a, T, P> Clone for Pairs<'a, T, P>
impl<'a, T, const N: usize> Clone for ArrayWindows<'a, T, N>where
T: Clone + 'a,
impl<'a, const N: usize> Clone for CharArraySearcher<'a, N>
impl<'buf> Clone for AllPreallocated<'buf>
impl<'buf> Clone for SignOnlyPreallocated<'buf>
impl<'buf> Clone for VerifyOnlyPreallocated<'buf>
impl<'c, 'a> Clone for StepCursor<'c, 'a>
impl<'c, 'h> Clone for regex::regex::bytes::SubCaptureMatches<'c, 'h>
impl<'c, 'h> Clone for regex::regex::string::SubCaptureMatches<'c, 'h>
impl<'de> Clone for TerminalValueBatchRef<'de>
impl<'de, E> Clone for TypedTraversalEvent<'de, E>
impl<'de, E> Clone for BorrowedBytesDeserializer<'de, E>
impl<'de, E> Clone for BorrowedStrDeserializer<'de, E>
impl<'de, E> Clone for StrDeserializer<'de, E>
impl<'de, I, E> Clone for MapDeserializer<'de, I, E>
impl<'de, T> Clone for TerminalValueRef<'de, T>
impl<'de, T> Clone for TraversalEvent<'de, T>where
T: Clone + CustomTraversal,
impl<'f> Clone for VaListImpl<'f>
impl<'fd> Clone for BorrowedFd<'fd>
impl<'h> Clone for Memchr2<'h>
impl<'h> Clone for Memchr3<'h>
impl<'h> Clone for Memchr<'h>
impl<'h> Clone for Searcher<'h>
impl<'h> Clone for Input<'h>
impl<'h> Clone for regex::regex::bytes::Match<'h>
impl<'h> Clone for regex::regex::string::Match<'h>
impl<'h, 'n> Clone for FindIter<'h, 'n>
impl<'h, 'n> Clone for FindRevIter<'h, 'n>
impl<'instance> Clone for wasmi::instance::exports::Export<'instance>
impl<'n> Clone for memchr::memmem::Finder<'n>
impl<'n> Clone for memchr::memmem::FinderRev<'n>
impl<'r> Clone for regex::regex::bytes::CaptureNames<'r>
impl<'r> Clone for regex::regex::string::CaptureNames<'r>
impl<'s> Clone for ContainerType<'s>
impl<'s> Clone for regex::regex::bytes::NoExpand<'s>
impl<'s> Clone for regex::regex::string::NoExpand<'s>
impl<'s, 'a, E> Clone for ValueDisplayParameters<'s, 'a, E>where
E: Clone + FormattableCustomExtension,
<E as FormattableCustomExtension>::CustomDisplayContext<'a>: Clone,
<E as CustomExtension>::CustomSchema: Clone,
impl<'s, 'a, E> Clone for NestedStringDisplayContext<'s, 'a, E>where
E: Clone + FormattableCustomExtension,
<E as CustomExtension>::CustomSchema: Clone,
<E as FormattableCustomExtension>::CustomDisplayContext<'a>: Clone,
impl<'s, 'a, E> Clone for RustLikeDisplayContext<'s, 'a, E>where
E: Clone + FormattableCustomExtension,
<E as CustomExtension>::CustomSchema: Clone,
<E as FormattableCustomExtension>::CustomDisplayContext<'a>: Clone,
impl<'s, E> Clone for LocatedValidationError<'s, E>where
E: Clone + CustomExtension,
impl<'s, E> Clone for FullLocation<'s, E>
impl<'t, 'de, T> Clone for LocatedTraversalEvent<'t, 'de, T>where
T: Clone + CustomTraversal,
impl<'t, 's, 'de, E> Clone for TypedLocatedTraversalEvent<'t, 's, 'de, E>
impl<'t, 's, T> Clone for TypedLocation<'t, 's, T>where
T: Clone + CustomTraversal,
impl<'t, T> Clone for scrypto_test::prelude::traversal::Location<'t, T>where
T: Clone + CustomTraversal,
impl<A> Clone for Repeat<A>where
A: Clone,
impl<A> Clone for scrypto_test::prelude::rust::iter::RepeatN<A>where
A: Clone,
impl<A> Clone for scrypto_test::prelude::rust::option::IntoIter<A>where
A: Clone,
impl<A> Clone for scrypto_test::prelude::rust::option::Iter<'_, A>
impl<A> Clone for IterRange<A>where
A: Clone,
impl<A> Clone for IterRangeFrom<A>where
A: Clone,
impl<A> Clone for IterRangeInclusive<A>where
A: Clone,
impl<A> Clone for itertools::repeatn::RepeatN<A>where
A: Clone,
impl<A> Clone for ExtendedGcd<A>where
A: Clone,
impl<A> Clone for EnumAccessDeserializer<A>where
A: Clone,
impl<A> Clone for MapAccessDeserializer<A>where
A: Clone,
impl<A> Clone for SeqAccessDeserializer<A>where
A: Clone,
impl<A> Clone for smallvec::IntoIter<A>
impl<A> Clone for SmallVec<A>
impl<A> Clone for ComponentStartSection<A>where
A: Clone,
impl<A, B> Clone for EitherOrBoth<A, B>
impl<A, B> Clone for scrypto_test::prelude::rust::iter::Chain<A, B>
impl<A, B> Clone for scrypto_test::prelude::rust::iter::Zip<A, B>
impl<A, B> Clone for ArcUnion<A, B>
impl<B> Clone for Cow<'_, B>
impl<B, C> Clone for ControlFlow<B, C>
impl<BlockSize, Kind> Clone for BlockBuffer<BlockSize, Kind>
impl<C> Clone for VerboseErrorKind<C>where
C: Clone,
impl<C> Clone for KernelInvocation<C>where
C: Clone,
impl<C> Clone for OverridePackageCode<C>
impl<C> Clone for Secp256k1<C>where
C: Context,
impl<C> Clone for ContextError<C>where
C: Clone,
impl<C, L> Clone for TypeData<C, L>where
C: Clone + CustomTypeKind<L>,
L: Clone + SchemaTypeLink,
<C as CustomTypeKind<L>>::CustomTypeValidation: Clone,
impl<D> Clone for StateTreeUpdatingDatabase<D>where
D: Clone,
impl<Dyn> Clone for DynMetadata<Dyn>where
Dyn: ?Sized,
impl<E> Clone for InvokeError<E>
impl<E> Clone for PayloadValidationError<E>where
E: Clone + CustomExtension,
impl<E> Clone for TypeValidation<E>where
E: Clone + CustomTypeValidation,
impl<E> Clone for TypeMismatchError<E>where
E: Clone + CustomExtension,
<E as CustomExtension>::CustomSchema: Clone,
<E as CustomExtension>::CustomValueKind: Clone,
impl<E> Clone for TypedTraversalError<E>where
E: Clone + CustomExtension,
impl<E> Clone for ErrMode<E>where
E: Clone,
impl<E> Clone for NativeVm<E>where
E: Clone + NativeVmExtension,
impl<E> Clone for CurrentValueInfo<E>
impl<E> Clone for BoolDeserializer<E>
impl<E> Clone for CharDeserializer<E>
impl<E> Clone for F32Deserializer<E>
impl<E> Clone for F64Deserializer<E>
impl<E> Clone for I8Deserializer<E>
impl<E> Clone for I16Deserializer<E>
impl<E> Clone for I32Deserializer<E>
impl<E> Clone for I64Deserializer<E>
impl<E> Clone for I128Deserializer<E>
impl<E> Clone for IsizeDeserializer<E>
impl<E> Clone for StringDeserializer<E>
impl<E> Clone for U8Deserializer<E>
impl<E> Clone for U16Deserializer<E>
impl<E> Clone for U32Deserializer<E>
impl<E> Clone for U64Deserializer<E>
impl<E> Clone for U128Deserializer<E>
impl<E> Clone for UnitDeserializer<E>
impl<E> Clone for UsizeDeserializer<E>
impl<E, C> Clone for CallbackError<E, C>
impl<F32, F64> Clone for Action<F32, F64>
impl<F32, F64> Clone for CommandKind<F32, F64>
impl<F32, F64> Clone for wabt::script::Value<F32, F64>
impl<F32, F64> Clone for Command<F32, F64>
impl<F> Clone for FromFn<F>where
F: Clone,
impl<F> Clone for OnceWith<F>where
F: Clone,
impl<F> Clone for RepeatWith<F>where
F: Clone,
impl<F> Clone for RepeatCall<F>where
F: Clone,
impl<F> Clone for PackageRoyaltyDatabaseChecker<F>
impl<G> Clone for FromCoroutine<G>where
G: Clone,
impl<GuardIdx, EntityIdx> Clone for GuardedEntity<GuardIdx, EntityIdx>
impl<H> Clone for BuildHasherDefault<H>
impl<H> Clone for HeaderWithLength<H>where
H: Clone,
impl<H, T> Clone for HeaderSlice<H, T>
impl<H, T> Clone for ThinArc<H, T>
impl<I> Clone for Cloned<I>where
I: Clone,
impl<I> Clone for Copied<I>where
I: Clone,
impl<I> Clone for Cycle<I>where
I: Clone,
impl<I> Clone for Enumerate<I>where
I: Clone,
impl<I> Clone for Fuse<I>where
I: Clone,
impl<I> Clone for Intersperse<I>
impl<I> Clone for Peekable<I>
impl<I> Clone for Skip<I>where
I: Clone,
impl<I> Clone for StepBy<I>where
I: Clone,
impl<I> Clone for Take<I>where
I: Clone,
impl<I> Clone for FromIter<I>where
I: Clone,
impl<I> Clone for DecodeUtf16<I>
impl<I> Clone for MultiProduct<I>
impl<I> Clone for PutBack<I>
impl<I> Clone for Step<I>where
I: Clone,
impl<I> Clone for WhileSome<I>where
I: Clone,
impl<I> Clone for Combinations<I>
impl<I> Clone for CombinationsWithReplacement<I>
impl<I> Clone for ExactlyOneError<I>
impl<I> Clone for GroupingMap<I>where
I: Clone,
impl<I> Clone for MultiPeek<I>
impl<I> Clone for PeekNth<I>
impl<I> Clone for Permutations<I>
impl<I> Clone for Powerset<I>
impl<I> Clone for PutBackN<I>
impl<I> Clone for RcIter<I>
impl<I> Clone for Unique<I>
impl<I> Clone for WithPosition<I>
impl<I> Clone for InputError<I>where
I: Clone,
impl<I> Clone for Located<I>where
I: Clone,
impl<I> Clone for Partial<I>where
I: Clone,
impl<I, C> Clone for VerboseError<I, C>
impl<I, E> Clone for SeqDeserializer<I, E>
impl<I, E> Clone for winnow::error::ParseError<I, E>
impl<I, ElemF> Clone for itertools::intersperse::IntersperseWith<I, ElemF>
impl<I, F> Clone for FilterMap<I, F>
impl<I, F> Clone for Inspect<I, F>
impl<I, F> Clone for scrypto_test::prelude::rust::iter::Map<I, F>
impl<I, F> Clone for Batching<I, F>
impl<I, F> Clone for FilterOk<I, F>
impl<I, F> Clone for Positions<I, F>
impl<I, F> Clone for Update<I, F>
impl<I, F> Clone for KMergeBy<I, F>
impl<I, F> Clone for PadUsing<I, F>
impl<I, F, const N: usize> Clone for MapWindows<I, F, N>
impl<I, G> Clone for scrypto_test::prelude::rust::iter::IntersperseWith<I, G>
impl<I, J> Clone for Interleave<I, J>
impl<I, J> Clone for InterleaveShortest<I, J>
impl<I, J> Clone for itertools::adaptors::Product<I, J>
impl<I, J> Clone for ConsTuples<I, J>
impl<I, J> Clone for ZipEq<I, J>
impl<I, J, F> Clone for MergeBy<I, J, F>
impl<I, J, F> Clone for MergeJoinBy<I, J, F>
impl<I, P> Clone for Filter<I, P>
impl<I, P> Clone for MapWhile<I, P>
impl<I, P> Clone for SkipWhile<I, P>
impl<I, P> Clone for TakeWhile<I, P>
impl<I, S> Clone for Stateful<I, S>
impl<I, St, F> Clone for Scan<I, St, F>
impl<I, T> Clone for TupleCombinations<I, T>
impl<I, T> Clone for TupleWindows<I, T>
impl<I, T> Clone for Tuples<I, T>where
I: Clone + Iterator<Item = <T as TupleCollect>::Item>,
T: Clone + HomogeneousTuple,
<T as TupleCollect>::Buffer: Clone,
impl<I, T, E> Clone for FlattenOk<I, T, E>where
I: Iterator<Item = Result<T, E>> + Clone,
T: IntoIterator,
<T as IntoIterator>::IntoIter: Clone,
impl<I, U> Clone for Flatten<I>
impl<I, U, F> Clone for FlatMap<I, U, F>
impl<I, V, F> Clone for UniqueBy<I, V, F>
impl<I, const N: usize> Clone for ArrayChunks<I, N>
impl<I: Clone> Clone for InjectCostingErrorInit<I>
impl<Idx> Clone for scrypto_test::prelude::rust::ops::Range<Idx>where
Idx: Clone,
impl<Idx> Clone for scrypto_test::prelude::rust::ops::RangeFrom<Idx>where
Idx: Clone,
impl<Idx> Clone for scrypto_test::prelude::rust::ops::RangeInclusive<Idx>where
Idx: Clone,
impl<Idx> Clone for RangeTo<Idx>where
Idx: Clone,
impl<Idx> Clone for RangeToInclusive<Idx>where
Idx: Clone,
impl<Idx> Clone for core::range::Range<Idx>where
Idx: Clone,
impl<Idx> Clone for core::range::RangeFrom<Idx>where
Idx: Clone,
impl<Idx> Clone for core::range::RangeInclusive<Idx>where
Idx: Clone,
impl<K> Clone for scrypto_test::prelude::hash_set::Iter<'_, K>
impl<K> Clone for hashbrown::set::Iter<'_, K>
impl<K> Clone for hashbrown::set::Iter<'_, K>
impl<K, V> Clone for scrypto_test::prelude::btree_map::Cursor<'_, K, V>
impl<K, V> Clone for scrypto_test::prelude::btree_map::Iter<'_, K, V>
impl<K, V> Clone for scrypto_test::prelude::btree_map::Keys<'_, K, V>
impl<K, V> Clone for scrypto_test::prelude::btree_map::Range<'_, K, V>
impl<K, V> Clone for scrypto_test::prelude::btree_map::Values<'_, K, V>
impl<K, V> Clone for scrypto_test::prelude::hash_map::Iter<'_, K, V>
impl<K, V> Clone for scrypto_test::prelude::hash_map::Keys<'_, K, V>
impl<K, V> Clone for scrypto_test::prelude::hash_map::Values<'_, K, V>
impl<K, V> Clone for scrypto_test::prelude::indexmap::map::IntoIter<K, V>
impl<K, V> Clone for scrypto_test::prelude::indexmap::map::Iter<'_, K, V>
impl<K, V> Clone for scrypto_test::prelude::indexmap::map::Keys<'_, K, V>
impl<K, V> Clone for scrypto_test::prelude::indexmap::map::Values<'_, K, V>
impl<K, V> Clone for scrypto_test::prelude::Box<Slice<K, V>>
impl<K, V> Clone for KeyValueStoreInit<K, V>
impl<K, V> Clone for hashbrown::map::Iter<'_, K, V>
impl<K, V> Clone for hashbrown::map::Iter<'_, K, V>
impl<K, V> Clone for hashbrown::map::Keys<'_, K, V>
impl<K, V> Clone for hashbrown::map::Keys<'_, K, V>
impl<K, V> Clone for hashbrown::map::Values<'_, K, V>
impl<K, V> Clone for hashbrown::map::Values<'_, K, V>
impl<K, V> Clone for indexmap_nostd::map::IndexMap<K, V>
impl<K, V> Clone for indexmap::map::Iter<'_, K, V>
impl<K, V> Clone for indexmap::map::Keys<'_, K, V>
impl<K, V> Clone for indexmap::map::Values<'_, K, V>
impl<K, V> Clone for wasmi_collections::map::Map<K, V>
impl<K, V, A> Clone for BTreeMap<K, V, A>
impl<K, V, S> Clone for scrypto_test::prelude::hash_map::ext_HashMap<K, V, S>
impl<K, V, S> Clone for scrypto_test::prelude::indexmap::IndexMap<K, V, S>
impl<K, V, S> Clone for NonIterMap<K, V, S>
impl<K, V, S> Clone for indexmap::map::IndexMap<K, V, S>
impl<K, V, S> Clone for moka::sync::cache::Cache<K, V, S>
impl<K, V, S> Clone for SegmentedCache<K, V, S>
impl<K, V, S, A> Clone for hashbrown::map::HashMap<K, V, S, A>
impl<K, V, S, A> Clone for hashbrown::map::HashMap<K, V, S, A>
impl<L> Clone for OpenedSubstate<L>where
L: Clone,
impl<L, R> Clone for Either<L, R>
impl<L, R> Clone for IterEither<L, R>
impl<Metadata> Clone for Manifest<Metadata>where
Metadata: Clone,
impl<Metadata> Clone for Package<Metadata>where
Metadata: Clone,
impl<Metadata> Clone for Workspace<Metadata>where
Metadata: Clone,
impl<O> Clone for scrypto::component::component::Global<O>where
O: HasStub,
impl<OutSize> Clone for Blake2bMac<OutSize>
impl<OutSize> Clone for Blake2sMac<OutSize>
impl<Params, Results> Clone for TypedFunc<Params, Results>
impl<Ptr> Clone for Pin<Ptr>where
Ptr: Clone,
impl<S> Clone for SchemaComparisonErrorDetail<S>where
S: Clone + CustomSchema,
<S as CustomSchema>::CustomTypeKindLabel: Clone,
<S as CustomSchema>::CustomTypeValidation: Clone,
impl<S> Clone for SchemaVersions<S>where
S: Clone + CustomSchema,
impl<S> Clone for NonFungibleResourceManagerCreateGenericInput<S>where
S: Clone,
impl<S> Clone for SchemaComparisonError<S>where
S: Clone + CustomSchema,
impl<S> Clone for SchemaV1<S>
impl<S> Clone for SingleTypeSchema<S>where
S: Clone + CustomSchema,
impl<S> Clone for TypeCollectionSchema<S>where
S: Clone + CustomSchema,
impl<S> Clone for VersionedSchema<S>where
S: Clone + CustomSchema,
impl<S, T> Clone for NonFungibleResourceManagerCreateRuidWithInitialSupplyGenericInput<S, T>
impl<S, T> Clone for NonFungibleResourceManagerCreateWithInitialSupplyGenericInput<S, T>
impl<St, F> Clone for Iterate<St, F>
impl<St, F> Clone for Unfold<St, F>
impl<Storage> Clone for __BindgenBitfieldUnit<Storage>where
Storage: Clone,
impl<T> !Clone for &mut Twhere
T: ?Sized,
Shared references can be cloned, but mutable references cannot!
impl<T> Clone for FieldSubstate<T>where
T: Clone,
impl<T> Clone for Option<T>where
T: Clone,
impl<T> Clone for TypeKindLabel<T>where
T: Clone + CustomTypeKindLabel,
impl<T> Clone for UpdateSetting<T>where
T: Clone + UpdateSettingContent,
impl<T> Clone for ContainerHeader<T>
impl<T> Clone for NextAction<T>
impl<T> Clone for Bound<T>where
T: Clone,
impl<T> Clone for scrypto_test::prelude::rust::sync::mpmc::SendTimeoutError<T>where
T: Clone,
impl<T> Clone for scrypto_test::prelude::rust::sync::mpmc::TrySendError<T>where
T: Clone,
impl<T> Clone for Poll<T>where
T: Clone,
impl<T> Clone for Inheritable<T>where
T: Clone,
impl<T> Clone for crossbeam_channel::err::SendTimeoutError<T>where
T: Clone,
impl<T> Clone for crossbeam_channel::err::TrySendError<T>where
T: Clone,
impl<T> Clone for FoldWhile<T>where
T: Clone,
impl<T> Clone for MinMaxResult<T>where
T: Clone,
impl<T> Clone for itertools::with_position::Position<T>where
T: Clone,
impl<T> Clone for BlueprintCollectionSchema<T>where
T: Clone,
impl<T> Clone for radix_blueprint_schema_init::TypeRef<T>where
T: Clone,
impl<T> Clone for ResolvedDynamicAddress<T>
impl<T> Clone for *const Twhere
T: ?Sized,
impl<T> Clone for *mut Twhere
T: ?Sized,
impl<T> Clone for &Twhere
T: ?Sized,
Shared references can be cloned, but mutable references cannot!