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.
ยง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 LoginError
impl Clone for ArchiveDatum
impl Clone for ArchiveIndex
impl Clone for DocumentKind
impl Clone for Institution
impl Clone for flams_ontology::content::declarations::symbols::AssocType
impl Clone for ArgMode
impl Clone for Informal
impl Clone for flams_ontology::content::terms::Term
impl Clone for flams_ontology::content::terms::Var
impl Clone for SlideElement
impl Clone for FTMLKey
impl Clone for flams_ontology::languages::Language
impl Clone for LOKind
impl Clone for NotationComponent
impl Clone for ParagraphFormatting
impl Clone for ParagraphKind
impl Clone for AnswerKind
impl Clone for CheckedResult
impl Clone for CognitiveDimension
impl Clone for FillInSolOption
impl Clone for FillinFeedbackKind
impl Clone for ProblemResponseType
impl Clone for QuizElement
impl Clone for SolutionData
impl Clone for SectionLevel
impl Clone for SearchIndex
impl Clone for SearchResult
impl Clone for SearchResultKind
impl Clone for ContentURI
impl Clone for URI
impl Clone for NarrativeURI
impl Clone for TermURI
impl Clone for LoginState
impl Clone for DocURIComponents
impl Clone for SymURIComponents
impl Clone for URIComponents
impl Clone for URIKind
impl Clone for FileState
impl Clone for AnyBackend
impl Clone for BackendChange
impl Clone for SandboxedRepository
impl Clone for Dependency
impl Clone for QueueMessage
impl Clone for TaskState
impl Clone for QueueName
impl Clone for CSS
impl Clone for CowStr
impl Clone for LogFileLine
impl Clone for LogLevel
impl Clone for LogTreeElem
impl Clone for flams_web_utils::components::drawer::DrawerSize
impl Clone for flams_web_utils::components::spinner::SpinnerSize
impl Clone for ThemeType
impl Clone for Env
impl Clone for flams_router_vscode::FromUtf8Error
impl Clone for ReloadWSProtocol
impl Clone for ServerFnErrorErr
impl Clone for LeptosConfigError
impl Clone for flams_router_vscode::server_fn::axum_export::extract::ws::Message
impl Clone for flams_router_vscode::server_fn::const_format::Case
impl Clone for AsciiChar
impl Clone for flams_router_vscode::server_fn::inventory::core::cmp::Ordering
impl Clone for flams_router_vscode::server_fn::inventory::core::convert::Infallible
impl Clone for FromBytesWithNulError
impl Clone for flams_router_vscode::server_fn::inventory::core::fmt::Alignment
impl Clone for DebugAsHex
impl Clone for flams_router_vscode::server_fn::inventory::core::fmt::Sign
impl Clone for flams_router_vscode::server_fn::inventory::core::net::IpAddr
impl Clone for Ipv6MulticastScope
impl Clone for flams_router_vscode::server_fn::inventory::core::net::SocketAddr
impl Clone for FpCategory
impl Clone for IntErrorKind
impl Clone for flams_router_vscode::server_fn::inventory::core::slice::GetDisjointMutError
impl Clone for SearchStep
impl Clone for flams_router_vscode::server_fn::inventory::core::sync::atomic::Ordering
impl Clone for alloc::collections::TryReserveErrorKind
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 std::net::Shutdown
impl Clone for BacktraceStyle
impl Clone for std::sync::mpsc::RecvTimeoutError
impl Clone for std::sync::mpsc::TryRecvError
impl Clone for Colons
impl Clone for Fixed
impl Clone for Numeric
impl Clone for chrono::format::OffsetPrecision
impl Clone for Pad
impl Clone for chrono::format::ParseErrorKind
impl Clone for SecondsFormat
impl Clone for chrono::month::Month
impl Clone for RoundingError
impl Clone for chrono::weekday::Weekday
impl Clone for FlushCompress
impl Clone for FlushDecompress
impl Clone for flate2::mem::Status
impl Clone for ApplyLocation
impl Clone for CloneLocal
impl Clone for SshHostKeyType
impl Clone for DiffBinaryKind
impl Clone for DiffLineType
impl Clone for AutotagOption
impl Clone for BranchType
impl Clone for ConfigLevel
impl Clone for git2::Delta
impl Clone for DiffFormat
impl Clone for git2::Direction
impl Clone for ErrorClass
impl Clone for git2::ErrorCode
impl Clone for FetchPrune
impl Clone for FileFavor
impl Clone for FileMode
impl Clone for ObjectType
impl Clone for ReferenceType
impl Clone for RepositoryState
impl Clone for ResetType
impl Clone for StashApplyProgress
impl Clone for SubmoduleIgnore
impl Clone for SubmoduleUpdate
impl Clone for PackBuilderStage
impl Clone for StatusShow
impl Clone for TraceLevel
impl Clone for Service
impl Clone for TreeWalkMode
impl Clone for FromHexError
impl Clone for IpAddrRange
impl Clone for IpNet
impl Clone for IpSubnets
impl Clone for log::Level
impl Clone for log::LevelFilter
impl Clone for point_conversion_form_t
impl Clone for ShutdownResult
impl Clone for openssl::symm::Mode
impl Clone for Equation
impl Clone for Parameter
impl Clone for VecCastErrorKind
impl Clone for proc_macro2::Delimiter
impl Clone for proc_macro2::Spacing
impl Clone for proc_macro2::TokenTree
impl Clone for Category
impl Clone for serde_json::value::Value
impl Clone for serde_path_to_error::path::Segment
impl Clone for AttrStyle
impl Clone for syn::attr::Meta
impl Clone for syn::data::Fields
impl Clone for syn::derive::Data
impl Clone for Expr
impl Clone for Member
impl Clone for PointerMutability
impl Clone for RangeLimits
impl Clone for CapturedParam
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 ImplRestriction
impl Clone for syn::item::Item
impl Clone for StaticMutability
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 FieldMutability
impl Clone for syn::restriction::Visibility
impl Clone for Stmt
impl Clone for ReturnType
impl Clone for syn::ty::Type
impl Clone for Origin
impl Clone for url::parser::ParseError
impl Clone for SyntaxViolation
impl Clone for url::slicing::Position
impl Clone for uuid::Variant
impl Clone for uuid::Version
impl Clone for BinaryType
impl Clone for ReadableStreamReaderMode
impl Clone for ReadableStreamType
impl Clone for ReferrerPolicy
impl Clone for RequestCache
impl Clone for RequestCredentials
impl Clone for RequestMode
impl Clone for RequestRedirect
impl Clone for web_sys::features::gen_ResponseType::ResponseType
impl Clone for ScrollBehavior
impl Clone for ScrollLogicalPosition
impl Clone for ShadowRootMode
impl Clone for rand::distr::bernoulli::BernoulliError
impl Clone for rand::distr::uniform::Error
impl Clone for rand::distr::weighted::Error
impl Clone for rand::distributions::bernoulli::BernoulliError
impl Clone for WeightedError
impl Clone for rand::seq::index::IndexVec
impl Clone for rand::seq::index::IndexVecIntoIter
impl Clone for rand::seq::index_::IndexVec
impl Clone for rand::seq::index_::IndexVecIntoIter
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 DBBackend
impl Clone for DBUser
impl Clone for SqlUser
impl Clone for UserData
impl Clone for AuthRequest
impl Clone for GitLabOAuth
impl Clone for GLInstance
impl Clone for GitLab
impl Clone for GitlabConfig
impl Clone for flams_git::Branch
impl Clone for flams_git::Commit
impl Clone for flams_git::Project
impl Clone for ArchiveData
impl Clone for ArchiveGroupData
impl Clone for DirectoryData
impl Clone for FileData
impl Clone for flams_ontology::archive_json::Instance
impl Clone for Person
impl Clone for PreInstance
impl Clone for ArgSpec
impl Clone for flams_ontology::content::declarations::symbols::Symbol
impl Clone for flams_ontology::content::modules::Module
impl Clone for flams_ontology::content::modules::Signature
impl Clone for Arg
impl Clone for FileStateSummary
impl Clone for flams_ontology::narration::documents::Document
impl Clone for DocumentStyle
impl Clone for DocumentStyles
impl Clone for SectionCounter
impl Clone for flams_ontology::narration::notations::Notation
impl Clone for OpNotation
impl Clone for AnswerClass
impl Clone for BlockFeedback
impl Clone for flams_ontology::narration::problems::Choice
impl Clone for ChoiceBlock
impl Clone for FillInSol
impl Clone for FillinFeedback
impl Clone for GradingNote
impl Clone for ProblemFeedback
impl Clone for ProblemFeedbackJson
impl Clone for ProblemResponse
impl Clone for Quiz
impl Clone for QuizProblem
impl Clone for Solutions
impl Clone for flams_ontology::narration::variables::Variable
impl Clone for QueryFilter
impl Clone for flams_ontology::Checked
impl Clone for DocumentRange
impl Clone for Unchecked
impl Clone for ArchiveId
impl Clone for ArchiveURI
impl Clone for BaseURI
impl Clone for ModuleURI
impl Clone for SymbolURI
impl Clone for flams_ontology::uris::name::Name
impl Clone for NameStep
impl Clone for DocumentElementURI
impl Clone for DocumentURI
impl Clone for PathURI
impl Clone for SubTermIndex
impl Clone for SubTermURI
impl Clone for GetUsers
impl Clone for Login
impl Clone for LoginStateFn
impl Clone for Logout
impl Clone for SetAdmin
impl Clone for ChangeState
impl Clone for FileStates
impl Clone for SandboxedBackend
impl Clone for TemporaryBackend
impl Clone for Queue
impl Clone for QueueId
impl Clone for BuildStep
impl Clone for BuildTask
impl Clone for BuildTaskId
impl Clone for QueueEntry
impl Clone for TaskRef
impl Clone for BuildArtifactTypeId
impl Clone for BuildTargetId
impl Clone for FLAMSExtensionId
impl Clone for SourceFormatId
impl Clone for LogStore
impl Clone for IdCounter
impl Clone for LogMessage
impl Clone for LogSpan
impl Clone for LogTree
impl Clone for flams_utils::regex::Regex
impl Clone for BuildQueueSettings
impl Clone for GitlabSettings
impl Clone for ServerSettings
impl Clone for SettingsSpec
impl Clone for ByteOffset
impl Clone for LSPLineCol
impl Clone for flams_utils::time::Delta
impl Clone for Eta
impl Clone for MaxSeconds
impl Clone for flams_utils::time::Timestamp
impl Clone for CssIds
impl Clone for AnimationFrameRequestHandle
impl Clone for ArcTrigger
impl Clone for ConfFile
impl Clone for Dom
impl Clone for flams_router_vscode::Error
impl Clone for ErrorId
impl Clone for Errors
impl Clone for IdleCallbackHandle
impl Clone for ImmediateEffect
impl Clone for IntervalHandle
impl Clone for IsLsp
impl Clone for LeptosOptions
impl Clone for LocalStorage
impl Clone for flams_router_vscode::Nonce
impl Clone for Owner
impl Clone for ServerActionError
impl Clone for SyncStorage
impl Clone for TextProp
impl Clone for TimeoutHandle
impl Clone for Trigger
impl Clone for VSCode
impl Clone for ViewFn
impl Clone for LocalResourceNotifier
impl Clone for SuspenseContext
impl Clone for DefaultBodyLimit
impl Clone for MatchedPath
impl Clone for NestedPath
impl Clone for OriginalUri
impl Clone for flams_router_vscode::server_fn::axum_export::extract::ws::CloseFrame
impl Clone for flams_router_vscode::server_fn::axum_export::extract::ws::Utf8Bytes
impl Clone for flams_router_vscode::server_fn::axum_export::http::request::Parts
impl Clone for flams_router_vscode::server_fn::axum_export::http::response::Parts
impl Clone for flams_router_vscode::server_fn::axum_export::http::Extensions
impl Clone for HeaderName
impl Clone for HeaderValue
impl Clone for flams_router_vscode::server_fn::axum_export::http::Method
impl Clone for StatusCode
impl Clone for Uri
impl Clone for flams_router_vscode::server_fn::axum_export::http::Version
impl Clone for Authority
impl Clone for PathAndQuery
impl Clone for flams_router_vscode::server_fn::axum_export::http::uri::Scheme
impl Clone for Next
impl Clone for flams_router_vscode::server_fn::axum_export::response::sse::Event
impl Clone for KeepAlive
impl Clone for NoContent
impl Clone for Redirect
impl Clone for MethodFilter
impl Clone for BytesMut
impl Clone for SplicedStr
impl Clone for NoCustomError
impl Clone for IgnoredAny
impl Clone for flams_router_vscode::server_fn::serde::de::value::Error
impl Clone for flams_router_vscode::server_fn::Bytes
impl Clone for flams_router_vscode::server_fn::inventory::core::alloc::AllocError
impl Clone for Layout
impl Clone for LayoutError
impl Clone for TypeId
impl Clone for CpuidResult
impl Clone for __m128
impl Clone for __m128bh
impl Clone for __m128d
impl Clone for __m128h
impl Clone for __m128i
impl Clone for __m256
impl Clone for __m256bh
impl Clone for __m256d
impl Clone for __m256h
impl Clone for __m256i
impl Clone for __m512
impl Clone for __m512bh
impl Clone for __m512d
impl Clone for __m512h
impl Clone for __m512i
impl Clone for bf16
impl Clone for TryFromSliceError
impl Clone for flams_router_vscode::server_fn::inventory::core::ascii::EscapeDefault
impl Clone for CharTryFromError
impl Clone for DecodeUtf16Error
impl Clone for flams_router_vscode::server_fn::inventory::core::char::EscapeDebug
impl Clone for flams_router_vscode::server_fn::inventory::core::char::EscapeDefault
impl Clone for flams_router_vscode::server_fn::inventory::core::char::EscapeUnicode
impl Clone for ParseCharError
impl Clone for ToLowercase
impl Clone for ToUppercase
impl Clone for TryFromCharError
impl Clone for FromBytesUntilNulError
impl Clone for flams_router_vscode::server_fn::inventory::core::fmt::Error
impl Clone for FormattingOptions
impl Clone for flams_router_vscode::server_fn::inventory::core::hash::SipHasher
impl Clone for PhantomPinned
impl Clone for Assume
impl Clone for flams_router_vscode::server_fn::inventory::core::net::AddrParseError
impl Clone for flams_router_vscode::server_fn::inventory::core::net::Ipv4Addr
impl Clone for flams_router_vscode::server_fn::inventory::core::net::Ipv6Addr
impl Clone for SocketAddrV4
impl Clone for SocketAddrV6
impl Clone for ParseFloatError
impl Clone for flams_router_vscode::server_fn::inventory::core::num::ParseIntError
impl Clone for flams_router_vscode::server_fn::inventory::core::num::TryFromIntError
impl Clone for RangeFull
impl Clone for ParseBoolError
impl Clone for Utf8Error
impl Clone for LocalWaker
impl Clone for RawWakerVTable
impl Clone for Waker
impl Clone for flams_router_vscode::server_fn::inventory::core::time::Duration
impl Clone for TryFromFloatSecsError
impl Clone for LIBSSH2_SFTP_ATTRIBUTES
impl Clone for LIBSSH2_SFTP_STATVFS
impl Clone for EndOfInput
impl Clone for alloc::alloc::Global
impl Clone for alloc::boxed::Box<str>
impl Clone for alloc::boxed::Box<ByteStr>
impl Clone for alloc::boxed::Box<CStr>
impl Clone for alloc::boxed::Box<OsStr>
impl Clone for alloc::boxed::Box<Path>
impl Clone for alloc::boxed::Box<RawValue>
impl Clone for alloc::boxed::Box<Utf8Path>
impl Clone for alloc::boxed::Box<dyn AnyClone + Send + Sync>
impl Clone for alloc::boxed::Box<dyn BoxableTokenizer>
impl Clone for alloc::boxed::Box<dyn Directory>
impl Clone for alloc::boxed::Box<dyn DynDigest>
impl Clone for alloc::boxed::Box<dyn SegmentAggregationCollector>
impl Clone for alloc::boxed::Box<dyn Source + Send + Sync>
impl Clone for ByteString
impl Clone for UnorderedKeyError
impl Clone for alloc::collections::TryReserveError
impl Clone for CString
impl Clone for FromVecWithNulError
impl Clone for IntoStringError
impl Clone for NulError
impl Clone for alloc::string::FromUtf8Error
impl Clone for IntoChars
impl Clone for String
impl Clone for core::ptr::alignment::Alignment
impl Clone for proc_macro::diagnostic::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 System
impl Clone for OsString
impl Clone for FileTimes
impl Clone for std::fs::FileType
impl Clone for std::fs::Metadata
impl Clone for std::fs::OpenOptions
impl Clone for Permissions
impl Clone for std::hash::random::DefaultHasher
impl Clone for std::hash::random::RandomState
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 std::os::unix::net::ucred::UCred
impl Clone for PathBuf
impl Clone for StripPrefixError
impl Clone for ExitCode
impl Clone for ExitStatus
impl Clone for ExitStatusError
impl Clone for std::process::Output
impl Clone for DefaultRandomSource
impl Clone for std::sync::mpsc::RecvError
impl Clone for std::sync::poison::condvar::WaitTimeoutResult
impl Clone for AccessError
impl Clone for Thread
impl Clone for ThreadId
impl Clone for std::time::Instant
impl Clone for std::time::SystemTime
impl Clone for SystemTimeError
impl Clone for bincode::config::BigEndian
impl Clone for Fixint
impl Clone for bincode::config::LittleEndian
impl Clone for NoLimit
impl Clone for Varint
impl Clone for chrono::format::parsed::Parsed
impl Clone for InternalFixed
impl Clone for InternalNumeric
impl Clone for OffsetFormat
impl Clone for chrono::format::ParseError
impl Clone for Months
impl Clone for ParseMonthError
impl Clone for NaiveDate
impl Clone for NaiveDateDaysIterator
impl Clone for NaiveDateWeeksIterator
impl Clone for NaiveDateTime
impl Clone for IsoWeek
impl Clone for Days
impl Clone for NaiveWeek
impl Clone for NaiveTime
impl Clone for FixedOffset
impl Clone for chrono::offset::local::Local
impl Clone for Utc
impl Clone for OutOfRange
impl Clone for OutOfRangeError
impl Clone for TimeDelta
impl Clone for ParseWeekdayError
impl Clone for WeekdaySet
impl Clone for dtoa::Buffer
impl Clone for InstallError
impl Clone for GzHeader
impl Clone for CompressError
impl Clone for DecompressError
impl Clone for Compression
impl Clone for FsStats
impl Clone for getrandom::error::Error
impl Clone for Oid
impl Clone for git2::signature::Signature<'static>
impl Clone for AttrCheckFlags
impl Clone for CheckoutNotificationType
impl Clone for CredentialType
impl Clone for DiffFlags
impl Clone for DiffStatsFormat
impl Clone for IndexAddOption
impl Clone for IndexEntryExtendedFlag
impl Clone for IndexEntryFlag
impl Clone for MergeAnalysis
impl Clone for MergePreference
impl Clone for OdbLookupFlags
impl Clone for PathspecFlags
impl Clone for ReferenceFormat
impl Clone for RemoteUpdateFlags
impl Clone for RepositoryInitMode
impl Clone for RepositoryOpenFlags
impl Clone for RevparseMode
impl Clone for Sort
impl Clone for StashApplyFlags
impl Clone for StashFlags
impl Clone for git2::Status
impl Clone for SubmoduleStatus
impl Clone for IndexTime
impl Clone for git2::time::Time
impl Clone for Ipv4AddrRange
impl Clone for Ipv6AddrRange
impl Clone for Ipv4Net
impl Clone for Ipv4Subnets
impl Clone for Ipv6Net
impl Clone for Ipv6Subnets
impl Clone for PrefixLenError
impl Clone for ipnet::parser::AddrParseError
impl Clone for itoa::Buffer
impl Clone for Collator
impl Clone for DateTimeFormat
impl Clone for NumberFormat
impl Clone for PluralRules
impl Clone for RelativeTimeFormat
impl Clone for CompileError
impl Clone for Exception
impl Clone for js_sys::WebAssembly::Global
impl Clone for js_sys::WebAssembly::Instance
impl Clone for LinkError
impl Clone for Memory
impl Clone for js_sys::WebAssembly::Module
impl Clone for RuntimeError
impl Clone for js_sys::WebAssembly::Table
impl Clone for js_sys::WebAssembly::Tag
impl Clone for Array
impl Clone for ArrayBuffer
impl Clone for ArrayIntoIter
impl Clone for AsyncIterator
impl Clone for BigInt64Array
impl Clone for BigInt
impl Clone for BigUint64Array
impl Clone for js_sys::Boolean
impl Clone for DataView
impl Clone for js_sys::Date
impl Clone for js_sys::Error
impl Clone for EvalError
impl Clone for Float32Array
impl Clone for Float64Array
impl Clone for js_sys::Function
impl Clone for Generator
impl Clone for Int8Array
impl Clone for Int16Array
impl Clone for Int32Array
impl Clone for Iterator
impl Clone for IteratorNext
impl Clone for JsString
impl Clone for js_sys::Map
impl Clone for js_sys::Number
impl Clone for js_sys::Object
impl Clone for Promise
impl Clone for js_sys::Proxy
impl Clone for RangeError
impl Clone for ReferenceError
impl Clone for RegExp
impl Clone for js_sys::Set
impl Clone for js_sys::Symbol
impl Clone for js_sys::SyntaxError
impl Clone for js_sys::TryFromIntError
impl Clone for TypeError
impl Clone for Uint8Array
impl Clone for Uint8ClampedArray
impl Clone for Uint16Array
impl Clone for Uint32Array
impl Clone for UriError
impl Clone for WeakMap
impl Clone for WeakSet
impl Clone for git_blame_hunk
impl Clone for git_blame_options
impl Clone for git_buf
impl Clone for git_index_entry
impl Clone for git_index_time
impl Clone for git_indexer_progress
impl Clone for git_message_trailer_array
impl Clone for git_oid
impl Clone for git_oidarray
impl Clone for git_strarray
impl Clone for git_time
impl Clone for Mime
impl Clone for SHA256_CTX
impl Clone for SHA512_CTX
impl Clone for SHA_CTX
impl Clone for Asn1Object
impl Clone for Asn1Type
impl Clone for TimeDiff
impl Clone for CMSOptions
impl Clone for Asn1Flag
impl Clone for PointConversionForm
impl Clone for openssl::error::Error
impl Clone for ErrorStack
impl Clone for DigestBytes
impl Clone for openssl::hash::Hasher
impl Clone for MessageDigest
impl Clone for Nid
impl Clone for OcspCertStatus
impl Clone for OcspFlag
impl Clone for OcspResponseStatus
impl Clone for OcspRevokedStatus
impl Clone for KeyIvPair
impl Clone for Pkcs7Flags
impl Clone for openssl::pkey::Id
impl Clone for openssl::rsa::Padding
impl Clone for Sha1
impl Clone for Sha224
impl Clone for Sha256
impl Clone for Sha384
impl Clone for Sha512
impl Clone for SrtpProfileId
impl Clone for SslAcceptor
impl Clone for SslConnector
impl Clone for openssl::ssl::error::ErrorCode
impl Clone for AlpnError
impl Clone for ClientHelloResponse
impl Clone for ExtensionContext
impl Clone for NameType
impl Clone for ShutdownState
impl Clone for SniError
impl Clone for SslAlert
impl Clone for SslContext
impl Clone for SslFiletype
impl Clone for SslMethod
impl Clone for SslMode
impl Clone for SslOptions
impl Clone for SslSession
impl Clone for SslSessionCacheMode
impl Clone for SslVerifyMode
impl Clone for SslVersion
impl Clone for StatusType
impl Clone for Cipher
impl Clone for CrlReason
impl Clone for X509
impl Clone for X509PurposeId
impl Clone for X509VerifyResult
impl Clone for X509CheckFlags
impl Clone for X509VerifyFlags
impl Clone for Equations
impl Clone for palette::blend::equations::Parameters
impl Clone for SliceCastError
impl Clone for F2p2
impl Clone for LinearFn
impl Clone for Srgb
impl Clone for Al
impl Clone for La
impl Clone for Abgr
impl Clone for Argb
impl Clone for Bgra
impl Clone for Rgba
impl Clone for palette::white_point::A
impl Clone for palette::white_point::Any
impl Clone for palette::white_point::B
impl Clone for C
impl Clone for D50
impl Clone for D50Degree10
impl Clone for D55
impl Clone for D55Degree10
impl Clone for D65
impl Clone for D65Degree10
impl Clone for D75
impl Clone for D75Degree10
impl Clone for E
impl Clone for F2
impl Clone for F7
impl Clone for F11
impl Clone for DelimSpan
impl Clone for LineColumn
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 ryu::buffer::Buffer
impl Clone for serde_json::map::Map<String, Value>
impl Clone for serde_json::number::Number
impl Clone for CompactFormatter
impl Clone for serde_path_to_error::path::Path
impl Clone for DefaultConfig
impl Clone for DefaultKey
impl Clone for KeyData
impl Clone for subtle::Choice
impl Clone for syn::attr::Attribute
impl Clone for MetaList
impl Clone for MetaNameValue
impl Clone for syn::data::Field
impl Clone for FieldsNamed
impl Clone for FieldsUnnamed
impl Clone for syn::data::Variant
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 ExprAsync
impl Clone for ExprAwait
impl Clone for ExprBinary
impl Clone for ExprBlock
impl Clone for ExprBreak
impl Clone for ExprCall
impl Clone for ExprCast
impl Clone for ExprClosure
impl Clone for ExprConst
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 ExprInfer
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 ExprRawAddr
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 ExprUnary
impl Clone for ExprUnsafe
impl Clone for ExprWhile
impl Clone for ExprYield
impl Clone for FieldValue
impl Clone for syn::expr::Index
impl Clone for syn::expr::Label
impl Clone for syn::file::File
impl Clone for BoundLifetimes
impl Clone for ConstParam
impl Clone for Generics
impl Clone for LifetimeParam
impl Clone for PreciseCapture
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 ImplItemFn
impl Clone for ImplItemMacro
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 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 TraitItemFn
impl Clone for TraitItemMacro
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 Variadic
impl Clone for Lifetime
impl Clone for LitBool
impl Clone for LitByte
impl Clone for LitByteStr
impl Clone for LitCStr
impl Clone for LitChar
impl Clone for LitFloat
impl Clone for LitInt
impl Clone for LitStr
impl Clone for syn::lookahead::End
impl Clone for syn::mac::Macro
impl Clone for Nothing
impl Clone for FieldPat
impl Clone for PatIdent
impl Clone for PatOr
impl Clone for PatParen
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 AssocConst
impl Clone for syn::path::AssocType
impl Clone for Constraint
impl Clone for ParenthesizedGenericArguments
impl Clone for syn::path::Path
impl Clone for syn::path::PathSegment
impl Clone for QSelf
impl Clone for VisRestricted
impl Clone for syn::stmt::Block
impl Clone for syn::stmt::Local
impl Clone for LocalInit
impl Clone for StmtMacro
impl Clone for Abstract
impl Clone for syn::token::And
impl Clone for AndAnd
impl Clone for AndEq
impl Clone for syn::token::As
impl Clone for syn::token::Async
impl Clone for At
impl Clone for Auto
impl Clone for Await
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 syn::token::Caret
impl Clone for CaretEq
impl Clone for Colon
impl Clone for Comma
impl Clone for Const
impl Clone for Continue
impl Clone for Crate
impl Clone for syn::token::Default
impl Clone for Do
impl Clone for Dollar
impl Clone for syn::token::Dot
impl Clone for DotDot
impl Clone for DotDotDot
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 Extern
impl Clone for FatArrow
impl Clone for Final
impl Clone for Fn
impl Clone for syn::token::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 syn::token::Loop
impl Clone for Lt
impl Clone for syn::token::Macro
impl Clone for syn::token::Match
impl Clone for Minus
impl Clone for MinusEq
impl Clone for Mod
impl Clone for Move
impl Clone for Mut
impl Clone for Ne
impl Clone for syn::token::Not
impl Clone for syn::token::Or
impl Clone for OrEq
impl Clone for OrOr
impl Clone for Override
impl Clone for Paren
impl Clone for PathSep
impl Clone for Percent
impl Clone for PercentEq
impl Clone for Plus
impl Clone for PlusEq
impl Clone for Pound
impl Clone for Priv
impl Clone for Pub
impl Clone for Question
impl Clone for RArrow
impl Clone for syn::token::Raw
impl Clone for syn::token::Ref
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 Slash
impl Clone for SlashEq
impl Clone for Star
impl Clone for StarEq
impl Clone for syn::token::Static
impl Clone for Struct
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 syn::token::Use
impl Clone for Virtual
impl Clone for Where
impl Clone for While
impl Clone for syn::token::Yield
impl Clone for Abi
impl Clone for BareFnArg
impl Clone for BareVariadic
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 tokio_native_tls::TlsAcceptor
impl Clone for tokio_native_tls::TlsConnector
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 OpaqueOrigin
impl Clone for url::Url
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 uuid::timestamp::Timestamp
impl Clone for JsError
impl Clone for JsValue
impl Clone for AbortController
impl Clone for AbortSignal
impl Clone for AddEventListenerOptions
impl Clone for AnimationEvent
impl Clone for BeforeUnloadEvent
impl Clone for web_sys::features::gen_Blob::Blob
impl Clone for CharacterData
impl Clone for ClipboardEvent
impl Clone for web_sys::features::gen_CloseEvent::CloseEvent
impl Clone for CloseEventInit
impl Clone for web_sys::features::gen_Comment::Comment
impl Clone for CompositionEvent
impl Clone for CssStyleDeclaration
impl Clone for CustomEvent
impl Clone for DataTransfer
impl Clone for DeviceMotionEvent
impl Clone for DeviceOrientationEvent
impl Clone for web_sys::features::gen_Document::Document
impl Clone for DocumentFragment
impl Clone for DomRect
impl Clone for DomRectReadOnly
impl Clone for DomStringMap
impl Clone for DomTokenList
impl Clone for DragEvent
impl Clone for web_sys::features::gen_Element::Element
impl Clone for ErrorEvent
impl Clone for web_sys::features::gen_Event::Event
impl Clone for web_sys::features::gen_EventSource::EventSource
impl Clone for EventTarget
impl Clone for web_sys::features::gen_File::File
impl Clone for FileList
impl Clone for FileReader
impl Clone for FocusEvent
impl Clone for FormData
impl Clone for GamepadEvent
impl Clone for HashChangeEvent
impl Clone for web_sys::features::gen_Headers::Headers
impl Clone for History
impl Clone for HtmlAnchorElement
impl Clone for HtmlAreaElement
impl Clone for HtmlAudioElement
impl Clone for HtmlBaseElement
impl Clone for HtmlBodyElement
impl Clone for HtmlBrElement
impl Clone for HtmlButtonElement
impl Clone for HtmlCanvasElement
impl Clone for HtmlCollection
impl Clone for HtmlDListElement
impl Clone for HtmlDataElement
impl Clone for HtmlDataListElement
impl Clone for HtmlDetailsElement
impl Clone for HtmlDialogElement
impl Clone for HtmlDivElement
impl Clone for web_sys::features::gen_HtmlElement::HtmlElement
impl Clone for HtmlEmbedElement
impl Clone for HtmlFieldSetElement
impl Clone for HtmlFormElement
impl Clone for HtmlHeadElement
impl Clone for HtmlHeadingElement
impl Clone for HtmlHrElement
impl Clone for HtmlHtmlElement
impl Clone for HtmlIFrameElement
impl Clone for HtmlImageElement
impl Clone for HtmlInputElement
impl Clone for HtmlLabelElement
impl Clone for HtmlLegendElement
impl Clone for HtmlLiElement
impl Clone for HtmlLinkElement
impl Clone for HtmlMapElement
impl Clone for HtmlMediaElement
impl Clone for HtmlMenuElement
impl Clone for HtmlMetaElement
impl Clone for HtmlMeterElement
impl Clone for HtmlModElement
impl Clone for HtmlOListElement
impl Clone for HtmlObjectElement
impl Clone for HtmlOptGroupElement
impl Clone for HtmlOptionElement
impl Clone for HtmlOutputElement
impl Clone for HtmlParagraphElement
impl Clone for HtmlParamElement
impl Clone for HtmlPictureElement
impl Clone for HtmlPreElement
impl Clone for HtmlProgressElement
impl Clone for HtmlQuoteElement
impl Clone for HtmlScriptElement
impl Clone for HtmlSelectElement
impl Clone for HtmlSlotElement
impl Clone for HtmlSourceElement
impl Clone for HtmlSpanElement
impl Clone for HtmlStyleElement
impl Clone for HtmlTableCaptionElement
impl Clone for HtmlTableCellElement
impl Clone for HtmlTableColElement
impl Clone for HtmlTableElement
impl Clone for HtmlTableRowElement
impl Clone for HtmlTableSectionElement
impl Clone for HtmlTemplateElement
impl Clone for HtmlTextAreaElement
impl Clone for HtmlTimeElement
impl Clone for HtmlTitleElement
impl Clone for HtmlTrackElement
impl Clone for HtmlUListElement
impl Clone for HtmlVideoElement
impl Clone for InputEvent
impl Clone for KeyboardEvent
impl Clone for web_sys::features::gen_Location::Location
impl Clone for MessageEvent
impl Clone for MouseEvent
impl Clone for MutationObserver
impl Clone for MutationObserverInit
impl Clone for MutationRecord
impl Clone for web_sys::features::gen_Node::Node
impl Clone for NodeFilter
impl Clone for NodeList
impl Clone for ObserverCallback
impl Clone for PageTransitionEvent
impl Clone for PointerEvent
impl Clone for PopStateEvent
impl Clone for ProgressEvent
impl Clone for PromiseRejectionEvent
impl Clone for QueuingStrategy
impl Clone for ReadableByteStreamController
impl Clone for ReadableStream
impl Clone for ReadableStreamByobReader
impl Clone for ReadableStreamByobRequest
impl Clone for ReadableStreamDefaultController
impl Clone for ReadableStreamDefaultReader
impl Clone for ReadableStreamGetReaderOptions
impl Clone for ReadableStreamReadResult
impl Clone for ReadableWritablePair
impl Clone for web_sys::features::gen_Request::Request
impl Clone for RequestInit
impl Clone for web_sys::features::gen_Response::Response
impl Clone for ResponseInit
impl Clone for ScrollIntoViewOptions
impl Clone for ScrollToOptions
impl Clone for SecurityPolicyViolationEvent
impl Clone for ShadowRoot
impl Clone for ShadowRootInit
impl Clone for Storage
impl Clone for StorageEvent
impl Clone for StreamPipeOptions
impl Clone for SubmitEvent
impl Clone for SvgElement
impl Clone for web_sys::features::gen_Text::Text
impl Clone for TouchEvent
impl Clone for TransformStream
impl Clone for TransformStreamDefaultController
impl Clone for Transformer
impl Clone for TransitionEvent
impl Clone for TreeWalker
impl Clone for UiEvent
impl Clone for UnderlyingSink
impl Clone for UnderlyingSource
impl Clone for web_sys::features::gen_Url::Url
impl Clone for UrlSearchParams
impl Clone for WebSocket
impl Clone for WheelEvent
impl Clone for Window
impl Clone for WritableStream
impl Clone for WritableStreamDefaultController
impl Clone for WritableStreamDefaultWriter
impl Clone for rand::distr::bernoulli::Bernoulli
impl Clone for rand::distr::float::Open01
impl Clone for rand::distr::float::OpenClosed01
impl Clone for Alphabetic
impl Clone for rand::distr::other::Alphanumeric
impl Clone for rand::distr::slice::Empty
impl Clone for StandardUniform
impl Clone for UniformUsize
impl Clone for rand::distr::uniform::other::UniformChar
impl Clone for rand::distr::uniform::other::UniformDuration
impl Clone for rand::distributions::bernoulli::Bernoulli
impl Clone for rand::distributions::float::Open01
impl Clone for rand::distributions::float::OpenClosed01
impl Clone for rand::distributions::other::Alphanumeric
impl Clone for Standard
impl Clone for rand::distributions::uniform::UniformChar
impl Clone for rand::distributions::uniform::UniformDuration
impl Clone for rand::rngs::mock::StepRng
impl Clone for rand::rngs::mock::StepRng
impl Clone for SmallRng
impl Clone for rand::rngs::std::StdRng
impl Clone for rand::rngs::std::StdRng
impl Clone for rand::rngs::thread::ThreadRng
impl Clone for rand::rngs::thread::ThreadRng
impl Clone for rand_chacha::chacha::ChaCha8Core
impl Clone for rand_chacha::chacha::ChaCha8Core
impl Clone for rand_chacha::chacha::ChaCha8Rng
impl Clone for rand_chacha::chacha::ChaCha8Rng
impl Clone for rand_chacha::chacha::ChaCha12Core
impl Clone for rand_chacha::chacha::ChaCha12Core
impl Clone for rand_chacha::chacha::ChaCha12Rng
impl Clone for rand_chacha::chacha::ChaCha12Rng
impl Clone for rand_chacha::chacha::ChaCha20Core
impl Clone for rand_chacha::chacha::ChaCha20Core
impl Clone for rand_chacha::chacha::ChaCha20Rng
impl Clone for rand_chacha::chacha::ChaCha20Rng
impl Clone for OsError
impl Clone for rand_core::os::OsRng
impl Clone for rand_core::os::OsRng
impl Clone for A
impl Clone for A
impl Clone for A98
impl Clone for AHasher
impl Clone for AHasher
impl Clone for ASCII
impl Clone for AVX2
impl Clone for Abbr
impl Clone for Abbr
impl Clone for AbortHandle
impl Clone for AbortHandle
impl Clone for Aborted
impl Clone for AbsoluteFontSize
impl Clone for AbsoluteFontWeight
impl Clone for Accent
impl Clone for Accentunder
impl Clone for Accept
impl Clone for AcceptCharset
impl Clone for Access
impl Clone for Access
impl Clone for AccessLevel
impl Clone for AccessToken
impl Clone for Accesskey
impl Clone for Action
impl Clone for Action
impl Clone for Addr
impl Clone for AddrParseError
impl Clone for Address
impl Clone for AddressFamily
impl Clone for Adler32
impl Clone for Advice
impl Clone for Advice
impl Clone for Advice
impl Clone for AggregateExpression
impl Clone for AggregateExpression
impl Clone for AggregateFunction
impl Clone for Aggregation
impl Clone for AggregationError
impl Clone for AggregationLimitsGuard
impl Clone for AggregationResult
impl Clone for AggregationResults
impl Clone for AggregationVariants
impl Clone for AhoCorasick
impl Clone for AhoCorasickBuilder
impl Clone for AhoCorasickKind
impl Clone for AlertDescription
impl Clone for Algorithm
impl Clone for Algorithm
impl Clone for Algorithm
impl Clone for Algorithm
impl Clone for Algorithm
impl Clone for AlgorithmIdentifier
impl Clone for Align
impl Clone for AlignContent
impl Clone for AlignItems
impl Clone for AlignSelf
impl Clone for AlignedVec
impl Clone for AliveBitSet
impl Clone for AllQuery
impl Clone for AllocError
impl Clone for AllocError
impl Clone for Allow
impl Clone for AllowCredentials
impl Clone for AllowHeaders
impl Clone for AllowMethods
impl Clone for AllowOrigin
impl Clone for AllowPrivateNetwork
impl Clone for Allowfullscreen
impl Clone for Allowpaymentrequest
impl Clone for AlphaNumOnlyFilter
impl Clone for AlphaValue
impl Clone for Alphabet
impl Clone for Alt
impl Clone for Alternation
impl Clone for AlwaysMatch
impl Clone for AlwaysResolvesClientRawPublicKeys
impl Clone for AlwaysResolvesServerRawPublicKeys
impl Clone for AncestorHashes
impl Clone for Anchored
impl Clone for Anchored
impl Clone for Angle
impl Clone for Animate
impl Clone for AnimateMotion
impl Clone for AnimateTransform
impl Clone for AnimationAttachmentRange
impl Clone for AnimationComposition
impl Clone for AnimationDirection
impl Clone for AnimationFillMode
impl Clone for AnimationIterationCount
impl Clone for AnimationPlayState
impl Clone for AnimationRange
impl Clone for AnimationRangeEnd
impl Clone for AnimationRangeStart
impl Clone for Annotation
impl Clone for Any
impl Clone for AnyAttribute
impl Clone for AnyColumn
impl Clone for AnyConnectOptions
impl Clone for AnyDelimiterCodec
impl Clone for AnyKind
impl Clone for AnyNestedRoute
impl Clone for AnyRow
impl Clone for AnySource
impl Clone for AnySubscriber
impl Clone for AnyTypeInfo
impl Clone for AnyTypeInfoKind
impl Clone for AnyValue
impl Clone for AppliedMigration
impl Clone for ApproverIds
impl Clone for ArcCallback
impl Clone for ArchiveFormat
impl Clone for ArchivedDuration
impl Clone for ArchivedIpAddr
impl Clone for ArchivedIpv4Addr
impl Clone for ArchivedIpv6Addr
impl Clone for ArchivedSocketAddr
impl Clone for ArchivedSocketAddrV4
impl Clone for ArchivedSocketAddrV6
impl Clone for Area
impl Clone for AriaActivedescendant
impl Clone for AriaAtomic
impl Clone for AriaAutocomplete
impl Clone for AriaBusy
impl Clone for AriaChecked
impl Clone for AriaColcount
impl Clone for AriaColindex
impl Clone for AriaColspan
impl Clone for AriaControls
impl Clone for AriaCurrent
impl Clone for AriaDescribedby
impl Clone for AriaDescription
impl Clone for AriaDetails
impl Clone for AriaDisabled
impl Clone for AriaDropeffect
impl Clone for AriaErrormessage
impl Clone for AriaExpanded
impl Clone for AriaFlowto
impl Clone for AriaGrabbed
impl Clone for AriaHaspopup
impl Clone for AriaHidden
impl Clone for AriaInvalid
impl Clone for AriaKeyshortcuts
impl Clone for AriaLabel
impl Clone for AriaLabelledby
impl Clone for AriaLive
impl Clone for AriaModal
impl Clone for AriaMultiline
impl Clone for AriaMultiselectable
impl Clone for AriaOrientation
impl Clone for AriaOwns
impl Clone for AriaPlaceholder
impl Clone for AriaPosinset
impl Clone for AriaPressed
impl Clone for AriaReadonly
impl Clone for AriaRelevant
impl Clone for AriaRequired
impl Clone for AriaRoledescription
impl Clone for AriaRowcount
impl Clone for AriaRowindex
impl Clone for AriaRowspan
impl Clone for AriaSelected
impl Clone for AriaSetsize
impl Clone for AriaSort
impl Clone for AriaValuemax
impl Clone for AriaValuemin
impl Clone for AriaValuenow
impl Clone for AriaValuetext
impl Clone for Article
impl Clone for As
impl Clone for AsciiCase
impl Clone for AsciiDenyList
impl Clone for AsciiFoldingFilter
impl Clone for AsciiProbeResult
impl Clone for Aside
impl Clone for AspectRatio
impl Clone for Assertion
impl Clone for AssertionKind
impl Clone for Assignee
impl Clone for AssociatedData
impl Clone for Ast
impl Clone for Async
impl Clone for AsyncGitlab
impl Clone for AsyncState
impl Clone for AtFlags
impl Clone for AtFlags
impl Clone for AttrError
impl Clone for AttrSelectorOperator
impl Clone for AttrValueKind
impl Clone for Attribute
impl Clone for Attribute
impl Clone for AttributeValueExpr
impl Clone for Attributes
impl Clone for Attributionsrc
impl Clone for Audio
impl Clone for AuthType
impl Clone for AuthUrl
impl Clone for AuthorizationCode
impl Clone for AutoCompleteRef
impl Clone for AutoCompleteSize
impl Clone for AutoDevOpsDeployStrategy
impl Clone for Autocapitalize
impl Clone for Autocomplete
impl Clone for Autofocus
impl Clone for Autoplay
impl Clone for AvatarShape
impl Clone for AverageAggregation
impl Clone for AxumRouteListing
impl Clone for B
impl Clone for BackfaceVisibility
impl Clone for Background
impl Clone for BackgroundAttachment
impl Clone for BackgroundClip
impl Clone for BackgroundOrigin
impl Clone for BackgroundPosition
impl Clone for BackgroundRepeat
impl Clone for BackgroundRepeatKeyword
impl Clone for BackgroundSize
impl Clone for Backoff
impl Clone for BackoffBuilder
impl Clone for BadgeAppearance
impl Clone for BadgeColor
impl Clone for BadgeSize
impl Clone for BarrierWaitResult
impl Clone for BarrierWaitResult
impl Clone for Base
impl Clone for Base64
impl Clone for Base64Bcrypt
impl Clone for Base64Crypt
impl Clone for Base64ShaCrypt
impl Clone for Base64Unpadded
impl Clone for Base64Url
impl Clone for Base64UrlUnpadded
impl Clone for BasePalette
impl Clone for BaselinePosition
impl Clone for BasicErrorResponseType
impl Clone for BasicShape
impl Clone for BasicTokenType
impl Clone for Bdi
impl Clone for Bdo
impl Clone for Bgcolor
impl Clone for BidiClass
impl Clone for BidiClass
impl Clone for BidiClassMask
impl Clone for BidiMirroringGlyph
impl Clone for BidiPairedBracketType
impl Clone for BigEndian
impl Clone for BigEndian
impl Clone for BitOrder
impl Clone for BitPacker1x
impl Clone for BitPacker4x
impl Clone for BitSet
impl Clone for BitUnpacker
impl Clone for Blake2bVarCore
impl Clone for Blake2sVarCore
impl Clone for BlankNode
impl Clone for Block
impl Clone for BlockAddr
impl Clone for BlockSegmentPostings
impl Clone for BlockedBitpacker
impl Clone for Blocking
impl Clone for Blocking
impl Clone for Blockquote
impl Clone for BloomStorageBool
impl Clone for BloomStorageU8
impl Clone for Bm25Weight
impl Clone for Body
impl Clone for Boolean
impl Clone for BooleanQuery
impl Clone for BoostQuery
impl Clone for Border
impl Clone for BorderBlockColor
impl Clone for BorderBlockStyle
impl Clone for BorderBlockWidth
impl Clone for BorderColor
impl Clone for BorderImageRepeat
impl Clone for BorderImageRepeatKeyword
impl Clone for BorderImageSideWidth
impl Clone for BorderImageSlice
impl Clone for BorderInlineColor
impl Clone for BorderInlineStyle
impl Clone for BorderInlineWidth
impl Clone for BorderRadius
impl Clone for BorderSideWidth
impl Clone for BorderStyle
impl Clone for BorderWidth
impl Clone for Boundary
impl Clone for BoundedBacktracker
impl Clone for Box<str>
impl Clone for Box<CStr>
impl Clone for BoxAlign
impl Clone for BoxDecorationBreak
impl Clone for BoxDirection
impl Clone for BoxLines
impl Clone for BoxOrient
impl Clone for BoxPack
impl Clone for BoxShadow
impl Clone for BoxSizing
impl Clone for Br
impl Clone for BranchFilterStrategy
impl Clone for BranchProtection
impl Clone for BranchProtectionAccessLevel
impl Clone for BranchProtectionDefaults
impl Clone for BranchProtectionDefaultsBuilder
impl Clone for BrowserUrl
impl Clone for Browsers
impl Clone for BucketEntry
impl Clone for BucketResult
impl Clone for BufferFormat
impl Clone for BufferQueue
impl Clone for Buffered
impl Clone for BuildCommitHookAttrs
impl Clone for BuildError
impl Clone for BuildError
impl Clone for BuildError
impl Clone for BuildError
impl Clone for BuildError
impl Clone for BuildGitStrategy
impl Clone for BuildHook
impl Clone for BuildProjectHookAttrs
impl Clone for BuildUserHookAttrs
impl Clone for Builder
impl Clone for Builder
impl Clone for Builder
impl Clone for Builder
impl Clone for Builder
impl Clone for Builder
impl Clone for Builder
impl Clone for Builder
impl Clone for Builder
impl Clone for Builder
impl Clone for Builder
impl Clone for Builder
impl Clone for Builder
impl Clone for Builder
impl Clone for Builder
impl Clone for Builder
impl Clone for Builder
impl Clone for Button
impl Clone for ButtonAppearance
impl Clone for ButtonRef
impl Clone for ButtonShape
impl Clone for ButtonSize
impl Clone for ButtonType
impl Clone for ByteClasses
impl Clone for ByteCount
impl Clone for Bytes
impl Clone for BytesCodec
impl Clone for BytesColumn
impl Clone for BytesOptions
impl Clone for CParameter
impl Clone for CSSWideKeyword
impl Clone for Cache
impl Clone for Cache
impl Clone for Cache
impl Clone for Cache
impl Clone for Cache
impl Clone for Cache
impl Clone for CacheError
impl Clone for CalendarChildrenFn
impl Clone for Canceled
impl Clone for CancellationToken
impl Clone for Candidate
impl Clone for CanonicalCombiningClass
impl Clone for CanonicalizationAlgorithm
impl Clone for Canvas
impl Clone for CapacityError
impl Clone for CapacityOverflowError
impl Clone for Caption
impl Clone for Capture
impl Clone for Capture
impl Clone for CaptureConnection
impl Clone for CaptureLocations
impl Clone for CaptureLocations
impl Clone for CaptureName
impl Clone for Captures
impl Clone for Cardinality
impl Clone for CardinalityAggregationReq
impl Clone for CardinalityCollector
impl Clone for Caret
impl Clone for CaretShape
impl Clone for Cart
impl Clone for Case
impl Clone for CaseSensitivity
impl Clone for CertRevocationListError
impl Clone for Certificate
impl Clone for Certificate
impl Clone for CertificateCompressionAlgorithm
impl Clone for CertificateError
impl Clone for CertificateInput
impl Clone for CertificateType
impl Clone for CertifiedKey
impl Clone for Challenge
impl Clone for ChannelType
impl Clone for CharULE
impl Clone for Charset
impl Clone for CheckboxGroupRuleTrigger
impl Clone for CheckboxSize
impl Clone for Checked
impl Clone for CipherSuite
impl Clone for Circle
impl Clone for Circle
impl Clone for Circle
impl Clone for Cite
impl Clone for Cite
impl Clone for Class
impl Clone for ClassAscii
impl Clone for ClassAsciiKind
impl Clone for ClassBracketed
impl Clone for ClassBytes
impl Clone for ClassBytesRange
impl Clone for ClassList
impl Clone for ClassPerl
impl Clone for ClassPerlKind
impl Clone for ClassSet
impl Clone for ClassSetBinaryOp
impl Clone for ClassSetBinaryOpKind
impl Clone for ClassSetItem
impl Clone for ClassSetRange
impl Clone for ClassSetUnion
impl Clone for ClassUnicode
impl Clone for ClassUnicode
impl Clone for ClassUnicodeKind
impl Clone for ClassUnicodeOpKind
impl Clone for ClassUnicodeRange
impl Clone for Client
impl Clone for Client
impl Clone for ClientCertVerifierBuilder
impl Clone for ClientConfig
impl Clone for ClientId
impl Clone for ClientRequestBuilder
impl Clone for ClientSecret
impl Clone for ClipPath
impl Clone for ClockId
impl Clone for CloseCode
impl Clone for CloseEvent
impl Clone for CloseFrame
impl Clone for CloseStatus
impl Clone for CloseTag
impl Clone for CloseTagStart
impl Clone for Code
impl Clone for Code
impl Clone for CodePointTrieHeader
impl Clone for CodecType
impl Clone for Col
impl Clone for Colgroup
impl Clone for Collector
impl Clone for Color
impl Clone for Color
impl Clone for Color
impl Clone for Color
impl Clone for ColorFallbackKind
impl Clone for ColorFunction
impl Clone for ColorInterpolation
impl Clone for ColorOrAuto
impl Clone for ColorPickerSize
impl Clone for ColorRendering
impl Clone for ColorScheme
impl Clone for ColorTheme
impl Clone for Colour
impl Clone for Cols
impl Clone for Colspan
impl Clone for ColumnIndex
impl Clone for ColumnStats
impl Clone for ColumnType
impl Clone for Columnalign
impl Clone for ColumnarReader
impl Clone for Columnlines
impl Clone for Columnspacing
impl Clone for Columnspan
impl Clone for ComEnd
impl Clone for ComStart
impl Clone for Combinator
impl Clone for ComboboxRuleTrigger
impl Clone for ComboboxSize
impl Clone for Comment
impl Clone for CommitActionType
impl Clone for CommitHookAttrs
impl Clone for CommitRefsType
impl Clone for CommitStatusState
impl Clone for CommitStatusesOrderBy
impl Clone for CommitsOrder
impl Clone for CommonTheme
impl Clone for Compact
impl Clone for CompactDoc
impl Clone for Compiler
impl Clone for Component
impl Clone for ComponentRange
impl Clone for CompressionLevel
impl Clone for CompressionLevel
impl Clone for CompressionStrategy
impl Clone for Compressor
impl Clone for Concat
impl Clone for Config
impl Clone for Config
impl Clone for Config
impl Clone for Config
impl Clone for Config
impl Clone for Config
impl Clone for Config
impl Clone for Config
impl Clone for Config
impl Clone for Config
impl Clone for Config
impl Clone for Config
impl Clone for Config
impl Clone for Config
impl Clone for ConfigDirection
impl Clone for ConfigInjection
impl Clone for ConicGradient
impl Clone for Connector
impl Clone for ConstScoreQuery
impl Clone for Constant
impl Clone for ContainerExpirationCadence
impl Clone for ContainerExpirationKeepN
impl Clone for ContainerExpirationOlderThan
impl Clone for ContainerSizeFeatureId
impl Clone for ContainerType
impl Clone for Content
impl Clone for ContentDistribution
impl Clone for ContentPosition
impl Clone for ContentType
impl Clone for Contenteditable
impl Clone for Context
impl Clone for Context
impl Clone for ContributorsOrderBy
impl Clone for Control
impl Clone for Controls
impl Clone for Controlslist
impl Clone for ConversionRange
impl Clone for CookieJar
impl Clone for CookieManagerLayer
impl Clone for Cookies
impl Clone for Coords
impl Clone for CorsLayer
impl Clone for CountAggregation
impl Clone for CreateFlags
impl Clone for CreateFlags
impl Clone for CreateFlags
impl Clone for Crossorigin
impl Clone for CryptoProvider
impl Clone for Csp
impl Clone for CsrfToken
impl Clone for CssColor
impl Clone for CssModuleExport
impl Clone for CssModuleReference
impl Clone for CurrencyType
impl Clone for CurrentUser
impl Clone for CurrentUserBuilder
impl Clone for Cursor
impl Clone for CursorKeyword
impl Clone for CustomOrder
impl Clone for DDSketch
impl Clone for DDSketchError
impl Clone for DFA
impl Clone for DFA
impl Clone for DFA
impl Clone for DOMContentLoaded
impl Clone for DParameter
impl Clone for Dash
impl Clone for Data
impl Clone for Data
impl Clone for Data
impl Clone for DataCorruption
impl Clone for DataError
impl Clone for DataErrorKind
impl Clone for DataFormat
impl Clone for DataLocale
impl Clone for DataMarkerId
impl Clone for DataMarkerIdHash
impl Clone for DataMarkerInfo
impl Clone for DataRequestMetadata
impl Clone for DataResponseMetadata
impl Clone for Datalist
impl Clone for Dataset
impl Clone for DatasetFormat
impl Clone for Date
impl Clone for Date
impl Clone for Date
impl Clone for DateHistogramAggregationReq
impl Clone for DateHistogramParseError
impl Clone for DateKind
impl Clone for DateOptions
impl Clone for DatePickerRuleTrigger
impl Clone for DatePickerSize
impl Clone for DateTime
impl Clone for DateTime
impl Clone for DateTimeOverflowError
impl Clone for DateTimePrecision
impl Clone for Datetime
impl Clone for Datetime
impl Clone for DatetimeParseError
impl Clone for Day
impl Clone for Day
impl Clone for DayTimeDuration
impl Clone for Dd
impl Clone for DebugByte
impl Clone for DecInt
impl Clone for Decimal
impl Clone for DecodeError
impl Clone for DecodeError
impl Clone for DecodeKind
impl Clone for DecodePaddingMode
impl Clone for DecodePartial
impl Clone for DecodeSliceError
impl Clone for Decoder
impl Clone for Decoding
impl Clone for Decompressor
impl Clone for DecompressorOxide
impl Clone for Default
impl Clone for DefaultHashBuilder
impl Clone for DefaultHasher
impl Clone for DefaultMakeSpan
impl Clone for DefaultOnBodyChunk
impl Clone for DefaultOnEos
impl Clone for DefaultOnFailure
impl Clone for DefaultOnRequest
impl Clone for DefaultOnResponse
impl Clone for DefaultServeDirFallback
impl Clone for DefaultState
impl Clone for Defer
impl Clone for Defs
impl Clone for Del
impl Clone for DeleteError
impl Clone for DeleteImpersonationToken
impl Clone for DeleteImpersonationTokenBuilder
impl Clone for DeleteRunner
impl Clone for DeleteRunnerBuilder
impl Clone for Delimiter
impl Clone for Delimiters
impl Clone for DenseTransitions
impl Clone for DeployKeys
impl Clone for DeployKeysBuilder
impl Clone for DeploymentOrderBy
impl Clone for DeploymentStatus
impl Clone for DeploymentStatusFilter
impl Clone for Depth
impl Clone for DerTypeId
impl Clone for Desc
impl Clone for DeserializeError
impl Clone for Details
impl Clone for DeviceAuthorizationUrl
impl Clone for DeviceCode
impl Clone for DeviceCodeErrorResponseType
impl Clone for Dfn
impl Clone for Diagnostic
impl Clone for Dialog
impl Clone for DictAttachPref
impl Clone for DiffHookAttrs
impl Clone for DifferentVariant
impl Clone for Digest
impl Clone for DigitallySignedStruct
impl Clone for Dir
impl Clone for DirEntry
impl Clone for Direction
impl Clone for Direction
impl Clone for Direction
impl Clone for Direction
impl Clone for Dirname
impl Clone for Disabled
impl Clone for Disablepictureinpicture
impl Clone for Disableremoteplayback
impl Clone for Discard
impl Clone for DisjunctionMaxCombiner
impl Clone for DisjunctionMaxQuery
impl Clone for Dispatch
impl Clone for Display
impl Clone for Display
impl Clone for DisplayInside
impl Clone for DisplayKeyword
impl Clone for DisplayOutside
impl Clone for DisplayPair
impl Clone for Displaystyle
impl Clone for Distance
impl Clone for DistinguishedName
impl Clone for Div
impl Clone for DividerU64
impl Clone for Dl
impl Clone for Dl_info
impl Clone for DnsLength
impl Clone for DocAddress
impl Clone for DocStart
impl Clone for Doctype
impl Clone for DoctypeIdKind
impl Clone for Domain
impl Clone for Dot
impl Clone for Double
impl Clone for Download
impl Clone for Draggable
impl Clone for DrawerPosition
impl Clone for DrawerSize
impl Clone for DropShadow
impl Clone for Dt
impl Clone for DumpableBehavior
impl Clone for DuoAvailability
impl Clone for DupFlags
impl Clone for DupFlags
impl Clone for Duration
impl Clone for Duration
impl Clone for DurationOverflowError
impl Clone for DynamicColumn
impl Clone for DynamicColumnHandle
impl Clone for Eager
impl Clone for EasingFunction
impl Clone for EastAsianWidth
impl Clone for EchConfig
impl Clone for EchGreaseConfig
impl Clone for EchMode
impl Clone for EchStatus
impl Clone for Element
impl Clone for ElementParser
impl Clone for Elementtiming
impl Clone for Elf32_Chdr
impl Clone for Elf32_Ehdr
impl Clone for Elf32_Phdr
impl Clone for Elf32_Shdr
impl Clone for Elf32_Sym
impl Clone for Elf64_Chdr
impl Clone for Elf64_Ehdr
impl Clone for Elf64_Phdr
impl Clone for Elf64_Shdr
impl Clone for Elf64_Sym
impl Clone for Elf_Dyn
impl Clone for Elf_Dyn
impl Clone for Elf_Dyn_Union
impl Clone for Elf_Dyn_Union
impl Clone for Elf_auxv_t
impl Clone for Elf_auxv_t
impl Clone for Ellipse
impl Clone for Ellipse
impl Clone for Ellipse
impl Clone for Em
impl Clone for Embed
impl Clone for EmptyError
impl Clone for EmptyError
impl Clone for EmptyExtraDeviceAuthorizationFields
impl Clone for EmptyExtraTokenFields
impl Clone for EmptyQuery
impl Clone for EnableState
impl Clone for EncodeSliceError
impl Clone for Encoding
impl Clone for Encoding
impl Clone for Encoding
impl Clone for Encoding
impl Clone for EncodingError
impl Clone for EncryptedClientHelloError
impl Clone for Enctype
impl Clone for End
impl Clone for EndPosition
impl Clone for EndUserVerificationUrl
impl Clone for EndianMode
impl Clone for Endianness
impl Clone for Endianness
impl Clone for Endianness
impl Clone for EndingShape
impl Clone for EndpointMaybeSet
impl Clone for EndpointNotSet
impl Clone for EndpointSet
impl Clone for Enterkeyhint
impl Clone for EntryType
impl Clone for Environment
impl Clone for EnvironmentState
impl Clone for Errno
impl Clone for Errno
impl Clone for Error
impl Clone for Error
impl Clone for Error
impl Clone for Error
impl Clone for Error
impl Clone for Error
impl Clone for Error
impl Clone for Error
impl Clone for Error
impl Clone for Error
impl Clone for Error
impl Clone for Error
impl Clone for Error
impl Clone for Error
impl Clone for Error
impl Clone for Error
impl Clone for Error
impl Clone for Error
impl Clone for Error
impl Clone for Error
impl Clone for Error
impl Clone for Error
impl Clone for Error
impl Clone for ErrorCode
impl Clone for ErrorKind
impl Clone for ErrorKind
impl Clone for ErrorKind
impl Clone for ErrorKind
impl Clone for ErrorLocation
impl Clone for ErrorPolicy
impl Clone for EscapeError
impl Clone for Event
impl Clone for Event
impl Clone for Event
impl Clone for EventData
impl Clone for EventFlags
impl Clone for EventKind
impl Clone for EventSource
impl Clone for EventSourceError
impl Clone for EventfdFlags
impl Clone for Executor
impl Clone for ExistsQuery
impl Clone for ExpUnrolledLinkedList
impl Clone for Expected
impl Clone for ExpectedSet
impl Clone for Expiration
impl Clone for ExpirationPolicy
impl Clone for Expiry
impl Clone for Explanation
impl Clone for Exportparts
impl Clone for ExposeHeaders
impl Clone for Expression
impl Clone for Expression
impl Clone for ExpressionTerm
impl Clone for ExpressionTriple
impl Clone for ExtendedKeyPurpose
impl Clone for ExtendedStats
impl Clone for ExtendedStatsAggregation
impl Clone for ExtensionType
impl Clone for Extensions
impl Clone for ExtractKind
impl Clone for Extractor
impl Clone for Facet
impl Clone for FacetCounts
impl Clone for FacetOptions
impl Clone for FacetTokenizer
impl Clone for Fallback
impl Clone for FallocateFlags
impl Clone for FallocateFlags
impl Clone for FastFieldRangeQuery
impl Clone for FastFieldRangeWeight
impl Clone for FastFieldReaders
impl Clone for FastFieldValue
impl Clone for FdFlags
impl Clone for FdFlags
impl Clone for FdSetElement
impl Clone for FeBlend
impl Clone for FeColorMatrix
impl Clone for FeComponentTransfer
impl Clone for FeComposite
impl Clone for FeConvolveMatrix
impl Clone for FeDiffuseLighting
impl Clone for FeDisplacementMap
impl Clone for FeDistantLight
impl Clone for FeDropShadow
impl Clone for FeFlood
impl Clone for FeFuncA
impl Clone for FeFuncB
impl Clone for FeFuncG
impl Clone for FeFuncR
impl Clone for FeGaussianBlur
impl Clone for FeImage
impl Clone for FeMerge
impl Clone for FeMergeNode
impl Clone for FeMorphology
impl Clone for FeOffset
impl Clone for FePointLight
impl Clone for FeSpecularLighting
impl Clone for FeSpotLight
impl Clone for FeTile
impl Clone for FeTurbulence
impl Clone for FeatureAccessLevel
impl Clone for FeatureAccessLevelPublic
impl Clone for Features
impl Clone for Fence
impl Clone for Fetchpriority
impl Clone for Field
impl Clone for Field
impl Clone for FieldContextInjection
impl Clone for FieldEntry
impl Clone for FieldMetadata
impl Clone for FieldNormReader
impl Clone for FieldNormReaders
impl Clone for FieldOrientation
impl Clone for FieldType
impl Clone for FieldUsage
impl Clone for FieldValidationState
impl Clone for Fields
impl Clone for Fieldset
impl Clone for Figcaption
impl Clone for Figure
impl Clone for FileFormat
impl Clone for FileSlice
impl Clone for FileSourceFile
impl Clone for FileSourceString
impl Clone for FileTime
impl Clone for FileType
impl Clone for FileType
impl Clone for FillRule
impl Clone for Filter
impl Clone for FilterCredentials
impl Clone for FilterId
impl Clone for FilterOp
impl Clone for Finder
impl Clone for Finder
impl Clone for Finder
impl Clone for Finder
impl Clone for Finder
impl Clone for FinderBuilder
impl Clone for FinderRev
impl Clone for FinderRev
impl Clone for FixedState
impl Clone for FixedState
impl Clone for Flag
impl Clone for Flags
impl Clone for FlagsItem
impl Clone for FlagsItemKind
impl Clone for Flex
impl Clone for FlexAlign
impl Clone for FlexDirection
impl Clone for FlexFlow
impl Clone for FlexItemAlign
impl Clone for FlexJustify
impl Clone for FlexLinePack
impl Clone for FlexPack
impl Clone for FlexWrap
impl Clone for Float
impl Clone for FloatColor
impl Clone for FloatingPointEmulationControl
impl Clone for FloatingPointExceptionMode
impl Clone for FloatingPointMode
impl Clone for Flock
impl Clone for FlockOffsetType
impl Clone for FlockOperation
impl Clone for FlockOperation
impl Clone for FlockType
impl Clone for FlowControl
impl Clone for FmtSpan
impl Clone for FnBinding
impl Clone for FoldHasher
impl Clone for FoldHasher
impl Clone for FollowerInjection
impl Clone for FollowerPlacement
impl Clone for FollowerWidth
impl Clone for FontFeatureSubruleType
impl Clone for FontSize
impl Clone for FontStretch
impl Clone for FontStretchKeyword
impl Clone for FontStyle
impl Clone for FontStyle
impl Clone for FontTechnology
impl Clone for FontVariantCaps
impl Clone for FontWeight
impl Clone for For
impl Clone for ForeignObject
impl Clone for Form
impl Clone for Form
impl Clone for Formaction
impl Clone for FormattedComponents
impl Clone for FormatterOptions
impl Clone for Formenctype
impl Clone for Formmethod
impl Clone for Formnovalidate
impl Clone for Formtarget
impl Clone for FragmentClose
impl Clone for FragmentOpen
impl Clone for Frame
impl Clone for Frame
impl Clone for FrameFormat
impl Clone for FrameHeader
impl Clone for Framespacing
impl Clone for FromPathBufError
impl Clone for FromPathError
impl Clone for Fsid
impl Clone for Fts5Context
impl Clone for Fts5ExtensionApi
impl Clone for Fts5PhraseIter
impl Clone for Fts5Tokenizer
impl Clone for Full
impl Clone for Function
impl Clone for FuzzyTermQuery
impl Clone for FxBuildHasher
impl Clone for FxHasher
impl Clone for FxSeededState
impl Clone for G
impl Clone for GDay
impl Clone for GMonth
impl Clone for GMonthDay
impl Clone for GYear
impl Clone for GYearMonth
impl Clone for GaiResolver
impl Clone for Gap
impl Clone for GapValue
impl Clone for GeneralCategory
impl Clone for GeneralCategoryGroup
impl Clone for GeneralCategoryOutOfBoundsError
impl Clone for GeneralCategoryULE
impl Clone for GeneralPurpose
impl Clone for GeneralPurposeConfig
impl Clone for GenericFontFamily
impl Clone for GeometryBox
impl Clone for GetDisjointMutError
impl Clone for GetDisjointMutError
impl Clone for Gid
impl Clone for Gid
impl Clone for GitAccessProtocol
impl Clone for GitUrl
impl Clone for Gitlab
impl Clone for GitlabDefaultColor
impl Clone for GitlabHook
impl Clone for Global
impl Clone for Gradient
impl Clone for Gradient
impl Clone for Graph
impl Clone for GraphFormat
impl Clone for GraphName
impl Clone for GraphName
impl Clone for GraphNamePattern
impl Clone for GraphPattern
impl Clone for GraphPattern
impl Clone for GraphTarget
impl Clone for GraphUpdateOperation
impl Clone for GraphemeClusterBreak
impl Clone for GraphemeCursor
impl Clone for GridAutoFlow
impl Clone for GridTemplateAreas
impl Clone for GroundQuad
impl Clone for GroundQuadPattern
impl Clone for GroundSubject
impl Clone for GroundTerm
impl Clone for GroundTermPattern
impl Clone for GroundTriple
impl Clone for GroundTriplePattern
impl Clone for Group
impl Clone for Group
impl Clone for GroupAccessLevel
impl Clone for GroupEvent
impl Clone for GroupInfo
impl Clone for GroupInfoError
impl Clone for GroupInviteTasksToBeDone
impl Clone for GroupKind
impl Clone for GroupMemberEvent
impl Clone for GroupMemberSystemHook
impl Clone for GroupOrderBy
impl Clone for GroupProjectCreationAccessLevel
impl Clone for GroupProjectsOrderBy
impl Clone for GroupSubgroupsOrderBy
impl Clone for GroupSystemHook
impl Clone for GroupVariableType
impl Clone for GroupVisibilityFilter
impl Clone for GrpcCode
impl Clone for GrpcEosErrorsAsFailures
impl Clone for GrpcErrorsAsFailures
impl Clone for H1
impl Clone for H2
impl Clone for H3
impl Clone for H4
impl Clone for H5
impl Clone for H6
impl Clone for HSL
impl Clone for HWB
impl Clone for HalfMatch
impl Clone for Handle
impl Clone for HandshakeKind
impl Clone for HandshakeType
impl Clone for HangulSyllableType
impl Clone for Hash128
impl Clone for HashAlgorithm
impl Clone for Hasher
impl Clone for Hatch
impl Clone for Hatchpath
impl Clone for Head
impl Clone for Header
impl Clone for Header
impl Clone for HeaderMode
impl Clone for Headers
impl Clone for Height
impl Clone for HexLiteralKind
impl Clone for Hgroup
impl Clone for Hidden
impl Clone for High
impl Clone for Hir
impl Clone for HirKind
impl Clone for HistogramAggregation
impl Clone for HistogramBounds
impl Clone for HistogramCollector
impl Clone for HistogramConfiguration
impl Clone for HistogramScale
impl Clone for HookCommitIdentity
impl Clone for HookDate
impl Clone for HookKind
impl Clone for HorizontalPositionKeyword
impl Clone for Hour
impl Clone for Hour
impl Clone for HpkePublicKey
impl Clone for HpkeSuite
impl Clone for Hr
impl Clone for Href
impl Clone for Hreflang
impl Clone for Hsl
impl Clone for Html
impl Clone for HtmlElement
impl Clone for HttpDate
impl Clone for HttpEquiv
impl Clone for HttpInfo
impl Clone for HueInterpolationMethod
impl Clone for HumanAccessLevel
impl Clone for Hwb
impl Clone for Hyphens
impl Clone for Hyphens
impl Clone for I
impl Clone for IFlags
impl Clone for Icon
impl Clone for IconData
impl Clone for Id
impl Clone for Id
impl Clone for Id
impl Clone for Id
impl Clone for Id
impl Clone for Identifier
impl Clone for Identity
impl Clone for Identity
impl Clone for Identity
impl Clone for Identity
impl Clone for Iframe
impl Clone for Ignore
impl Clone for IllFormedError
impl Clone for Image
impl Clone for ImageFit
impl Clone for ImagePosition
impl Clone for ImagePositionBuilder
impl Clone for ImageRendering
impl Clone for ImageShape
impl Clone for Imagesizes
impl Clone for Imagesrcset
impl Clone for Img
impl Clone for ImpersonationToken
impl Clone for ImpersonationTokenBuilder
impl Clone for ImpersonationTokenScope
impl Clone for ImpersonationTokenState
impl Clone for ImpersonationTokens
impl Clone for ImpersonationTokensBuilder
impl Clone for Importance
impl Clone for Incompatibility
impl Clone for Incomplete
impl Clone for InconsistentKeys
impl Clone for Index
impl Clone for Index8
impl Clone for Index16
impl Clone for Index32
impl Clone for IndexMeta
impl Clone for IndexReader
impl Clone for IndexReaderBuilder
impl Clone for IndexRecordOption
impl Clone for IndexSettings
impl Clone for IndexWriterOptions
impl Clone for IndexedValue
impl Clone for IndicSyllabicCategory
impl Clone for Inert
impl Clone for Infallible
impl Clone for Infix
impl Clone for InflateState
impl Clone for InfoLabelSize
impl Clone for InfoLabelWeight
impl Clone for Input
impl Clone for InputRef
impl Clone for InputRuleTrigger
impl Clone for InputSize
impl Clone for InputType
impl Clone for Inputmode
impl Clone for Ins
impl Clone for InsertError
impl Clone for InsetRect
impl Clone for Instant
impl Clone for InsufficientSizeError
impl Clone for Integer
impl Clone for IntegerRadix
impl Clone for Integrity
impl Clone for Intercept
impl Clone for Interest
impl Clone for Interest
impl Clone for Interest
impl Clone for InterfaceIndexOrAddress
impl Clone for IntermediateAggregationResult
impl Clone for IntermediateAggregationResults
impl Clone for IntermediateAverage
impl Clone for IntermediateBucketResult
impl Clone for IntermediateCount
impl Clone for IntermediateExtendedStats
impl Clone for IntermediateHistogramBucketEntry
impl Clone for IntermediateKey
impl Clone for IntermediateMax
impl Clone for IntermediateMetricResult
impl Clone for IntermediateMin
impl Clone for IntermediateRangeBucketEntry
impl Clone for IntermediateRangeBucketResult
impl Clone for IntermediateStats
impl Clone for IntermediateSum
impl Clone for IntermediateTermBucketEntry
impl Clone for IntermediateTermBucketResult
impl Clone for Intrinsicsize
impl Clone for IntrospectionUrl
impl Clone for InvalidBlock
impl Clone for InvalidBufferSize
impl Clone for InvalidData
impl Clone for InvalidEncodingError
impl Clone for InvalidFormatDescription
impl Clone for InvalidLength
impl Clone for InvalidLengthError
impl Clone for InvalidMessage
impl Clone for InvalidNameContext
impl Clone for InvalidOutputSize
impl Clone for InvalidSignature
impl Clone for InvalidTimezoneError
impl Clone for InvalidValue
impl Clone for InvalidVariant
impl Clone for InvertedIndexRangeQuery
impl Clone for IpAddr
impl Clone for IpAddrOptions
impl Clone for Ipv4Addr
impl Clone for Ipv6Addr
impl Clone for IriSpec
impl Clone for Is
impl Clone for Ismap
impl Clone for IssueAction
impl Clone for IssueDueDateFilter
impl Clone for IssueEpic
impl Clone for IssueHealthStatus
impl Clone for IssueHook
impl Clone for IssueHookAttrs
impl Clone for IssueOrderBy
impl Clone for IssueScope
impl Clone for IssueSearchScope
impl Clone for IssueState
impl Clone for IssueState
impl Clone for IssueStateEvent
impl Clone for IssueType
impl Clone for IssueWeight
impl Clone for Itemid
impl Clone for Itemprop
impl Clone for Itemref
impl Clone for Itemscope
impl Clone for Itemtype
impl Clone for Iter
impl Clone for IterRaw
impl Clone for Itimerspec
impl Clone for Job
impl Clone for JobBuilder
impl Clone for JobScope
impl Clone for JoinAlgorithm
impl Clone for JoiningType
impl Clone for JoiningType
impl Clone for JoiningTypeMask
impl Clone for Json
impl Clone for JsonLdErrorCode
impl Clone for JsonLdParser
impl Clone for JsonLdProfile
impl Clone for JsonLdProfileSet
impl Clone for JsonLdSerializer
impl Clone for JsonObjectOptions
impl Clone for JsonParams
impl Clone for JsonPathWriter
impl Clone for JustifyContent
impl Clone for JustifyItems
impl Clone for JustifySelf
impl Clone for KVAttributeValue
impl Clone for Kbd
impl Clone for Key
impl Clone for Key
impl Clone for Key
impl Clone for Key
impl Clone for KeyEvent
impl Clone for KeyExchangeAlgorithm
impl Clone for KeyId
impl Clone for KeyMap
impl Clone for KeyRejected
impl Clone for KeySystemHook
impl Clone for KeyUsage
impl Clone for KeyedAttribute
impl Clone for KeyedAttributeValue
impl Clone for KeyframeSelector
impl Clone for Keytype
impl Clone for Keywords
impl Clone for Kind
impl Clone for Kind
impl Clone for LAB
impl Clone for LABColor
impl Clone for LAttributeValue
impl Clone for LCH
impl Clone for LNode
impl Clone for Lab
impl Clone for Label
impl Clone for Label
impl Clone for LabelColor
impl Clone for LabelPriority
impl Clone for LabelSize
impl Clone for LabelWeight
impl Clone for Lang
impl Clone for Language
impl Clone for Language
impl Clone for Language
impl Clone for LanguageIdentifier
impl Clone for LatencyUnit
impl Clone for Latin1
impl Clone for Lazy
impl Clone for LazyStateID
impl Clone for Lch
impl Clone for LeftJoinAlgorithm
impl Clone for LegacyJustify
impl Clone for Legend
impl Clone for Length
impl Clone for LengthDelimitedCodec
impl Clone for LengthHint
impl Clone for LengthOrNumber
impl Clone for LengthPercentageOrAuto
impl Clone for LengthValue
impl Clone for LessSafeKey
impl Clone for Level
impl Clone for Level
impl Clone for Level
impl Clone for LevelFilter
impl Clone for Li
impl Clone for Limited
impl Clone for Line
impl Clone for LineBreak
impl Clone for LineBreak
impl Clone for LineCol
impl Clone for LineDirection
impl Clone for LineEnding
impl Clone for LineHeight
impl Clone for LineMapping
impl Clone for LineStyle
impl Clone for LineType
impl Clone for LineType
impl Clone for LinearGradient
impl Clone for LinearGradient
impl Clone for LinesCodec
impl Clone for Linethickness
impl Clone for Link
impl Clone for LinkType
impl Clone for List
impl Clone for ListStylePosition
impl Clone for Literal
impl Clone for Literal
impl Clone for Literal
impl Clone for Literal
impl Clone for LiteralKind
impl Clone for LittleEndian
impl Clone for LittleEndian
impl Clone for Loading
impl Clone for LoadingBarInjection
impl Clone for LocalSpawner
impl Clone for Locale
impl Clone for LocalePreferences
impl Clone for Location
impl Clone for Location
impl Clone for Location
impl Clone for Location
impl Clone for LocationChange
impl Clone for LockError
impl Clone for LogHistogram
impl Clone for LogHistogramBuilder
impl Clone for LogMergePolicy
impl Clone for LogSettings
impl Clone for Look
impl Clone for Look
impl Clone for LookMatcher
impl Clone for LookSet
impl Clone for LookSet
impl Clone for LookSetIter
impl Clone for LookSetIter
impl Clone for Loop
impl Clone for Low
impl Clone for LowerCaser
impl Clone for Lspace
impl Clone for MZError
impl Clone for MZFlush
impl Clone for MZStatus
impl Clone for MacError
impl Clone for MachineCheckMemoryCorruptionKillPolicy
impl Clone for MacroInvocation
impl Clone for Maction
impl Clone for Main
impl Clone for ManagedDirectory
impl Clone for Manifest
impl Clone for Map
impl Clone for MappingLine
impl Clone for Mark
impl Clone for Marker
impl Clone for MarkerSide
impl Clone for Mask
impl Clone for MaskBorderMode
impl Clone for MaskClip
impl Clone for MaskComposite
impl Clone for MaskMode
impl Clone for MaskType
impl Clone for Match
impl Clone for Match
impl Clone for MatchError
impl Clone for MatchError
impl Clone for MatchError
impl Clone for MatchErrorKind
impl Clone for MatchErrorKind
impl Clone for MatchKind
impl Clone for MatchKind
impl Clone for MatchKind
impl Clone for MatchingMode
impl Clone for Math
impl Clone for Mathbackground
impl Clone for Mathcolor
impl Clone for Mathsize
impl Clone for Mathvariant
impl Clone for Max
impl Clone for MaxAge
impl Clone for MaxAggregation
impl Clone for MaxSize
impl Clone for Maxlength
impl Clone for Maxsize
impl Clone for Md5Core
impl Clone for Meaning
impl Clone for Media
impl Clone for MediaFeatureComparison
impl Clone for MediaFeatureId
impl Clone for MemfdFlags
impl Clone for MemfdFlags
impl Clone for MemoryStore
impl Clone for Menclose
impl Clone for Menu
impl Clone for MenuAppearance
impl Clone for MenuTriggerType
impl Clone for MergeCandidate
impl Clone for MergeMethod
impl Clone for MergeRequestAction
impl Clone for MergeRequestChanges
impl Clone for MergeRequestHook
impl Clone for MergeRequestHookAttrs
impl Clone for MergeRequestOrderBy
impl Clone for MergeRequestParams
impl Clone for MergeRequestScope
impl Clone for MergeRequestSearchScope
impl Clone for MergeRequestState
impl Clone for MergeRequestState
impl Clone for MergeRequestStateEvent
impl Clone for MergeRequestView
impl Clone for MergeStatus
impl Clone for MergeTrainsScope
impl Clone for Merror
impl Clone for Message
impl Clone for Message
impl Clone for MessageBarIntent
impl Clone for MessageBarLayout
impl Clone for Meta
impl Clone for MetaContext
impl Clone for Metadata
impl Clone for Meter
impl Clone for Method
impl Clone for Method
impl Clone for MetricResult
impl Clone for Mfenced
impl Clone for Mfrac
impl Clone for Mi
impl Clone for Microsecond
impl Clone for Migration
impl Clone for MigrationType
impl Clone for Millisecond
impl Clone for MimeGuess
impl Clone for Min
impl Clone for MinAggregation
impl Clone for Minlength
impl Clone for Minsize
impl Clone for MinusAlgorithm
impl Clone for Minute
impl Clone for Minute
impl Clone for MissedTickBehavior
impl Clone for MmapDirectory
impl Clone for MmapOptions
impl Clone for Mmultiscripts
impl Clone for Mn
impl Clone for Mo
impl Clone for Mode
impl Clone for Mode
impl Clone for Mode
impl Clone for Month
impl Clone for Month
impl Clone for MonthRepr
impl Clone for MoreLikeThisQuery
impl Clone for MoreLikeThisQueryBuilder
impl Clone for MountFlags
impl Clone for MountPropagationFlags
impl Clone for Movablelimits
impl Clone for Mover
impl Clone for Mpadded
impl Clone for Mpath
impl Clone for Mphantom
impl Clone for Mprescripts
impl Clone for Mroot
impl Clone for Mrow
impl Clone for Ms
impl Clone for Mspace
impl Clone for Msqrt
impl Clone for Mstyle
impl Clone for Msub
impl Clone for Msubsup
impl Clone for Msup
impl Clone for Mtable
impl Clone for Mtd
impl Clone for Mtext
impl Clone for Mtr
impl Clone for Multiple
impl Clone for Multiplier
impl Clone for Munder
impl Clone for Munderover
impl Clone for Muted
impl Clone for N3Parser
impl Clone for N3Quad
impl Clone for N3Term
impl Clone for NFA
impl Clone for NFA
impl Clone for NFA
impl Clone for NQuadsParser
impl Clone for NQuadsSerializer
impl Clone for NTriplesParser
impl Clone for NTriplesSerializer
impl Clone for Name
impl Clone for Name
impl Clone for NamedGroup
impl Clone for NamedNode
impl Clone for NamedNodePattern
impl Clone for NamedOrBlankNode
impl Clone for NamespaceError
impl Clone for Nanosecond
impl Clone for Needed
impl Clone for Needed
impl Clone for Needed
impl Clone for NestingRequirement
impl Clone for NgramTokenizer
impl Clone for NoA1
impl Clone for NoA2
impl Clone for NoCallback
impl Clone for NoMergePolicy
impl Clone for NoNI
impl Clone for NoProxy
impl Clone for NoS3
impl Clone for NoS4
impl Clone for NoSubscriber
impl Clone for NodeAttribute
impl Clone for NodeBlock
impl Clone for NodeComment
impl Clone for NodeDoctype
impl Clone for NodeName
impl Clone for NodeNameFragment
impl Clone for NodeText
impl Clone for NodeType
impl Clone for Nomodule
impl Clone for NonMaxUsize
impl Clone for Nonce
impl Clone for Noscript
impl Clone for Notation
impl Clone for Notation
impl Clone for NoteHook
impl Clone for NoteHookAttrs
impl Clone for NoteOrderBy
impl Clone for NoteType
impl Clone for NoteableId
impl Clone for Novalidate
impl Clone for NthSelectorData
impl Clone for NthType
impl Clone for NumberOrPercentage
impl Clone for NumberingSystem
impl Clone for NumericOptions
impl Clone for NumericalType
impl Clone for NumericalValue
impl Clone for OFlags
impl Clone for OFlags
impl Clone for OKLAB
impl Clone for OKLCH
impl Clone for Object
impl Clone for Occur
impl Clone for Offset
impl Clone for OffsetDateTime
impl Clone for OffsetError
impl Clone for OffsetHour
impl Clone for OffsetMinute
impl Clone for OffsetPrecision
impl Clone for OffsetSecond
impl Clone for Oklab
impl Clone for Oklch
impl Clone for OkmBlock
impl Clone for Ol
impl Clone for OnUpgrade
impl Clone for Onabort
impl Clone for Onautocomplete
impl Clone for Onautocompleteerror
impl Clone for Onblur
impl Clone for Oncancel
impl Clone for Oncanplay
impl Clone for Oncanplaythrough
impl Clone for OnceState
impl Clone for Onchange
impl Clone for Onclick
impl Clone for Onclose
impl Clone for Oncuechange
impl Clone for Ondblclick
impl Clone for Ondrag
impl Clone for Ondragend
impl Clone for Ondragenter
impl Clone for Ondragleave
impl Clone for Ondragover
impl Clone for Ondragstart
impl Clone for Ondrop
impl Clone for Ondurationchange
impl Clone for One
impl Clone for One
impl Clone for One
impl Clone for Onemptied
impl Clone for Onended
impl Clone for Onerror
impl Clone for Onfocus
impl Clone for Onformdata
impl Clone for Oninput
impl Clone for Oninvalid
impl Clone for Onkeydown
impl Clone for Onkeypress
impl Clone for Onkeyup
impl Clone for Onlanguagechange
impl Clone for Onload
impl Clone for Onloadeddata
impl Clone for Onloadedmetadata
impl Clone for Onloadstart
impl Clone for Onmousedown
impl Clone for Onmouseenter
impl Clone for Onmouseleave
impl Clone for Onmousemove
impl Clone for Onmouseout
impl Clone for Onmouseover
impl Clone for Onmouseup
impl Clone for Onpause
impl Clone for Onplay
impl Clone for Onplaying
impl Clone for Onprogress
impl Clone for Onratechange
impl Clone for Onreset
impl Clone for Onresize
impl Clone for Onscroll
impl Clone for Onsecuritypolicyviolation
impl Clone for Onseeked
impl Clone for Onseeking
impl Clone for Onselect
impl Clone for Onslotchange
impl Clone for Onstalled
impl Clone for Onsubmit
impl Clone for Onsuspend
impl Clone for Ontimeupdate
impl Clone for Ontoggle
impl Clone for Onvolumechange
impl Clone for Onwaiting
impl Clone for Onwebkitanimationend
impl Clone for Onwebkitanimationiteration
impl Clone for Onwebkitanimationstart
impl Clone for Onwebkittransitionend
impl Clone for Onwheel
impl Clone for OpCode
impl Clone for OpaqueElement
impl Clone for Opcode
impl Clone for Open
impl Clone for OpenDirectoryError
impl Clone for OpenOptions
impl Clone for OpenOptions
impl Clone for OpenReadError
impl Clone for OpenTag
impl Clone for OpenTagEnd
impl Clone for OpenWriteError
impl Clone for Operator
impl Clone for OppositeSignInDurationComponentsError
impl Clone for Optgroup
impl Clone for Optimum
impl Clone for Option_
impl Clone for OptionalIndex
impl Clone for OptionalParamSegment
impl Clone for Order
impl Clone for Order
impl Clone for OrderExpression
impl Clone for OrderExpression
impl Clone for OrderTarget
impl Clone for Ordinal
impl Clone for OriginalLocation
impl Clone for Other
impl Clone for OtherError
impl Clone for OutboundOpaqueMessage
impl Clone for OutlineStyle
impl Clone for Output
impl Clone for Output
impl Clone for Output
impl Clone for Overflow
impl Clone for OverflowKeyword
impl Clone for OverflowPosition
impl Clone for OverflowWrap
impl Clone for OverlappingState
impl Clone for OverlappingState
impl Clone for OverrideColors
impl Clone for OwnedBytes
impl Clone for OwnedCertRevocationList
impl Clone for OwnedFormatItem
impl Clone for OwnedRevokedCert
impl Clone for OwnedValue
impl Clone for P
impl Clone for P3
impl Clone for POOL_ctx_s
impl Clone for PTracer
impl Clone for PackageOrderBy
impl Clone for PackageOrderBy
impl Clone for PackageStatus
impl Clone for PackageType
impl Clone for Padding
impl Clone for PageMarginBox
impl Clone for PagePseudoClass
impl Clone for Pagination
impl Clone for Pair
impl Clone for ParamSegment
impl Clone for ParamSwitch
impl Clone for Params
impl Clone for ParamsBuilder
impl Clone for ParamsError
impl Clone for ParamsMap
impl Clone for ParamsString
impl Clone for ParkResult
impl Clone for ParkToken
impl Clone for Parse
impl Clone for ParseCharRefError
impl Clone for ParseDurationError
impl Clone for ParseError
impl Clone for ParseError
impl Clone for ParseError
impl Clone for ParseError
impl Clone for ParseError
impl Clone for ParseFromDescription
impl Clone for ParseIntError
impl Clone for ParseLevelFilterError
impl Clone for ParseOpts
impl Clone for Parsed
impl Clone for ParsedCaseSensitivity
impl Clone for ParsedRanges
impl Clone for Parser
impl Clone for Parser
impl Clone for ParserBuilder
impl Clone for ParserBuilder
impl Clone for ParserConfig
impl Clone for ParserFlags
impl Clone for ParserState
impl Clone for Part
impl Clone for Part
impl Clone for PasswordHashString
impl Clone for Patch
impl Clone for PatchAction
impl Clone for Patches
impl Clone for Path
impl Clone for PathFragment
impl Clone for PathSegment
impl Clone for Pattern
impl Clone for Pattern
impl Clone for Pattern
impl Clone for PatternID
impl Clone for PatternID
impl Clone for PatternIDError
impl Clone for PatternIDError
impl Clone for PatternSet
impl Clone for PatternSetInsertError
impl Clone for PeerIncompatible
impl Clone for PeerMisbehaved
impl Clone for PerFieldSpaceUsage
impl Clone for Percentage
impl Clone for PercentileValues
impl Clone for PercentileValuesVecEntry
impl Clone for PercentilesAggregationReq
impl Clone for PercentilesCollector
impl Clone for PercentilesMetricResult
impl Clone for Period
impl Clone for PersonaSize
impl Clone for PersonaTextAlignment
impl Clone for PersonaTextPosition
impl Clone for PersonalAccessToken
impl Clone for PersonalAccessTokenBuilder
impl Clone for PersonalAccessTokenCreateScope
impl Clone for PersonalAccessTokenScope
impl Clone for PersonalAccessTokenSelf
impl Clone for PersonalAccessTokenSelfBuilder
impl Clone for PersonalAccessTokenState
impl Clone for Perspective
impl Clone for PhrasePrefixQuery
impl Clone for PhraseQuery
impl Clone for PiParser
impl Clone for Picture
impl Clone for Pid
impl Clone for PidfdFlags
impl Clone for PidfdGetfdFlags
impl Clone for PikeVM
impl Clone for Ping
impl Clone for PipeFlags
impl Clone for PipeOptions
impl Clone for PipelineBuildRunner
impl Clone for PipelineHook
impl Clone for PipelineHookAttrs
impl Clone for PipelineMergeRequestAttrs
impl Clone for PipelineOrderBy
impl Clone for PipelineProjectAttrs
impl Clone for PipelineScheduleCron
impl Clone for PipelineScheduleScope
impl Clone for PipelineScope
impl Clone for PipelineSource
impl Clone for PipelineStatus
impl Clone for PipelineVariable
impl Clone for PipelineVariableType
impl Clone for PkceCodeChallenge
impl Clone for PkceCodeChallengeMethod
impl Clone for PlaceContent
impl Clone for PlaceItems
impl Clone for PlaceSelf
impl Clone for Placeholder
impl Clone for PlainDecorator
impl Clone for PlainMessage
impl Clone for Playsinline
impl Clone for Point
impl Clone for PollFlags
impl Clone for PollNext
impl Clone for PollSemaphore
impl Clone for Polygon
impl Clone for Polygon
impl Clone for Polyline
impl Clone for Popover
impl Clone for PopoverAppearance
impl Clone for PopoverSize
impl Clone for PopoverTriggerType
impl Clone for Popovertarget
impl Clone for Popovertargetaction
impl Clone for Portal
impl Clone for Position
impl Clone for Position
impl Clone for Position
impl Clone for Position
impl Clone for Position
impl Clone for PositionHookAttrs
impl Clone for PositionReader
impl Clone for PositionState
impl Clone for Poster
impl Clone for PotentialCodePoint
impl Clone for PrctlMmMap
impl Clone for Pre
impl Clone for PreTokenizedString
impl Clone for PredefinedColor
impl Clone for PredefinedColorSpace
impl Clone for PredefinedCounterStyle
impl Clone for Prefilter
impl Clone for Prefilter
impl Clone for PrefilterConfig
impl Clone for Prefix
impl Clone for PrefixedPayload
impl Clone for Preload
impl Clone for Pretty
impl Clone for PrimitiveDateTime
impl Clone for Private
impl Clone for Prk
impl Clone for ProPhoto
impl Clone for ProcessingError
impl Clone for ProcessingSuccess
impl Clone for Progress
impl Clone for ProgressBarColor
impl Clone for ProgressCircleColor
impl Clone for ProjectAccessLevel
impl Clone for ProjectAccessTokenAccessLevel
impl Clone for ProjectAccessTokenOrderBy
impl Clone for ProjectAccessTokenScope
impl Clone for ProjectAccessTokenState
impl Clone for ProjectEvent
impl Clone for ProjectHookAttrs
impl Clone for ProjectMemberEvent
impl Clone for ProjectMemberState
impl Clone for ProjectMemberSystemHook
impl Clone for ProjectOrderBy
impl Clone for ProjectReleaseOrderBy
impl Clone for ProjectSystemHook
impl Clone for ProjectVariableType
impl Clone for ProjectVisibility
impl Clone for ProjectWikiHookAttrs
impl Clone for Properties
impl Clone for PropertyPathExpression
impl Clone for ProtectedAccessLevel
impl Clone for ProtectedAccessLevelWithAccess
impl Clone for Protocol
impl Clone for Protocol
impl Clone for Protocol
impl Clone for Protocol
impl Clone for Protocol
impl Clone for ProtocolError
impl Clone for ProtocolVersion
impl Clone for Proxy
impl Clone for PublicKey
impl Clone for PublicKey
impl Clone for PushEvent
impl Clone for PushHook
impl Clone for PushSystemHook
impl Clone for Q
impl Clone for Quad
impl Clone for Quad
impl Clone for QuadPattern
impl Clone for QualName
impl Clone for Qualifier
impl Clone for Query
impl Clone for Query
impl Clone for QueryDataset
impl Clone for QueryDataset
impl Clone for QueryEvaluator
impl Clone for QueryExplanation
impl Clone for QueryOptions
impl Clone for QueryParser
impl Clone for QueryResultsFormat
impl Clone for QueryResultsParser
impl Clone for QueryResultsSerializer
impl Clone for QuirksMode
impl Clone for QuirksMode
impl Clone for RGB
impl Clone for RGBA
impl Clone for RadialGradient
impl Clone for RadialGradient
impl Clone for RadioGroupRuleTrigger
impl Clone for Radiogroup
impl Clone for RamDirectory
impl Clone for RandomState
impl Clone for RandomState
impl Clone for RandomState
impl Clone for RandomState
impl Clone for Range
impl Clone for RangeAggregation
impl Clone for RangeAggregationRange
impl Clone for RangeBucketEntry
impl Clone for RangeQuery
impl Clone for RangeSSTable
impl Clone for RangeUnsatisfiableError
impl Clone for RatingColor
impl Clone for RatingRuleTrigger
impl Clone for RatingSize
impl Clone for Ratio
impl Clone for RawKind
impl Clone for RawTokenizer
impl Clone for RdfFormat
impl Clone for RdfParser
impl Clone for RdfSerializer
impl Clone for RdfXmlParser
impl Clone for RdfXmlSerializer
impl Clone for ReactiveNodeState
impl Clone for ReadFlags
impl Clone for ReadFlags
impl Clone for ReadOnlyBitSet
impl Clone for ReadWriteFlags
impl Clone for ReadWriteFlags
impl Clone for Readonly
impl Clone for Ready
impl Clone for ReadyTimeoutError
impl Clone for Reason
impl Clone for ReasonPhrase
impl Clone for Rec2020
impl Clone for Record
impl Clone for RecoverableContext
impl Clone for RecoveryConfig
impl Clone for Rect
impl Clone for RecvError
impl Clone for RecvError
impl Clone for RecvError
impl Clone for RecvError
impl Clone for RecvError
impl Clone for RecvError
impl Clone for RecvError
impl Clone for RecvFlags
impl Clone for RecvFlags
impl Clone for RecvMsg
impl Clone for RecvTimeoutError
impl Clone for RecvTimeoutError
impl Clone for RecvTimeoutError
impl Clone for RedirectUrl
impl Clone for Referrerpolicy
impl Clone for RefreshToken
impl Clone for RegenerationFn
impl Clone for Regex
impl Clone for Regex
impl Clone for Regex
impl Clone for RegexBuilder
impl Clone for RegexBuilder
impl Clone for RegexPhraseQuery
impl Clone for RegexQuery
impl Clone for RegexSet
impl Clone for RegexSet
impl Clone for RegexSetBuilder
impl Clone for RegexSetBuilder
impl Clone for RegexTokenizer
impl Clone for Region
impl Clone for RegionOverride
impl Clone for RegionalSubdivision
impl Clone for Rel
impl Clone for RelativeFontSize
impl Clone for ReloadPolicy
impl Clone for RemapOptions
impl Clone for RemoveLongFilter
impl Clone for RenameFlags
impl Clone for RenameFlags
impl Clone for RenderTree
impl Clone for RepeatCount
impl Clone for Repetition
impl Clone for Repetition
impl Clone for RepetitionKind
impl Clone for RepetitionOp
impl Clone for RepetitionRange
impl Clone for ReplacementNode
impl Clone for RequestUri
impl Clone for RequestUrl
impl Clone for RequeueOp
impl Clone for Required
impl Clone for RequiredEkuNotFoundContext
impl Clone for ResetRunnerAuthenticationToken
impl Clone for ResetRunnerAuthenticationTokenBuilder
impl Clone for Resize
impl Clone for Resolution
impl Clone for ResolveFlags
impl Clone for ResolveFlags
impl Clone for ResolvedStaticPath
impl Clone for Resource
impl Clone for ResourceOwnerPassword
impl Clone for ResourceOwnerUsername
impl Clone for ResponseOptions
impl Clone for ResponseParts
impl Clone for ResponseType
impl Clone for Resumption
impl Clone for ReturnFlags
impl Clone for Reversed
impl Clone for RevocationCheckDepth
impl Clone for RevocationErrorResponseType
impl Clone for RevocationReason
impl Clone for RevocationUrl
impl Clone for RevokePersonalAccessToken
impl Clone for RevokePersonalAccessTokenBuilder
impl Clone for RevokePersonalAccessTokenSelf
impl Clone for RevokePersonalAccessTokenSelfBuilder
impl Clone for Rfc2822
impl Clone for Rfc3339
impl Clone for Rgb
impl Clone for RgbaLegacy
impl Clone for RichAnnotation
impl Clone for RichDecorator
impl Clone for Rlimit
impl Clone for Rng
impl Clone for RngSeed
impl Clone for Role
impl Clone for Role
impl Clone for RootCertStore
impl Clone for Rotate
impl Clone for RotatePersonalAccessToken
impl Clone for RotatePersonalAccessTokenBuilder
impl Clone for RotatePersonalAccessTokenSelf
impl Clone for RotatePersonalAccessTokenSelfBuilder
impl Clone for RoundingStrategy
impl Clone for RouteList
impl Clone for RouteListing
impl Clone for RouteMatchId
impl Clone for RowAddr
impl Clone for Rowalign
impl Clone for Rowlines
impl Clone for Rows
impl Clone for Rowspacing
impl Clone for Rowspan
impl Clone for Rp
impl Clone for Rspace
impl Clone for Rt
impl Clone for Ruby
impl Clone for Runner
impl Clone for RunnerAccessLevel
impl Clone for RunnerBuilder
impl Clone for RunnerJobStatus
impl Clone for RunnerJobsOrderBy
impl Clone for RunnerStatus
impl Clone for RunnerType
impl Clone for RuntimeMetrics
impl Clone for S
impl Clone for SRGB
impl Clone for SRGBLinear
impl Clone for SSE41
impl Clone for SSE42
impl Clone for SSRMountStyleContext
impl Clone for SSTableDataCorruption
impl Clone for SSTableIndex
impl Clone for SSTableIndexV3
impl Clone for SVGPaintFallback
impl Clone for SaltString
impl Clone for SameOrigin
impl Clone for SameSite
impl Clone for Samp
impl Clone for Sandbox
impl Clone for ScalarKind
impl Clone for Scale
impl Clone for Schedule
impl Clone for Schema
impl Clone for Scheme
impl Clone for Scope
impl Clone for Scope
impl Clone for Scoped
impl Clone for Script
impl Clone for Script
impl Clone for Script
impl Clone for Script
impl Clone for ScriptEscapeKind
impl Clone for Scriptlevel
impl Clone for ScrollAxis
impl Clone for ScrollTimeline
impl Clone for ScrollbarRef
impl Clone for Scroller
impl Clone for SeaHasher
impl Clone for SealFlags
impl Clone for SealFlags
impl Clone for Search
impl Clone for Searcher
impl Clone for Searcher
impl Clone for SearcherGeneration
impl Clone for SearcherSpaceUsage
impl Clone for Second
impl Clone for Second
impl Clone for Secrets
impl Clone for Section
impl Clone for SectionKind
impl Clone for SeedableRandomState
impl Clone for SeedableRandomState
impl Clone for SeekFrom
impl Clone for SeekFrom
impl Clone for Segment
impl Clone for SegmentComponent
impl Clone for SegmentEntry
impl Clone for SegmentHistogramCollector
impl Clone for SegmentId
impl Clone for SegmentMeta
impl Clone for SegmentPostings
impl Clone for SegmentRangeCollector
impl Clone for SegmentReader
impl Clone for SegmentSpaceUsage
impl Clone for SegmentTermCollector
impl Clone for Select
impl Clone for SelectRuleTrigger
impl Clone for SelectSize
impl Clone for SelectTimeoutError
impl Clone for Selected
impl Clone for SelfPosition
impl Clone for Semantics
impl Clone for SendError
impl Clone for SendFlags
impl Clone for SentenceBreak
impl Clone for Separator
impl Clone for Seq
impl Clone for SerializeOpts
impl Clone for SerializedDataId
impl Clone for ServeFile
impl Clone for ServerCertVerifierBuilder
impl Clone for ServerConfig
impl Clone for ServerErrorsAsFailures
impl Clone for ServerMetaContext
impl Clone for ServerRedirectFunction
impl Clone for Session
impl Clone for Set
impl Clone for SetFlags
impl Clone for SetMatches
impl Clone for SetMatches
impl Clone for SetStatusLayer
impl Clone for Sha1Core
impl Clone for Sha256VarCore
impl Clone for Sha512VarCore
impl Clone for Shape
impl Clone for ShapeExtent
impl Clone for ShapeRadius
impl Clone for ShapeRendering
impl Clone for Shutdown
impl Clone for Side
impl Clone for SigId
impl Clone for Sign
impl Clone for Signal
impl Clone for SignalKind
impl Clone for Signature
impl Clone for SignatureAlgorithm
impl Clone for SignatureScheme
impl Clone for SimpleContext
impl Clone for SimpleTokenizer
impl Clone for SingleMetricResult
impl Clone for SipHasher
impl Clone for SipHasher
impl Clone for SipHasher13
impl Clone for SipHasher13
impl Clone for SipHasher24
impl Clone for SipHasher24
impl Clone for Size
impl Clone for Size
impl Clone for SizeHint
impl Clone for Sizes
impl Clone for SliderRuleTrigger
impl Clone for Slot
impl Clone for Slot
impl Clone for Small
impl Clone for SmallCharSet
impl Clone for SmallIndex
impl Clone for SmallIndexError
impl Clone for SnippetHookAttrs
impl Clone for SnippetType
impl Clone for SockAddr
impl Clone for SocketAddr
impl Clone for SocketAddrAny
impl Clone for SocketAddrNetlink
impl Clone for SocketAddrStorage
impl Clone for SocketAddrUnix
impl Clone for SocketAddrXdp
impl Clone for SocketAddrXdpFlags
impl Clone for SocketFlags
impl Clone for SocketType
impl Clone for SortOrder
impl Clone for Source
impl Clone for SourceLocation
impl Clone for SourceMap
impl Clone for SourceMapErrorType
impl Clone for SourceMapInner
impl Clone for SourcePosition
impl Clone for SpaceAlign
impl Clone for SpaceJustify
impl Clone for Spacing
impl Clone for Span
impl Clone for Span
impl Clone for Span
impl Clone for Span
impl Clone for Span
impl Clone for Span
impl Clone for Span
impl Clone for SpanTrace
impl Clone for SparseTransitions
impl Clone for SpecialLiteralKind
impl Clone for Specification
impl Clone for SpecificationError
impl Clone for SpeculationFeature
impl Clone for SpeculationFeatureControl
impl Clone for SpeculationFeatureState
impl Clone for Spellcheck
impl Clone for SpinButtonRuleTrigger
impl Clone for SpinButtonSize
impl Clone for SpinnerSize
impl Clone for SpliceFlags
impl Clone for SplitCompoundWords
impl Clone for SqliteAutoVacuum
impl Clone for SqliteColumn
impl Clone for SqliteConnectOptions
impl Clone for SqliteJournalMode
impl Clone for SqliteLockingMode
impl Clone for SqliteOperation
impl Clone for SqliteSynchronous
impl Clone for SqliteTypeInfo
impl Clone for SqliteValue
impl Clone for SquashOption
impl Clone for Src
impl Clone for Srcdoc
impl Clone for Srclang
impl Clone for Srcset
impl Clone for SsrMode
impl Clone for StandardDeviationBounds
impl Clone for StandardRevocableToken
impl Clone for Start
impl Clone for StartError
impl Clone for StartKind
impl Clone for StartPosition
impl Clone for Stat
impl Clone for StatFs
impl Clone for StatVfsMountFlags
impl Clone for StatVfsMountFlags
impl Clone for State
impl Clone for State
impl Clone for State
impl Clone for State
impl Clone for State
impl Clone for State
impl Clone for StateID
impl Clone for StateID
impl Clone for StateIDError
impl Clone for StateIDError
impl Clone for StateId
impl Clone for StaticParamsMap
impl Clone for StaticRoute
impl Clone for Stats
impl Clone for StatsAggregation
impl Clone for StatusInRangeAsFailures
impl Clone for StatusState
impl Clone for Statx
impl Clone for StatxAttributes
impl Clone for StatxFlags
impl Clone for StatxFlags
impl Clone for StatxTimestamp
impl Clone for Stemmer
impl Clone for Step
impl Clone for StepPosition
impl Clone for Stop
impl Clone for StopWordFilter
impl Clone for Store
impl Clone for StoreFieldTrigger
impl Clone for StorePath
impl Clone for StorePathSegment
impl Clone for StoreSpaceUsage
impl Clone for StrColumn
impl Clone for StrContext
impl Clone for StrContext
impl Clone for StrContextValue
impl Clone for StrContextValue
impl Clone for StreamId
impl Clone for StreamResult
impl Clone for Stretchy
impl Clone for StrokeDasharray
impl Clone for StrokeLinecap
impl Clone for StrokeLinejoin
impl Clone for Strong
impl Clone for Style
impl Clone for Style
impl Clone for Style
impl Clone for Sub
impl Clone for SubProtocolError
impl Clone for SubdivisionId
impl Clone for SubdivisionSuffix
impl Clone for SubgroupCreationAccessLevel
impl Clone for Subject
impl Clone for Subsecond
impl Clone for SubsecondDigits
impl Clone for Subtag
impl Clone for Subtag
impl Clone for SubtendrilError
impl Clone for Suffix
impl Clone for Suite
impl Clone for SumAggregation
impl Clone for SumCombiner
impl Clone for Summary
impl Clone for Summary
impl Clone for Sup
impl Clone for SupportedCipherSuite
impl Clone for Svg
impl Clone for Switch
impl Clone for SwitchRuleTrigger
impl Clone for Symbol
impl Clone for SymbolsType
impl Clone for Symmetric
impl Clone for SyntacticallyCorrectRange
impl Clone for SyntaxComponent
impl Clone for SyntaxComponentKind
impl Clone for SyntaxError
impl Clone for SyntaxString
impl Clone for SystemColor
impl Clone for SystemHook
impl Clone for SystemHookType
impl Clone for SystemRandom
impl Clone for SystemTime
impl Clone for TDEFLFlush
impl Clone for TDEFLStatus
impl Clone for TINFLStatus
impl Clone for Tabindex
impl Clone for Table
impl Clone for Tag
impl Clone for Tag
impl Clone for Tag
impl Clone for Tag
impl Clone for TagKind
impl Clone for TagPickerSize
impl Clone for TagSize
impl Clone for TagsOrderBy
impl Clone for TantivyError
impl Clone for Target
impl Clone for TargetGround
impl Clone for Targets
impl Clone for Targets
impl Clone for Tbody
impl Clone for TcpKeepalive
impl Clone for Td
impl Clone for Template
impl Clone for Term
impl Clone for TermDictionary
impl Clone for TermInfo
impl Clone for TermMissingAgg
impl Clone for TermPattern
impl Clone for TermQuery
impl Clone for TermSetQuery
impl Clone for TermsAggregation
impl Clone for Text
impl Clone for TextAlign
impl Clone for TextAlignLast
impl Clone for TextAnalyzer
impl Clone for TextDecoration
impl Clone for TextDecorationLine
impl Clone for TextDecorationSkipInk
impl Clone for TextDecorationStyle
impl Clone for TextDecorationThickness
impl Clone for TextEmphasisFillMode
impl Clone for TextEmphasisPosition
impl Clone for TextEmphasisPositionHorizontal
impl Clone for TextEmphasisPositionVertical
impl Clone for TextEmphasisShape
impl Clone for TextFieldIndexing
impl Clone for TextIndent
impl Clone for TextJustify
impl Clone for TextOptions
impl Clone for TextOverflow
impl Clone for TextPath
impl Clone for TextPosition
impl Clone for TextPosition
impl Clone for TextPosition
impl Clone for TextPosition
impl Clone for TextRendering
impl Clone for TextShadow
impl Clone for TextSizeAdjust
impl Clone for TextTransform
impl Clone for TextTransformCase
impl Clone for TextTransformOther
impl Clone for Textarea
impl Clone for TextareaRef
impl Clone for TextareaResize
impl Clone for TextareaRuleTrigger
impl Clone for TextareaSize
impl Clone for Tfoot
impl Clone for Th
impl Clone for Thead
impl Clone for Theme
impl Clone for ThreadPool
impl Clone for Three
impl Clone for Three
impl Clone for Three
impl Clone for Time
impl Clone for Time
impl Clone for Time
impl Clone for Time
impl Clone for Time
impl Clone for TimePickerRuleTrigger
impl Clone for TimePickerSize
impl Clone for TimePrecision
impl Clone for TimeStampCounterReadability
impl Clone for TimeZoneShortId
impl Clone for TimelineRangeName
impl Clone for TimelineRangePercentage
impl Clone for Timeout
impl Clone for TimeoutLayer
impl Clone for TimerfdClockId
impl Clone for TimerfdFlags
impl Clone for TimerfdTimerFlags
impl Clone for Timespec
impl Clone for Timestamps
impl Clone for Timestamps
impl Clone for TimezoneOffset
impl Clone for TimingMethod
impl Clone for TinySet
impl Clone for Title
impl Clone for Title
impl Clone for Title
impl Clone for TitleContext
impl Clone for Tls12ClientSessionValue
impl Clone for Tls12Resumption
impl Clone for TlsAcceptor
impl Clone for TlsAcceptor
impl Clone for TlsConnector
impl Clone for TlsConnector
impl Clone for TlsInfo
impl Clone for ToastIntent
impl Clone for ToastOptions
impl Clone for ToastPosition
impl Clone for ToastStatus
impl Clone for ToasterInjection
impl Clone for Token
impl Clone for Token
impl Clone for Token
impl Clone for TokenKind
impl Clone for TokenSerializationType
impl Clone for TokenUrl
impl Clone for TokenizerManager
impl Clone for TokenizerOpts
impl Clone for TokioExecutor
impl Clone for TokioTimer
impl Clone for TooLargeForDecimalError
impl Clone for TooLargeForIntegerError
impl Clone for TooltipAppearance
impl Clone for TopHitsAggregationReq
impl Clone for TopHitsMetricResult
impl Clone for TopHitsTopNComputer
impl Clone for TopHitsVecEntry
impl Clone for Tr
impl Clone for Track
impl Clone for TrackBreadth
impl Clone for TrackSize
impl Clone for TrackSizeList
impl Clone for Transform
impl Clone for Transform
impl Clone for TransformBox
impl Clone for TransformList
impl Clone for TransformStyle
impl Clone for Transition
impl Clone for Transition
impl Clone for Translate
impl Clone for Translate
impl Clone for Translate
impl Clone for Translator
impl Clone for TranslatorBuilder
impl Clone for TraversalScope
impl Clone for TreeBuilderOpts
impl Clone for TreeItemType
impl Clone for TreeSize
impl Clone for TriGParser
impl Clone for TriGSerializer
impl Clone for TrieResult
impl Clone for TrieType
impl Clone for Triple
impl Clone for TriplePattern
impl Clone for TrivialDecorator
impl Clone for TruncSide
impl Clone for TryFromIntError
impl Clone for TryFromParsed
impl Clone for TryFromTermError
impl Clone for TryReadyError
impl Clone for TryReceiveError
impl Clone for TryRecvError
impl Clone for TryRecvError
impl Clone for TryRecvError
impl Clone for TryRecvError
impl Clone for TryRecvError
impl Clone for TryRecvError
impl Clone for TryRecvError
impl Clone for TryReserveError
impl Clone for TryReserveError
impl Clone for TryReserveError
impl Clone for TryReserveError
impl Clone for TryReserveError
impl Clone for TryReserveError
impl Clone for TryReserveError
impl Clone for TryReserveErrorKind
impl Clone for TrySelectError
impl Clone for Tspan
impl Clone for TurtleParser
impl Clone for TurtleSerializer
impl Clone for Two
impl Clone for Two
impl Clone for Two
impl Clone for Type
impl Clone for Type
impl Clone for Type
impl Clone for U
impl Clone for UAEnvironmentVariable
impl Clone for UCred
impl Clone for UCred
impl Clone for UStr
impl Clone for UTF8
impl Clone for Uid
impl Clone for Uid
impl Clone for Ul
impl Clone for UleError
impl Clone for UnalignedAccessControl
impl Clone for UncheckedAdvice
impl Clone for UnhandledPanic
impl Clone for Unicode
impl Clone for UnicodeBidi
impl Clone for UnicodeRange
impl Clone for UnicodeRange
impl Clone for UnicodeWordBoundaryError
impl Clone for UninitializedFieldError
impl Clone for Unit
impl Clone for UnixTime
impl Clone for UnixTimestamp
impl Clone for UnixTimestampPrecision
impl Clone for UnknownStatusPolicy
impl Clone for UnmountFlags
impl Clone for UnparkResult
impl Clone for UnparkToken
impl Clone for Unparker
impl Clone for Unparker
impl Clone for Unspecified
impl Clone for UnsupportedOperationError
impl Clone for UnsupportedPlatformError
impl Clone for UnsupportedSignatureAlgorithmContext
impl Clone for UnsupportedSignatureAlgorithmForPublicKeyContext
impl Clone for Update
impl Clone for Update
impl Clone for UpdateOptions
impl Clone for UploadPackageSelect
impl Clone for UploadPackageStatus
impl Clone for Uptime
impl Clone for UriSpec
impl Clone for UriTemplateString
impl Clone for Url
impl Clone for UrlBase
impl Clone for Use
impl Clone for Usemap
impl Clone for User
impl Clone for UserBuilder
impl Clone for UserCode
impl Clone for UserEvent
impl Clone for UserHookAttrs
impl Clone for UserInputAst
impl Clone for UserInputBound
impl Clone for UserInputLeaf
impl Clone for UserInputLiteral
impl Clone for UserOrderBy
impl Clone for UserProjectsOrderBy
impl Clone for UserSelect
impl Clone for UserSystemHook
impl Clone for UtcDateTime
impl Clone for UtcOffset
impl Clone for Utf8Bytes
impl Clone for Utf8PathBuf
impl Clone for Utf8Range
impl Clone for Utf8Range
impl Clone for Utf8Sequence
impl Clone for Utf8Sequence
impl Clone for VInt
impl Clone for VIntU128
impl Clone for Value
impl Clone for Value
impl Clone for Value
impl Clone for Value
impl Clone for Value
impl Clone for Value
impl Clone for ValueKind
impl Clone for ValueType
impl Clone for Var
impl Clone for Variable
impl Clone for Variant
impl Clone for Variants
impl Clone for Vary
impl Clone for VendorPrefix
impl Clone for VerboseErrorKind
impl Clone for VerificationUriComplete
impl Clone for VerifierBuilderError
impl Clone for Version
impl Clone for Version
impl Clone for Version
impl Clone for Version
impl Clone for Version
impl Clone for VerticalAlign
impl Clone for VerticalAlignKeyword
impl Clone for VerticalOrientation
impl Clone for VerticalPositionKeyword
impl Clone for Video
impl Clone for View
impl Clone for ViewMacros
impl Clone for ViewTimeline
impl Clone for VirtualMemoryMapAddress
impl Clone for Virtualkeyboardpolicy
impl Clone for Visibility
impl Clone for VisibilityLevel
impl Clone for VisitPurpose
impl Clone for VisitedHandlingMode
impl Clone for Voffset
impl Clone for WTF8
impl Clone for WaitGroup
impl Clone for WaitIdOptions
impl Clone for WaitIdStatus
impl Clone for WaitOptions
impl Clone for WaitStatus
impl Clone for WaitTimeoutResult
impl Clone for WantsClientCert
impl Clone for WantsServerCert
impl Clone for WantsVerifier
impl Clone for WantsVersions
impl Clone for WatchCallback
impl Clone for WatchFlags
impl Clone for WatchFlags
impl Clone for WatchHandle
impl Clone for Wbr
impl Clone for WeakDispatch
impl Clone for WebHook
impl Clone for WebHookType
impl Clone for WebKitColorStop
impl Clone for WebKitGradient
impl Clone for WebKitGradientPoint
impl Clone for WebKitMaskComposite
impl Clone for WebKitMaskSourceType
impl Clone for WebKitScrollbarPseudoClass
impl Clone for WebKitScrollbarPseudoElement
impl Clone for WebPkiSupportedAlgorithms
impl Clone for WebSocketConfig
impl Clone for Week
impl Clone for WeekNumber
impl Clone for WeekNumberRepr
impl Clone for Weekday
impl Clone for Weekday
impl Clone for WeekdayRepr
impl Clone for WhichCaptures
impl Clone for WhiteSpace
impl Clone for WhitespaceTokenizer
impl Clone for Width
impl Clone for WikiPageAction
impl Clone for WikiPageHook
impl Clone for WikiPageHookAttrs
impl Clone for WildcardSegment
impl Clone for WithComments
impl Clone for WordBreak
impl Clone for WordBreak
impl Clone for Wrap
impl Clone for Wrap
impl Clone for XAttrs
impl Clone for XYZd50
impl Clone for XYZd65
impl Clone for XattrFlags
impl Clone for XattrFlags
impl Clone for XdpDesc
impl Clone for XdpDescOptions
impl Clone for XdpMmapOffsets
impl Clone for XdpOptions
impl Clone for XdpOptionsFlags
impl Clone for XdpRingFlags
impl Clone for XdpRingOffset
impl Clone for XdpStatistics
impl Clone for XdpUmemReg
impl Clone for XdpUmemRegFlags
impl Clone for Xmlns
impl Clone for Year
impl Clone for YearMonthDuration
impl Clone for YearRange
impl Clone for YearRepr
impl Clone for YesA1
impl Clone for YesA2
impl Clone for YesNI
impl Clone for YesNo
impl Clone for YesS3
impl Clone for YesS4
impl Clone for Yield
impl Clone for ZDICT_cover_params_t
impl Clone for ZDICT_fastCover_params_t
impl Clone for ZDICT_legacy_params_t
impl Clone for ZDICT_params_t
impl Clone for ZIndex
impl Clone for ZSTD_CCtx_params_s
impl Clone for ZSTD_CCtx_s
impl Clone for ZSTD_CDict_s
impl Clone for ZSTD_DCtx_s
impl Clone for ZSTD_DDict_s
impl Clone for ZSTD_EndDirective
impl Clone for ZSTD_ErrorCode
impl Clone for ZSTD_FrameHeader
impl Clone for ZSTD_FrameType_e
impl Clone for ZSTD_ParamSwitch_e
impl Clone for ZSTD_ResetDirective
impl Clone for ZSTD_Sequence
impl Clone for ZSTD_SequenceFormat_e
impl Clone for ZSTD_bounds
impl Clone for ZSTD_cParameter
impl Clone for ZSTD_compressionParameters
impl Clone for ZSTD_customMem
impl Clone for ZSTD_dParameter
impl Clone for ZSTD_dictAttachPref_e
impl Clone for ZSTD_dictContentType_e
impl Clone for ZSTD_dictLoadMethod_e
impl Clone for ZSTD_forceIgnoreChecksum_e
impl Clone for ZSTD_format_e
impl Clone for ZSTD_frameParameters
impl Clone for ZSTD_frameProgression
impl Clone for ZSTD_inBuffer_s
impl Clone for ZSTD_literalCompressionMode_e
impl Clone for ZSTD_nextInputType_e
impl Clone for ZSTD_outBuffer_s
impl Clone for ZSTD_parameters
impl Clone for ZSTD_refMultipleDDicts_e
impl Clone for ZSTD_strategy
impl Clone for ZeroTrieBuildError
impl Clone for ZstdCompressor
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_ifc_ifcu
impl Clone for __c_anonymous_ifr_ifru
impl Clone for __c_anonymous_ifru_map
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_ptrace_syscall_info_data
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 __c_anonymous_sockaddr_can_can_addr
impl Clone for __c_anonymous_sockaddr_can_j1939
impl Clone for __c_anonymous_sockaddr_can_tp
impl Clone for __c_anonymous_xsk_tx_metadata_union
impl Clone for __exit_status
impl Clone for __kernel_fd_set
impl Clone for __kernel_fd_set
impl Clone for __kernel_fsid_t
impl Clone for __kernel_fsid_t
impl Clone for __kernel_itimerspec
impl Clone for __kernel_itimerspec
impl Clone for __kernel_old_itimerval
impl Clone for __kernel_old_itimerval
impl Clone for __kernel_old_timespec
impl Clone for __kernel_old_timespec
impl Clone for __kernel_old_timeval
impl Clone for __kernel_old_timeval
impl Clone for __kernel_sock_timeval
impl Clone for __kernel_sock_timeval
impl Clone for __kernel_sockaddr_storage
impl Clone for __kernel_sockaddr_storage
impl Clone for __kernel_sockaddr_storage__bindgen_ty_1
impl Clone for __kernel_sockaddr_storage__bindgen_ty_1
impl Clone for __kernel_sockaddr_storage__bindgen_ty_1__bindgen_ty_1
impl Clone for __kernel_sockaddr_storage__bindgen_ty_1__bindgen_ty_1
impl Clone for __kernel_timespec
impl Clone for __kernel_timespec
impl Clone for __old_kernel_stat
impl Clone for __old_kernel_stat
impl Clone for __sifields
impl Clone for __sifields
impl Clone for __sifields__bindgen_ty_1
impl Clone for __sifields__bindgen_ty_1
impl Clone for __sifields__bindgen_ty_2
impl Clone for __sifields__bindgen_ty_2
impl Clone for __sifields__bindgen_ty_3
impl Clone for __sifields__bindgen_ty_3
impl Clone for __sifields__bindgen_ty_4
impl Clone for __sifields__bindgen_ty_4
impl Clone for __sifields__bindgen_ty_5
impl Clone for __sifields__bindgen_ty_5
impl Clone for __sifields__bindgen_ty_6
impl Clone for __sifields__bindgen_ty_6
impl Clone for __sifields__bindgen_ty_7
impl Clone for __sifields__bindgen_ty_7
impl Clone for __sifields__bindgen_ty_5__bindgen_ty_1
impl Clone for __sifields__bindgen_ty_5__bindgen_ty_1
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_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_2
impl Clone for __sifields__bindgen_ty_5__bindgen_ty_1__bindgen_ty_3
impl Clone for __sifields__bindgen_ty_5__bindgen_ty_1__bindgen_ty_3
impl Clone for __timeval
impl Clone for __user_cap_data_struct
impl Clone for __user_cap_data_struct
impl Clone for __user_cap_header_struct
impl Clone for __user_cap_header_struct
impl Clone for _bindgen_ty_1
impl Clone for _bindgen_ty_1
impl Clone for _bindgen_ty_2
impl Clone for _bindgen_ty_2
impl Clone for _bindgen_ty_3
impl Clone for _bindgen_ty_3
impl Clone for _bindgen_ty_4
impl Clone for _bindgen_ty_4
impl Clone for _bindgen_ty_5
impl Clone for _bindgen_ty_5
impl Clone for _bindgen_ty_6
impl Clone for _bindgen_ty_6
impl Clone for _bindgen_ty_7
impl Clone for _bindgen_ty_7
impl Clone for _bindgen_ty_8
impl Clone for _bindgen_ty_8
impl Clone for _bindgen_ty_9
impl Clone for _bindgen_ty_9
impl Clone for _bindgen_ty_10
impl Clone for _bindgen_ty_10
impl Clone for _bindgen_ty_11
impl Clone for _bindgen_ty_12
impl Clone for _bindgen_ty_13
impl Clone for _bindgen_ty_14
impl Clone for _bindgen_ty_15
impl Clone for _bindgen_ty_16
impl Clone for _bindgen_ty_17
impl Clone for _bindgen_ty_18
impl Clone for _bindgen_ty_19
impl Clone for _bindgen_ty_20
impl Clone for _bindgen_ty_21
impl Clone for _bindgen_ty_22
impl Clone for _bindgen_ty_23
impl Clone for _bindgen_ty_24
impl Clone for _bindgen_ty_25
impl Clone for _bindgen_ty_26
impl Clone for _bindgen_ty_27
impl Clone for _bindgen_ty_28
impl Clone for _bindgen_ty_29
impl Clone for _bindgen_ty_30
impl Clone for _bindgen_ty_31
impl Clone for _bindgen_ty_32
impl Clone for _bindgen_ty_33
impl Clone for _bindgen_ty_34
impl Clone for _bindgen_ty_35
impl Clone for _bindgen_ty_36
impl Clone for _bindgen_ty_37
impl Clone for _bindgen_ty_38
impl Clone for _bindgen_ty_39
impl Clone for _bindgen_ty_40
impl Clone for _bindgen_ty_41
impl Clone for _bindgen_ty_42
impl Clone for _bindgen_ty_43
impl Clone for _bindgen_ty_44
impl Clone for _bindgen_ty_45
impl Clone for _bindgen_ty_46
impl Clone for _bindgen_ty_47
impl Clone for _bindgen_ty_48
impl Clone for _bindgen_ty_49
impl Clone for _bindgen_ty_50
impl Clone for _bindgen_ty_51
impl Clone for _bindgen_ty_52
impl Clone for _bindgen_ty_53
impl Clone for _bindgen_ty_54
impl Clone for _bindgen_ty_55
impl Clone for _bindgen_ty_56
impl Clone for _bindgen_ty_57
impl Clone for _bindgen_ty_58
impl Clone for _bindgen_ty_59
impl Clone for _bindgen_ty_60
impl Clone for _bindgen_ty_61
impl Clone for _bindgen_ty_62
impl Clone for _bindgen_ty_63
impl Clone for _bindgen_ty_64
impl Clone for _bindgen_ty_65
impl Clone for _bindgen_ty_66
impl Clone for _bindgen_ty_67
impl Clone for _libc_fpstate
impl Clone for _libc_fpxreg
impl Clone for _libc_xmmreg
impl Clone for _xt_align
impl Clone for abort
impl Clone for addrinfo
impl Clone for af_alg_iv
impl Clone for afterprint
impl Clone for aiocb
impl Clone for animationcancel
impl Clone for animationend
impl Clone for animationiteration
impl Clone for animationstart
impl Clone for arpd_request
impl Clone for arphdr
impl Clone for arpreq
impl Clone for arpreq_old
impl Clone for auxclick
impl Clone for beforeinput
impl Clone for beforeprint
impl Clone for beforetoggle
impl Clone for beforeunload
impl Clone for blur
impl Clone for cachestat
impl Clone for cachestat_range
impl Clone for can_filter
impl Clone for can_frame
impl Clone for canfd_frame
impl Clone for canplay
impl Clone for canplaythrough
impl Clone for canxl_frame
impl Clone for change
impl Clone for cisco_proto
impl Clone for click
impl Clone for clone_args
impl Clone for clone_args
impl Clone for clone_args
impl Clone for close
impl Clone for cmsghdr
impl Clone for cmsghdr
impl Clone for compat_statfs64
impl Clone for compat_statfs64
impl Clone for compositionend
impl Clone for compositionstart
impl Clone for compositionupdate
impl Clone for copy
impl Clone for cpu_set_t
impl Clone for cuechange
impl Clone for cut
impl Clone for dblclick
impl Clone for devicemotion
impl Clone for deviceorientation
impl Clone for dirent
impl Clone for dirent64
impl Clone for dl_phdr_info
impl Clone for dmabuf_cmsg
impl Clone for dmabuf_cmsg
impl Clone for dmabuf_token
impl Clone for dmabuf_token
impl Clone for dqblk
impl Clone for drag
impl Clone for dragend
impl Clone for dragenter
impl Clone for dragleave
impl Clone for dragover
impl Clone for dragstart
impl Clone for drop
impl Clone for durationchange
impl Clone for emptied
impl Clone for ended
impl Clone for epoll_event
impl Clone for epoll_event
impl Clone for epoll_event
impl Clone for epoll_params
impl Clone for epoll_params
impl Clone for error
impl Clone for ethhdr
impl Clone for f_owner_ex
impl Clone for f_owner_ex
impl Clone for fanotify_event_info_error
impl Clone for fanotify_event_info_fid
impl Clone for fanotify_event_info_header
impl Clone for fanotify_event_info_pidfd
impl Clone for fanotify_event_metadata
impl Clone for fanotify_response
impl Clone for fanout_args
impl Clone for fd_set
impl Clone for ff_condition_effect
impl Clone for ff_constant_effect
impl Clone for ff_effect
impl Clone for ff_envelope
impl Clone for ff_periodic_effect
impl Clone for ff_ramp_effect
impl Clone for ff_replay
impl Clone for ff_rumble_effect
impl Clone for ff_trigger
impl Clone for file_clone_range
impl Clone for file_clone_range
impl Clone for file_clone_range
impl Clone for file_dedupe_range_info
impl Clone for file_dedupe_range_info
impl Clone for files_stat_struct
impl Clone for files_stat_struct
impl Clone for flock
impl Clone for flock
impl Clone for flock
impl Clone for flock64
impl Clone for flock64
impl Clone for flock64
impl Clone for focus
impl Clone for focusin
impl Clone for focusout
impl Clone for formdata
impl Clone for fpos64_t
impl Clone for fpos_t
impl Clone for fr_proto
impl Clone for fr_proto_pvc
impl Clone for fr_proto_pvc_info
impl Clone for fs_sysfs_path
impl Clone for fsconfig_command
impl Clone for fsconfig_command
impl Clone for fscrypt_get_key_status_arg
impl Clone for fscrypt_get_key_status_arg
impl Clone for fscrypt_get_policy_ex_arg
impl Clone for fscrypt_get_policy_ex_arg
impl Clone for fscrypt_get_policy_ex_arg__bindgen_ty_1
impl Clone for fscrypt_get_policy_ex_arg__bindgen_ty_1
impl Clone for fscrypt_key
impl Clone for fscrypt_key
impl Clone for fscrypt_key_specifier
impl Clone for fscrypt_key_specifier
impl Clone for fscrypt_key_specifier__bindgen_ty_1
impl Clone for fscrypt_key_specifier__bindgen_ty_1
impl Clone for fscrypt_policy_v1
impl Clone for fscrypt_policy_v1
impl Clone for fscrypt_policy_v2
impl Clone for fscrypt_policy_v2
impl Clone for fscrypt_remove_key_arg
impl Clone for fscrypt_remove_key_arg
impl Clone for fsid_t
impl Clone for fstrim_range
impl Clone for fstrim_range
impl Clone for fsuuid2
impl Clone for fsxattr
impl Clone for fsxattr
impl Clone for fts5_api
impl Clone for fts5_tokenizer
impl Clone for fullscreenchange
impl Clone for fullscreenerror
impl Clone for futex_waitv
impl Clone for futex_waitv
impl Clone for gamepadconnected
impl Clone for gamepaddisconnected
impl Clone for genlmsghdr
impl Clone for glob64_t
impl Clone for glob_t
impl Clone for gotpointercapture
impl Clone for group
impl Clone for group_filter__bindgen_ty_1__bindgen_ty_1
impl Clone for group_req
impl Clone for group_source_req
impl Clone for gz_header
impl Clone for hashchange
impl Clone for hostent
impl Clone for hwtstamp_config
impl Clone for hwtstamp_config
impl Clone for hwtstamp_flags
impl Clone for hwtstamp_rx_filters
impl Clone for hwtstamp_tx_types
impl Clone for if_nameindex
impl Clone for if_settings
impl Clone for if_settings__bindgen_ty_1
impl Clone for if_stats_msg
impl Clone for ifa_cacheinfo
impl Clone for ifaddrmsg
impl Clone for ifaddrs
impl Clone for ifconf
impl Clone for ifconf
impl Clone for ifconf__bindgen_ty_1
impl Clone for ifinfomsg
impl Clone for ifla_bridge_id
impl Clone for ifla_cacheinfo
impl Clone for ifla_geneve_df
impl Clone for ifla_gtp_role
impl Clone for ifla_port_vsi
impl Clone for ifla_rmnet_flags
impl Clone for ifla_vf_broadcast
impl Clone for ifla_vf_guid
impl Clone for ifla_vf_link_state
impl Clone for ifla_vf_mac
impl Clone for ifla_vf_rate
impl Clone for ifla_vf_rss_query_en
impl Clone for ifla_vf_spoofchk
impl Clone for ifla_vf_trust
impl Clone for ifla_vf_tx_rate
impl Clone for ifla_vf_vlan
impl Clone for ifla_vf_vlan_info
impl Clone for ifla_vlan_flags
impl Clone for ifla_vlan_qos_mapping
impl Clone for ifla_vxlan_df
impl Clone for ifla_vxlan_label_policy
impl Clone for ifla_vxlan_port_range
impl Clone for ifmap
impl Clone for ifreq
impl Clone for ifreq
impl Clone for ifreq__bindgen_ty_1
impl Clone for ifreq__bindgen_ty_2
impl Clone for in6_addr
impl Clone for in6_addr
impl Clone for in6_addr__bindgen_ty_1
impl Clone for in6_addr_gen_mode
impl Clone for in6_flowlabel_req
impl Clone for in6_ifreq
impl Clone for in6_ifreq
impl Clone for in6_pktinfo
impl Clone for in6_pktinfo
impl Clone for in6_rtmsg
impl Clone for in_addr
impl Clone for in_addr
impl Clone for in_pktinfo
impl Clone for in_pktinfo
impl Clone for inodes_stat_t
impl Clone for inodes_stat_t
impl Clone for inotify_event
impl Clone for input
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 invalid
impl Clone for iocb
impl Clone for iovec
impl Clone for iovec
impl Clone for iovec
impl Clone for iovec
impl Clone for ip6_mtuinfo
impl Clone for ip6t_getinfo
impl Clone for ip6t_icmp
impl Clone for ip6t_ip6
impl Clone for ip_beet_phdr
impl Clone for ip_comp_hdr
impl Clone for ip_mreq
impl Clone for ip_mreq
impl Clone for ip_mreq_source
impl Clone for ip_mreq_source
impl Clone for ip_mreqn
impl Clone for ip_mreqn
impl Clone for ip_msfilter__bindgen_ty_1__bindgen_ty_1__bindgen_ty_1
impl Clone for ipc_perm
impl Clone for iphdr
impl Clone for iphdr__bindgen_ty_1
impl Clone for iphdr__bindgen_ty_1__bindgen_ty_1
impl Clone for iphdr__bindgen_ty_1__bindgen_ty_2
impl Clone for ipv6_destopt_hao
impl Clone for ipv6_mreq
impl Clone for ipv6_mreq
impl Clone for ipv6_opt_hdr
impl Clone for ipv6_rt_hdr
impl Clone for ipv6hdr
impl Clone for ipv6hdr__bindgen_ty_1
impl Clone for ipv6hdr__bindgen_ty_1__bindgen_ty_1
impl Clone for ipv6hdr__bindgen_ty_1__bindgen_ty_2
impl Clone for ipvlan_mode
impl Clone for itimerspec
impl Clone for itimerspec
impl Clone for itimerspec
impl Clone for itimerval
impl Clone for itimerval
impl Clone for itimerval
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 iwreq_data
impl Clone for j1939_filter
impl Clone for kernel_sigaction
impl Clone for kernel_sigaction
impl Clone for kernel_sigset_t
impl Clone for kernel_sigset_t
impl Clone for keydown
impl Clone for keypress
impl Clone for keyup
impl Clone for ktermios
impl Clone for ktermios
impl Clone for languagechange
impl Clone for lconv
impl Clone for linger
impl Clone for linger
impl Clone for load
impl Clone for loadeddata
impl Clone for loadedmetadata
impl Clone for loadstart
impl Clone for lostpointercapture
impl Clone for macsec_offload
impl Clone for macsec_validation_type
impl Clone for macvlan_macaddr_mode
impl Clone for macvlan_mode
impl Clone for mallinfo
impl Clone for mallinfo2
impl Clone for max_align_t
impl Clone for mbstate_t
impl Clone for mcontext_t
impl Clone for membarrier_cmd
impl Clone for membarrier_cmd
impl Clone for membarrier_cmd_flag
impl Clone for membarrier_cmd_flag
impl Clone for message
impl Clone for messageerror
impl Clone for mmsghdr
impl Clone for mmsghdr
impl Clone for mnt_id_req
impl Clone for mnt_ns_info
impl Clone for mntent
impl Clone for mount_attr
impl Clone for mount_attr
impl Clone for mount_attr
impl Clone for mousedown
impl Clone for mouseenter
impl Clone for mouseleave
impl Clone for mousemove
impl Clone for mouseout
impl Clone for mouseover
impl Clone for mouseup
impl Clone for mq_attr
impl Clone for msghdr
impl Clone for msghdr
impl Clone for msginfo
impl Clone for msqid_ds
impl Clone for nda_cacheinfo
impl Clone for ndmsg
impl Clone for ndt_config
impl Clone for ndt_stats
impl Clone for ndtmsg
impl Clone for nduseroptmsg
impl Clone for net_device_flags
impl Clone for netkit_action
impl Clone for netkit_mode
impl Clone for netkit_scrub
impl Clone for netlink_attribute_type
impl Clone for netlink_policy_type_attr
impl Clone for nf_dev_hooks
impl Clone for nf_inet_addr
impl Clone for nf_inet_hooks
impl Clone for nf_ip6_hook_priorities
impl Clone for nf_ip_hook_priorities
impl Clone for nl_mmap_hdr
impl Clone for nl_mmap_hdr
impl Clone for nl_mmap_req
impl Clone for nl_mmap_req
impl Clone for nl_mmap_status
impl Clone for nl_pktinfo
impl Clone for nl_pktinfo
impl Clone for nla_bitfield32
impl Clone for nlattr
impl Clone for nlattr
impl Clone for nlmsgerr
impl Clone for nlmsgerr
impl Clone for nlmsgerr_attrs
impl Clone for nlmsghdr
impl Clone for nlmsghdr
impl Clone for ntptimeval
impl Clone for offline
impl Clone for online
impl Clone for open_how
impl Clone for open_how
impl Clone for open_how
impl Clone for option
impl Clone for orientationchange
impl Clone for packet_mreq
impl Clone for page_region
impl Clone for pagehide
impl Clone for pageshow
impl Clone for passwd
impl Clone for paste
impl Clone for pause
impl Clone for pidfd_info
impl Clone for play
impl Clone for playing
impl Clone for pm_scan_arg
impl Clone for pointercancel
impl Clone for pointerdown
impl Clone for pointerenter
impl Clone for pointerleave
impl Clone for pointerlockchange
impl Clone for pointerlockerror
impl Clone for pointermove
impl Clone for pointerout
impl Clone for pointerover
impl Clone for pointerup
impl Clone for pollfd
impl Clone for pollfd
impl Clone for pollfd
impl Clone for popstate
impl Clone for posix_spawn_file_actions_t
impl Clone for posix_spawnattr_t
impl Clone for prctl_mm_map
impl Clone for prefix_cacheinfo
impl Clone for prefixmsg
impl Clone for procmap_query
impl Clone for procmap_query_flags
impl Clone for progress
impl Clone for protoent
impl Clone for pthread_attr_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 ptrace_peeksiginfo_args
impl Clone for ptrace_rseq_configuration
impl Clone for ptrace_sud_config
impl Clone for ptrace_syscall_info
impl Clone for ratechange
impl Clone for raw_hdlc_proto
impl Clone for readystatechange
impl Clone for regex_t
impl Clone for regmatch_t
impl Clone for rejectionhandled
impl Clone for reset
impl Clone for resize
impl Clone for rlimit
impl Clone for rlimit
impl Clone for rlimit
impl Clone for rlimit64
impl Clone for rlimit64
impl Clone for rlimit64
impl Clone for robust_list
impl Clone for robust_list
impl Clone for robust_list_head
impl Clone for robust_list_head
impl Clone for rt2_hdr
impl Clone for rt_class_t
impl Clone for rt_scope_t
impl Clone for rta_cacheinfo
impl Clone for rta_mfc_stats
impl Clone for rta_session
impl Clone for rta_session__bindgen_ty_1
impl Clone for rta_session__bindgen_ty_1__bindgen_ty_1
impl Clone for rta_session__bindgen_ty_1__bindgen_ty_2
impl Clone for rtattr
impl Clone for rtattr_type_t
impl Clone for rtentry
impl Clone for rtgenmsg
impl Clone for rtmsg
impl Clone for rtnetlink_groups
impl Clone for rtnexthop
impl Clone for rtnl_hw_stats64
impl Clone for rtnl_link_ifmap
impl Clone for rtnl_link_stats
impl Clone for rtnl_link_stats64
impl Clone for rusage
impl Clone for rusage
impl Clone for rusage
impl Clone for sched_attr
impl Clone for sched_param
impl Clone for scm_ts_pktinfo
impl Clone for scroll
impl Clone for scrollend
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 securitypolicyviolation
impl Clone for seeked
impl Clone for seeking
impl Clone for select
impl Clone for selectionchange
impl Clone for selectstart
impl Clone for sem_t
impl Clone for sembuf
impl Clone for semid_ds
impl Clone for seminfo
impl Clone for servent
impl Clone for shmid_ds
impl Clone for sigaction
impl Clone for sigaction
impl Clone for sigaction
impl Clone for sigaltstack
impl Clone for sigaltstack
impl Clone for sigevent
impl Clone for sigevent
impl Clone for sigevent
impl Clone for sigevent__bindgen_ty_1
impl Clone for sigevent__bindgen_ty_1
impl Clone for sigevent__bindgen_ty_1__bindgen_ty_1
impl Clone for sigevent__bindgen_ty_1__bindgen_ty_1
impl Clone for siginfo
impl Clone for siginfo
impl Clone for siginfo__bindgen_ty_1
impl Clone for siginfo__bindgen_ty_1
impl Clone for siginfo__bindgen_ty_1__bindgen_ty_1
impl Clone for siginfo__bindgen_ty_1__bindgen_ty_1
impl Clone for siginfo_t
impl Clone for signalfd_siginfo
impl Clone for sigset_t
impl Clone for sigval
impl Clone for sigval
impl Clone for sigval
impl Clone for slotchange
impl Clone for so_timestamping
impl Clone for sock_extended_err
impl Clone for sock_filter
impl Clone for sock_fprog
impl Clone for sock_txtime
impl Clone for sock_txtime
impl Clone for sockaddr
impl Clone for sockaddr
impl Clone for sockaddr_alg
impl Clone for sockaddr_can
impl Clone for sockaddr_in
impl Clone for sockaddr_in
impl Clone for sockaddr_in6
impl Clone for sockaddr_in6
impl Clone for sockaddr_ll
impl Clone for sockaddr_nl
impl Clone for sockaddr_nl
impl Clone for sockaddr_pkt
impl Clone for sockaddr_storage
impl Clone for sockaddr_un
impl Clone for sockaddr_un
impl Clone for sockaddr_vm
impl Clone for sockaddr_xdp
impl Clone for sockaddr_xdp
impl Clone for socket_state
impl Clone for spwd
impl Clone for sqlite3
impl Clone for sqlite3_api_routines
impl Clone for sqlite3_backup
impl Clone for sqlite3_blob
impl Clone for sqlite3_changegroup
impl Clone for sqlite3_changeset_iter
impl Clone for sqlite3_context
impl Clone for sqlite3_file
impl Clone for sqlite3_index_constraint
impl Clone for sqlite3_index_constraint_usage
impl Clone for sqlite3_index_info
impl Clone for sqlite3_index_orderby
impl Clone for sqlite3_io_methods
impl Clone for sqlite3_mem_methods
impl Clone for sqlite3_module
impl Clone for sqlite3_mutex
impl Clone for sqlite3_mutex_methods
impl Clone for sqlite3_pcache
impl Clone for sqlite3_pcache_methods
impl Clone for sqlite3_pcache_methods2
impl Clone for sqlite3_pcache_page
impl Clone for sqlite3_rebaser
impl Clone for sqlite3_rtree_geometry
impl Clone for sqlite3_rtree_query_info
impl Clone for sqlite3_session
impl Clone for sqlite3_snapshot
impl Clone for sqlite3_stmt
impl Clone for sqlite3_str
impl Clone for sqlite3_value
impl Clone for sqlite3_vfs
impl Clone for sqlite3_vtab
impl Clone for sqlite3_vtab_cursor
impl Clone for stack_t
impl Clone for stalled
impl Clone for stat
impl Clone for stat
impl Clone for stat
impl Clone for stat64
impl Clone for statfs
impl Clone for statfs
impl Clone for statfs
impl Clone for statfs64
impl Clone for statfs64
impl Clone for statfs64
impl Clone for statvfs
impl Clone for statvfs64
impl Clone for statx
impl Clone for statx
impl Clone for statx
impl Clone for statx_timestamp
impl Clone for statx_timestamp
impl Clone for statx_timestamp
impl Clone for storage
impl Clone for submit
impl Clone for suspend
impl Clone for sync_serial_settings
impl Clone for sysinfo
impl Clone for tcamsg
impl Clone for tcmsg
impl Clone for tcp_ao_add
impl Clone for tcp_ao_del
impl Clone for tcp_ao_getsockopt
impl Clone for tcp_ao_info_opt
impl Clone for tcp_ao_repair
impl Clone for tcp_ca_state
impl Clone for tcp_diag_md5sig
impl Clone for tcp_fastopen_client_fail
impl Clone for tcp_info
impl Clone for tcp_info
impl Clone for tcp_md5sig
impl Clone for tcp_repair_opt
impl Clone for tcp_repair_window
impl Clone for tcp_word_hdr
impl Clone for tcp_zerocopy_receive
impl Clone for tcphdr
impl Clone for te1_settings
impl Clone for termio
impl Clone for termio
impl Clone for termios
impl Clone for termios
impl Clone for termios
impl Clone for termios2
impl Clone for termios2
impl Clone for termios2
impl Clone for timespec
impl Clone for timespec
impl Clone for timespec
impl Clone for timeupdate
impl Clone for timeval
impl Clone for timeval
impl Clone for timeval
impl Clone for timex
impl Clone for timezone
impl Clone for timezone
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 tm
impl Clone for tms
impl Clone for toggle
impl Clone for touchcancel
impl Clone for touchend
impl Clone for touchmove
impl Clone for touchstart
impl Clone for tpacket2_hdr
impl Clone for tpacket3_hdr
impl Clone for tpacket_auxdata
impl Clone for tpacket_bd_header_u
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_req
impl Clone for tpacket_req3
impl Clone for tpacket_req_u
impl Clone for tpacket_rollover_stats
impl Clone for tpacket_stats
impl Clone for tpacket_stats_v3
impl Clone for tpacket_versions
impl Clone for transitioncancel
impl Clone for transitionend
impl Clone for transitionrun
impl Clone for transitionstart
impl Clone for tunnel_msg
impl Clone for txtime_flags
impl Clone for ucontext_t
impl Clone for ucred
impl Clone for ucred
impl Clone for uffd_msg
impl Clone for uffd_msg
impl Clone for uffd_msg__bindgen_ty_1
impl Clone for uffd_msg__bindgen_ty_1
impl Clone for uffd_msg__bindgen_ty_1__bindgen_ty_1
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_2
impl Clone for uffd_msg__bindgen_ty_1__bindgen_ty_3
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_4
impl Clone for uffd_msg__bindgen_ty_1__bindgen_ty_5
impl Clone for uffd_msg__bindgen_ty_1__bindgen_ty_5
impl Clone for uffd_msg__bindgen_ty_1__bindgen_ty_1__bindgen_ty_1
impl Clone for uffd_msg__bindgen_ty_1__bindgen_ty_1__bindgen_ty_1
impl Clone for uffdio_api
impl Clone for uffdio_api
impl Clone for uffdio_continue
impl Clone for uffdio_continue
impl Clone for uffdio_copy
impl Clone for uffdio_copy
impl Clone for uffdio_move
impl Clone for uffdio_poison
impl Clone for uffdio_range
impl Clone for uffdio_range
impl Clone for uffdio_register
impl Clone for uffdio_register
impl Clone for uffdio_writeprotect
impl Clone for uffdio_writeprotect
impl Clone for uffdio_zeropage
impl Clone for uffdio_zeropage
impl Clone for uinput_abs_setup
impl Clone for uinput_ff_erase
impl Clone for uinput_ff_upload
impl Clone for uinput_setup
impl Clone for uinput_user_dev
impl Clone for unhandledrejection
impl Clone for unload
impl Clone for user
impl Clone for user_desc
impl Clone for user_desc
impl Clone for user_fpregs_struct
impl Clone for user_regs_struct
impl Clone for utimbuf
impl Clone for utmpx
impl Clone for utsname
impl Clone for vec128_storage
impl Clone for vec256_storage
impl Clone for vec512_storage
impl Clone for vfs_cap_data
impl Clone for vfs_cap_data
impl Clone for vfs_cap_data__bindgen_ty_1
impl Clone for vfs_cap_data__bindgen_ty_1
impl Clone for vfs_ns_cap_data
impl Clone for vfs_ns_cap_data
impl Clone for vfs_ns_cap_data__bindgen_ty_1
impl Clone for vfs_ns_cap_data__bindgen_ty_1
impl Clone for vgetrandom_opaque_params
impl Clone for visibilitychange
impl Clone for volumechange
impl Clone for waiting
impl Clone for webkitanimationend
impl Clone for webkitanimationiteration
impl Clone for webkitanimationstart
impl Clone for webkittransitionend
impl Clone for wheel
impl Clone for winsize
impl Clone for winsize
impl Clone for winsize
impl Clone for x25_hdlc_proto
impl Clone for xattr_args
impl Clone for xdp_desc
impl Clone for xdp_desc
impl Clone for xdp_mmap_offsets
impl Clone for xdp_mmap_offsets
impl Clone for xdp_mmap_offsets_v1
impl Clone for xdp_mmap_offsets_v1
impl Clone for xdp_options
impl Clone for xdp_options
impl Clone for xdp_ring_offset
impl Clone for xdp_ring_offset
impl Clone for xdp_ring_offset_v1
impl Clone for xdp_ring_offset_v1
impl Clone for xdp_statistics
impl Clone for xdp_statistics
impl Clone for xdp_statistics_v1
impl Clone for xdp_statistics_v1
impl Clone for xdp_umem_reg
impl Clone for xdp_umem_reg
impl Clone for xdp_umem_reg_v1
impl Clone for xdp_umem_reg_v1
impl Clone for xsk_tx_metadata
impl Clone for xsk_tx_metadata
impl Clone for xsk_tx_metadata__bindgen_ty_1
impl Clone for xsk_tx_metadata__bindgen_ty_1__bindgen_ty_1
impl Clone for xsk_tx_metadata__bindgen_ty_1__bindgen_ty_2
impl Clone for xsk_tx_metadata_completion
impl Clone for xsk_tx_metadata_request
impl Clone for xt_counters
impl Clone for xt_entry_match__bindgen_ty_1
impl Clone for xt_entry_match__bindgen_ty_1__bindgen_ty_1
impl Clone for xt_entry_match__bindgen_ty_1__bindgen_ty_2
impl Clone for xt_entry_target__bindgen_ty_1
impl Clone for xt_entry_target__bindgen_ty_1__bindgen_ty_1
impl Clone for xt_entry_target__bindgen_ty_1__bindgen_ty_2
impl Clone for xt_get_revision
impl Clone for xt_match
impl Clone for xt_target
impl Clone for xt_tcp
impl Clone for xt_udp
impl Clone for z_stream
impl<'a> Clone for ContentURIRef<'a>
impl<'a> Clone for URIRef<'a>
impl<'a> Clone for NarrativeURIRef<'a>
impl<'a> Clone for TermURIRef<'a>
impl<'a> Clone for FormatOrTargets<'a>
impl<'a> Clone for Unexpected<'a>
impl<'a> Clone for Utf8Pattern<'a>
impl<'a> Clone for std::path::Component<'a>
impl<'a> Clone for std::path::Prefix<'a>
impl<'a> Clone for chrono::format::Item<'a>
impl<'a> Clone for ArchiveURIRef<'a>
impl<'a> Clone for PathURIRef<'a>
impl<'a> Clone for Indentor<'a>
impl<'a> Clone for flams_router_vscode::server_fn::inventory::core::error::Source<'a>
impl<'a> Clone for flams_router_vscode::server_fn::inventory::core::ffi::c_str::Bytes<'a>
impl<'a> Clone for Arguments<'a>
impl<'a> Clone for PhantomContravariantLifetime<'a>
impl<'a> Clone for PhantomCovariantLifetime<'a>
impl<'a> Clone for PhantomInvariantLifetime<'a>
impl<'a> Clone for flams_router_vscode::server_fn::inventory::core::panic::Location<'a>
impl<'a> Clone for EscapeAscii<'a>
impl<'a> Clone for CharSearcher<'a>
impl<'a> Clone for flams_router_vscode::server_fn::inventory::core::str::Bytes<'a>
impl<'a> Clone for flams_router_vscode::server_fn::inventory::core::str::CharIndices<'a>
impl<'a> Clone for flams_router_vscode::server_fn::inventory::core::str::Chars<'a>
impl<'a> Clone for flams_router_vscode::server_fn::inventory::core::str::EncodeUtf16<'a>
impl<'a> Clone for flams_router_vscode::server_fn::inventory::core::str::EscapeDebug<'a>
impl<'a> Clone for flams_router_vscode::server_fn::inventory::core::str::EscapeDefault<'a>
impl<'a> Clone for flams_router_vscode::server_fn::inventory::core::str::EscapeUnicode<'a>
impl<'a> Clone for flams_router_vscode::server_fn::inventory::core::str::Lines<'a>
impl<'a> Clone for LinesAny<'a>
impl<'a> Clone for flams_router_vscode::server_fn::inventory::core::str::SplitAsciiWhitespace<'a>
impl<'a> Clone for flams_router_vscode::server_fn::inventory::core::str::SplitWhitespace<'a>
impl<'a> Clone for Utf8Chunk<'a>
impl<'a> Clone for Utf8Chunks<'a>
impl<'a> Clone for untrusted::input::Input<'a>
impl<'a> Clone for IoSlice<'a>
impl<'a> Clone for Ancestors<'a>
impl<'a> Clone for Components<'a>
impl<'a> Clone for std::path::Iter<'a>
impl<'a> Clone for PrefixComponent<'a>
impl<'a> Clone for anyhow::Chain<'a>
impl<'a> Clone for StrftimeItems<'a>
impl<'a> Clone for eyre::Chain<'a>
impl<'a> Clone for TreeEntry<'a>
impl<'a> Clone for ArrayIter<'a>
impl<'a> Clone for log::Metadata<'a>
impl<'a> Clone for log::Record<'a>
impl<'a> Clone for MimeIter<'a>
impl<'a> Clone for mime::Name<'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 ParseOptions<'a>
impl<'a> Clone for AddGroupMember<'a>
impl<'a> Clone for AddGroupMemberBuilder<'a>
impl<'a> Clone for AddProjectMember<'a>
impl<'a> Clone for AddProjectMemberBuilder<'a>
impl<'a> Clone for AllProjectMember<'a>
impl<'a> Clone for AllProjectMemberBuilder<'a>
impl<'a> Clone for AllProjectMembers<'a>
impl<'a> Clone for AllProjectMembersBuilder<'a>
impl<'a> Clone for AllRunners<'a>
impl<'a> Clone for AllRunnersBuilder<'a>
impl<'a> Clone for AllowJobTokenGroup<'a>
impl<'a> Clone for AllowJobTokenGroupBuilder<'a>
impl<'a> Clone for AllowJobTokenProject<'a>
impl<'a> Clone for AllowJobTokenProjectBuilder<'a>
impl<'a> Clone for AllowedJobTokenGroups<'a>
impl<'a> Clone for AllowedJobTokenGroupsBuilder<'a>
impl<'a> Clone for AllowedJobTokenProjects<'a>
impl<'a> Clone for AllowedJobTokenProjectsBuilder<'a>
impl<'a> Clone for AnyValueKind<'a>
impl<'a> Clone for AnyValueRef<'a>
impl<'a> Clone for ApproveMergeRequest<'a>
impl<'a> Clone for ApproveMergeRequestBuilder<'a>
impl<'a> Clone for Archive<'a>
impl<'a> Clone for ArchiveBuilder<'a>
impl<'a> Clone for ArchiveProject<'a>
impl<'a> Clone for ArchiveProjectBuilder<'a>
impl<'a> Clone for Attribute<'a>
impl<'a> Clone for Attributes<'a>
impl<'a> Clone for AuthorityComponents<'a>
impl<'a> Clone for BlankNodeRef<'a>
impl<'a> Clone for BorrowedFormatItem<'a>
impl<'a> Clone for Branch<'a>
impl<'a> Clone for BranchBuilder<'a>
impl<'a> Clone for Branches<'a>
impl<'a> Clone for BranchesBuilder<'a>
impl<'a> Clone for Builder<'a>
impl<'a> Clone for BytesCData<'a>
impl<'a> Clone for BytesDecl<'a>
impl<'a> Clone for BytesEnd<'a>
impl<'a> Clone for BytesPI<'a>
impl<'a> Clone for BytesStart<'a>
impl<'a> Clone for BytesText<'a>
impl<'a> Clone for CDataIterator<'a>
impl<'a> Clone for CancelJob<'a>
impl<'a> Clone for CancelJobBuilder<'a>
impl<'a> Clone for CancelPipeline<'a>
impl<'a> Clone for CancelPipelineBuilder<'a>
impl<'a> Clone for CanonicalCompositionBorrowed<'a>
impl<'a> Clone for CapturesPatternIter<'a>
impl<'a> Clone for CertificateDer<'a>
impl<'a> Clone for CertificateRevocationListDer<'a>
impl<'a> Clone for CertificateSigningRequestDer<'a>
impl<'a> Clone for Char16TrieIterator<'a>
impl<'a> Clone for CodePointSetDataBorrowed<'a>
impl<'a> Clone for Codepoint<'a>
impl<'a> Clone for CommentOnCommit<'a>
impl<'a> Clone for CommentOnCommitBuilder<'a>
impl<'a> Clone for Commit<'a>
impl<'a> Clone for CommitAction<'a>
impl<'a> Clone for CommitActionBuilder<'a>
impl<'a> Clone for CommitBuilder<'a>
impl<'a> Clone for CommitComments<'a>
impl<'a> Clone for CommitCommentsBuilder<'a>
impl<'a> Clone for CommitReferences<'a>
impl<'a> Clone for CommitReferencesBuilder<'a>
impl<'a> Clone for CommitStatuses<'a>
impl<'a> Clone for CommitStatusesBuilder<'a>
impl<'a> Clone for Commits<'a>
impl<'a> Clone for CommitsBuilder<'a>
impl<'a> Clone for CompactDocArrayIter<'a>
impl<'a> Clone for CompactDocObjectIter<'a>
impl<'a> Clone for CompactDocValue<'a>
impl<'a> Clone for CompareCommits<'a>
impl<'a> Clone for CompareCommitsBuilder<'a>
impl<'a> Clone for ContainerExpirationPolicy<'a>
impl<'a> Clone for ContainerExpirationPolicyBuilder<'a>
impl<'a> Clone for Contributors<'a>
impl<'a> Clone for ContributorsBuilder<'a>
impl<'a> Clone for CowArcStr<'a>
impl<'a> Clone for CowRcStr<'a>
impl<'a> Clone for CreateBranch<'a>
impl<'a> Clone for CreateBranchBuilder<'a>
impl<'a> Clone for CreateCommit<'a>
impl<'a> Clone for CreateCommitBuilder<'a>
impl<'a> Clone for CreateCommitStatus<'a>
impl<'a> Clone for CreateCommitStatusBuilder<'a>
impl<'a> Clone for CreateDeployKey<'a>
impl<'a> Clone for CreateDeployKeyBuilder<'a>
impl<'a> Clone for CreateDeployment<'a>
impl<'a> Clone for CreateDeploymentBuilder<'a>
impl<'a> Clone for CreateFile<'a>
impl<'a> Clone for CreateFileBuilder<'a>
impl<'a> Clone for CreateGroup<'a>
impl<'a> Clone for CreateGroupBuilder<'a>
impl<'a> Clone for CreateGroupMilestone<'a>
impl<'a> Clone for CreateGroupMilestoneBuilder<'a>
impl<'a> Clone for CreateGroupVariable<'a>
impl<'a> Clone for CreateGroupVariableBuilder<'a>
impl<'a> Clone for CreateHook<'a>
impl<'a> Clone for CreateHook<'a>
impl<'a> Clone for CreateHookBuilder<'a>
impl<'a> Clone for CreateHookBuilder<'a>
impl<'a> Clone for CreateImpersonationToken<'a>
impl<'a> Clone for CreateImpersonationTokenBuilder<'a>
impl<'a> Clone for CreateIssue<'a>
impl<'a> Clone for CreateIssueAward<'a>
impl<'a> Clone for CreateIssueAwardBuilder<'a>
impl<'a> Clone for CreateIssueBuilder<'a>
impl<'a> Clone for CreateIssueNote<'a>
impl<'a> Clone for CreateIssueNoteAward<'a>
impl<'a> Clone for CreateIssueNoteAwardBuilder<'a>
impl<'a> Clone for CreateIssueNoteBuilder<'a>
impl<'a> Clone for CreateLabel<'a>
impl<'a> Clone for CreateLabelBuilder<'a>
impl<'a> Clone for CreateMergeRequest<'a>
impl<'a> Clone for CreateMergeRequestAward<'a>
impl<'a> Clone for CreateMergeRequestAwardBuilder<'a>
impl<'a> Clone for CreateMergeRequestBuilder<'a>
impl<'a> Clone for CreateMergeRequestDiscussion<'a>
impl<'a> Clone for CreateMergeRequestDiscussionBuilder<'a>
impl<'a> Clone for CreateMergeRequestNote<'a>
impl<'a> Clone for CreateMergeRequestNoteAward<'a>
impl<'a> Clone for CreateMergeRequestNoteAwardBuilder<'a>
impl<'a> Clone for CreateMergeRequestNoteBuilder<'a>
impl<'a> Clone for CreateMergeRequestPipelines<'a>
impl<'a> Clone for CreateMergeRequestPipelinesBuilder<'a>
impl<'a> Clone for CreatePersonalAccessToken<'a>
impl<'a> Clone for CreatePersonalAccessTokenBuilder<'a>
impl<'a> Clone for CreatePersonalAccessTokenForUser<'a>
impl<'a> Clone for CreatePersonalAccessTokenForUserBuilder<'a>
impl<'a> Clone for CreatePipeline<'a>
impl<'a> Clone for CreatePipelineBuilder<'a>
impl<'a> Clone for CreatePipelineSchedule<'a>
impl<'a> Clone for CreatePipelineScheduleBuilder<'a>
impl<'a> Clone for CreatePipelineScheduleVariable<'a>
impl<'a> Clone for CreatePipelineScheduleVariableBuilder<'a>
impl<'a> Clone for CreateProject<'a>
impl<'a> Clone for CreateProjectAccessToken<'a>
impl<'a> Clone for CreateProjectAccessTokenBuilder<'a>
impl<'a> Clone for CreateProjectBuilder<'a>
impl<'a> Clone for CreateProjectMilestone<'a>
impl<'a> Clone for CreateProjectMilestoneBuilder<'a>
impl<'a> Clone for CreateProjectVariable<'a>
impl<'a> Clone for CreateProjectVariableBuilder<'a>
impl<'a> Clone for CreateRelease<'a>
impl<'a> Clone for CreateReleaseAssetLinks<'a>
impl<'a> Clone for CreateReleaseAssetLinksBuilder<'a>
impl<'a> Clone for CreateReleaseBuilder<'a>
impl<'a> Clone for CreateReleaseLink<'a>
impl<'a> Clone for CreateReleaseLinkBuilder<'a>
impl<'a> Clone for CreateRunner<'a>
impl<'a> Clone for CreateRunner<'a>
impl<'a> Clone for CreateRunnerBuilder<'a>
impl<'a> Clone for CreateRunnerBuilder<'a>
impl<'a> Clone for CreateTag<'a>
impl<'a> Clone for CreateTagBuilder<'a>
impl<'a> Clone for CreateUser<'a>
impl<'a> Clone for CreateUserBuilder<'a>
impl<'a> Clone for DataIdentifierBorrowed<'a>
impl<'a> Clone for DataRequest<'a>
impl<'a> Clone for DecodeError<'a>
impl<'a> Clone for DeleteBranch<'a>
impl<'a> Clone for DeleteBranchBuilder<'a>
impl<'a> Clone for DeleteDeployKey<'a>
impl<'a> Clone for DeleteDeployKeyBuilder<'a>
impl<'a> Clone for DeleteDeployment<'a>
impl<'a> Clone for DeleteDeploymentBuilder<'a>
impl<'a> Clone for DeleteFile<'a>
impl<'a> Clone for DeleteFileBuilder<'a>
impl<'a> Clone for DeleteGroupVariable<'a>
impl<'a> Clone for DeleteGroupVariableBuilder<'a>
impl<'a> Clone for DeleteHook<'a>
impl<'a> Clone for DeleteHook<'a>
impl<'a> Clone for DeleteHookBuilder<'a>
impl<'a> Clone for DeleteHookBuilder<'a>
impl<'a> Clone for DeleteIssue<'a>
impl<'a> Clone for DeleteIssueAward<'a>
impl<'a> Clone for DeleteIssueAwardBuilder<'a>
impl<'a> Clone for DeleteIssueBuilder<'a>
impl<'a> Clone for DeleteIssueNote<'a>
impl<'a> Clone for DeleteIssueNoteAward<'a>
impl<'a> Clone for DeleteIssueNoteAwardBuilder<'a>
impl<'a> Clone for DeleteIssueNoteBuilder<'a>
impl<'a> Clone for DeleteLabel<'a>
impl<'a> Clone for DeleteLabelBuilder<'a>
impl<'a> Clone for DeleteMergeRequestAward<'a>
impl<'a> Clone for DeleteMergeRequestAwardBuilder<'a>
impl<'a> Clone for DeleteMergeRequestNoteAward<'a>
impl<'a> Clone for DeleteMergeRequestNoteAwardBuilder<'a>
impl<'a> Clone for DeletePackage<'a>
impl<'a> Clone for DeletePackageBuilder<'a>
impl<'a> Clone for DeletePackageFile<'a>
impl<'a> Clone for DeletePackageFileBuilder<'a>
impl<'a> Clone for DeletePipeline<'a>
impl<'a> Clone for DeletePipelineBuilder<'a>
impl<'a> Clone for DeletePipelineSchedule<'a>
impl<'a> Clone for DeletePipelineScheduleBuilder<'a>
impl<'a> Clone for DeletePipelineScheduleVariable<'a>
impl<'a> Clone for DeletePipelineScheduleVariableBuilder<'a>
impl<'a> Clone for DeleteProject<'a>
impl<'a> Clone for DeleteProjectBuilder<'a>
impl<'a> Clone for DeleteProjectVariable<'a>
impl<'a> Clone for DeleteProjectVariableBuilder<'a>
impl<'a> Clone for DeleteReleaseLink<'a>
impl<'a> Clone for DeleteReleaseLinkBuilder<'a>
impl<'a> Clone for DeleteRepository<'a>
impl<'a> Clone for DeleteRepositoryBuilder<'a>
impl<'a> Clone for DeleteRepositoryTag<'a>
impl<'a> Clone for DeleteRepositoryTagBuilder<'a>
impl<'a> Clone for DeleteRunnerByToken<'a>
impl<'a> Clone for DeleteRunnerByTokenBuilder<'a>
impl<'a> Clone for DeleteTag<'a>
impl<'a> Clone for DeleteTagBuilder<'a>
impl<'a> Clone for DeployKey<'a>
impl<'a> Clone for DeployKeyBuilder<'a>
impl<'a> Clone for DeployKeys<'a>
impl<'a> Clone for DeployKeysBuilder<'a>
impl<'a> Clone for Deployment<'a>
impl<'a> Clone for DeploymentBuilder<'a>
impl<'a> Clone for Deployments<'a>
impl<'a> Clone for DeploymentsBuilder<'a>
impl<'a> Clone for Der<'a>
impl<'a> Clone for DisableProjectRunner<'a>
impl<'a> Clone for DisableProjectRunnerBuilder<'a>
impl<'a> Clone for DisallowJobTokenGroup<'a>
impl<'a> Clone for DisallowJobTokenGroupBuilder<'a>
impl<'a> Clone for DisallowJobTokenProject<'a>
impl<'a> Clone for DisallowJobTokenProjectBuilder<'a>
impl<'a> Clone for DnsName<'a>
impl<'a> Clone for DynamicClockId<'a>
impl<'a> Clone for EchConfigListBytes<'a>
impl<'a> Clone for EditDeployKey<'a>
impl<'a> Clone for EditDeployKeyBuilder<'a>
impl<'a> Clone for EditDeployment<'a>
impl<'a> Clone for EditDeploymentBuilder<'a>
impl<'a> Clone for EditGroup<'a>
impl<'a> Clone for EditGroupBuilder<'a>
impl<'a> Clone for EditGroupMember<'a>
impl<'a> Clone for EditGroupMemberBuilder<'a>
impl<'a> Clone for EditGroupPushRule<'a>
impl<'a> Clone for EditGroupPushRuleBuilder<'a>
impl<'a> Clone for EditHook<'a>
impl<'a> Clone for EditHook<'a>
impl<'a> Clone for EditHookBuilder<'a>
impl<'a> Clone for EditHookBuilder<'a>
impl<'a> Clone for EditIssue<'a>
impl<'a> Clone for EditIssueBuilder<'a>
impl<'a> Clone for EditIssueNote<'a>
impl<'a> Clone for EditIssueNoteBuilder<'a>
impl<'a> Clone for EditJobTokenScope<'a>
impl<'a> Clone for EditJobTokenScopeBuilder<'a>
impl<'a> Clone for EditLabel<'a>
impl<'a> Clone for EditLabelBuilder<'a>
impl<'a> Clone for EditMergeRequest<'a>
impl<'a> Clone for EditMergeRequestBuilder<'a>
impl<'a> Clone for EditMergeRequestNote<'a>
impl<'a> Clone for EditMergeRequestNoteBuilder<'a>
impl<'a> Clone for EditPages<'a>
impl<'a> Clone for EditPagesBuilder<'a>
impl<'a> Clone for EditPipelineSchedule<'a>
impl<'a> Clone for EditPipelineScheduleBuilder<'a>
impl<'a> Clone for EditPipelineScheduleVariable<'a>
impl<'a> Clone for EditPipelineScheduleVariableBuilder<'a>
impl<'a> Clone for EditProject<'a>
impl<'a> Clone for EditProjectBuilder<'a>
impl<'a> Clone for EditProjectMember<'a>
impl<'a> Clone for EditProjectMemberBuilder<'a>
impl<'a> Clone for EditProjectPushRule<'a>
impl<'a> Clone for EditProjectPushRuleBuilder<'a>
impl<'a> Clone for EditRunner<'a>
impl<'a> Clone for EditRunnerBuilder<'a>
impl<'a> Clone for EmojiSetDataBorrowed<'a>
impl<'a> Clone for EnableDeployKey<'a>
impl<'a> Clone for EnableDeployKeyBuilder<'a>
impl<'a> Clone for EnableProjectRunner<'a>
impl<'a> Clone for EnableProjectRunnerBuilder<'a>
impl<'a> Clone for EnableScoring<'a>
impl<'a> Clone for Environment<'a>
impl<'a> Clone for EnvironmentBuilder<'a>
impl<'a> Clone for Environments<'a>
impl<'a> Clone for EnvironmentsBuilder<'a>
impl<'a> Clone for EraseJob<'a>
impl<'a> Clone for EraseJobBuilder<'a>
impl<'a> Clone for Erased<'a>
impl<'a> Clone for ErrorReportingUtf8Chars<'a>
impl<'a> Clone for Event<'a>
impl<'a> Clone for ExpandedName<'a>
impl<'a> Clone for ExternalProvider<'a>
impl<'a> Clone for ExternalProviderBuilder<'a>
impl<'a> Clone for FfdheGroup<'a>
impl<'a> Clone for File<'a>
impl<'a> Clone for FileBuilder<'a>
impl<'a> Clone for FileRaw<'a>
impl<'a> Clone for FileRawBuilder<'a>
impl<'a> Clone for FormParams<'a>
impl<'a> Clone for GetPackageFile<'a>
impl<'a> Clone for GetPackageFileBuilder<'a>
impl<'a> Clone for GetReleaseLink<'a>
impl<'a> Clone for GetReleaseLinkBuilder<'a>
impl<'a> Clone for GraphNameRef<'a>
impl<'a> Clone for GraphView<'a>
impl<'a> Clone for GraphemeIndices<'a>
impl<'a> Clone for Graphemes<'a>
impl<'a> Clone for Group<'a>
impl<'a> Clone for GroupAccessRequest<'a>
impl<'a> Clone for GroupAccessRequestBuilder<'a>
impl<'a> Clone for GroupAccessRequests<'a>
impl<'a> Clone for GroupAccessRequestsApprove<'a>
impl<'a> Clone for GroupAccessRequestsApproveBuilder<'a>
impl<'a> Clone for GroupAccessRequestsBuilder<'a>
impl<'a> Clone for GroupAccessRequestsDeny<'a>
impl<'a> Clone for GroupAccessRequestsDenyBuilder<'a>
impl<'a> Clone for GroupBuilder<'a>
impl<'a> Clone for GroupInfoPatternNames<'a>
impl<'a> Clone for GroupIssues<'a>
impl<'a> Clone for GroupIssuesBuilder<'a>
impl<'a> Clone for GroupMember<'a>
impl<'a> Clone for GroupMemberBuilder<'a>
impl<'a> Clone for GroupMembers<'a>
impl<'a> Clone for GroupMembersBuilder<'a>
impl<'a> Clone for GroupProjects<'a>
impl<'a> Clone for GroupProjectsBuilder<'a>
impl<'a> Clone for GroupRunners<'a>
impl<'a> Clone for GroupRunnersBuilder<'a>
impl<'a> Clone for GroupSubgroups<'a>
impl<'a> Clone for GroupSubgroupsBuilder<'a>
impl<'a> Clone for GroupVariable<'a>
impl<'a> Clone for GroupVariableBuilder<'a>
impl<'a> Clone for GroupVariableFilter<'a>
impl<'a> Clone for GroupVariables<'a>
impl<'a> Clone for GroupVariablesBuilder<'a>
impl<'a> Clone for Groups<'a>
impl<'a> Clone for GroupsBuilder<'a>
impl<'a> Clone for Header<'a>
impl<'a> Clone for Hook<'a>
impl<'a> Clone for Hook<'a>
impl<'a> Clone for HookBuilder<'a>
impl<'a> Clone for HookBuilder<'a>
impl<'a> Clone for Hooks<'a>
impl<'a> Clone for Hooks<'a>
impl<'a> Clone for HooksBuilder<'a>
impl<'a> Clone for HooksBuilder<'a>
impl<'a> Clone for Ident<'a>
impl<'a> Clone for Issue<'a>
impl<'a> Clone for IssueAward<'a>
impl<'a> Clone for IssueAwardBuilder<'a>
impl<'a> Clone for IssueAwards<'a>
impl<'a> Clone for IssueAwardsBuilder<'a>
impl<'a> Clone for IssueBuilder<'a>
impl<'a> Clone for IssueIteration<'a>
impl<'a> Clone for IssueMilestone<'a>
impl<'a> Clone for IssueNoteAward<'a>
impl<'a> Clone for IssueNoteAwardBuilder<'a>
impl<'a> Clone for IssueNoteAwards<'a>
impl<'a> Clone for IssueNoteAwardsBuilder<'a>
impl<'a> Clone for IssueNotes<'a>
impl<'a> Clone for IssueNotesBuilder<'a>
impl<'a> Clone for IssueResourceLabelEvents<'a>
impl<'a> Clone for IssueResourceLabelEventsBuilder<'a>
impl<'a> Clone for IssuesClosedBy<'a>
impl<'a> Clone for IssuesClosedByBuilder<'a>
impl<'a> Clone for Iter<'a>
impl<'a> Clone for Iter<'a>
impl<'a> Clone for Job<'a>
impl<'a> Clone for JobBuilder<'a>
impl<'a> Clone for JobTokenScopes<'a>
impl<'a> Clone for JobTokenScopesBuilder<'a>
impl<'a> Clone for JobTrace<'a>
impl<'a> Clone for JobTraceBuilder<'a>
impl<'a> Clone for JobVariableAttribute<'a>
impl<'a> Clone for JobVariableAttributeBuilder<'a>
impl<'a> Clone for Jobs<'a>
impl<'a> Clone for JobsBuilder<'a>
impl<'a> Clone for JsonEvent<'a>
impl<'a> Clone for Label<'a>
impl<'a> Clone for LabelBuilder<'a>
impl<'a> Clone for Labels<'a>
impl<'a> Clone for LabelsBuilder<'a>
impl<'a> Clone for LineCode<'a>
impl<'a> Clone for LineCodeBuilder<'a>
impl<'a> Clone for LineRange<'a>
impl<'a> Clone for LineRangeBuilder<'a>
impl<'a> Clone for ListReleaseLinks<'a>
impl<'a> Clone for ListReleaseLinksBuilder<'a>
impl<'a> Clone for LiteralRef<'a>
impl<'a> Clone for LocalName<'a>
impl<'a> Clone for MergeMergeRequest<'a>
impl<'a> Clone for MergeMergeRequestBuilder<'a>
impl<'a> Clone for MergeRequest<'a>
impl<'a> Clone for MergeRequestApprovalRules<'a>
impl<'a> Clone for MergeRequestApprovalRulesBuilder<'a>
impl<'a> Clone for MergeRequestApprovalState<'a>
impl<'a> Clone for MergeRequestApprovalStateBuilder<'a>
impl<'a> Clone for MergeRequestApprovals<'a>
impl<'a> Clone for MergeRequestApprovalsBuilder<'a>
impl<'a> Clone for MergeRequestAward<'a>
impl<'a> Clone for MergeRequestAwardBuilder<'a>
impl<'a> Clone for MergeRequestAwards<'a>
impl<'a> Clone for MergeRequestAwardsBuilder<'a>
impl<'a> Clone for MergeRequestBuilder<'a>
impl<'a> Clone for MergeRequestCommits<'a>
impl<'a> Clone for MergeRequestCommitsBuilder<'a>
impl<'a> Clone for MergeRequestDiffs<'a>
impl<'a> Clone for MergeRequestDiffsBuilder<'a>
impl<'a> Clone for MergeRequestDiscussions<'a>
impl<'a> Clone for MergeRequestDiscussionsBuilder<'a>
impl<'a> Clone for MergeRequestMilestone<'a>
impl<'a> Clone for MergeRequestNoteAward<'a>
impl<'a> Clone for MergeRequestNoteAwardBuilder<'a>
impl<'a> Clone for MergeRequestNoteAwards<'a>
impl<'a> Clone for MergeRequestNoteAwardsBuilder<'a>
impl<'a> Clone for MergeRequestNotes<'a>
impl<'a> Clone for MergeRequestNotesBuilder<'a>
impl<'a> Clone for MergeRequestPipelinesBuilder<'a>
impl<'a> Clone for MergeRequestResourceLabelEvents<'a>
impl<'a> Clone for MergeRequestResourceLabelEventsBuilder<'a>
impl<'a> Clone for MergeRequests<'a>
impl<'a> Clone for MergeRequests<'a>
impl<'a> Clone for MergeRequests<'a>
impl<'a> Clone for MergeRequestsBuilder<'a>
impl<'a> Clone for MergeRequestsBuilder<'a>
impl<'a> Clone for MergeRequestsBuilder<'a>
impl<'a> Clone for MergeRequestsClosing<'a>
impl<'a> Clone for MergeRequestsClosingBuilder<'a>
impl<'a> Clone for MergeTrains<'a>
impl<'a> Clone for MergeTrainsBuilder<'a>
impl<'a> Clone for NameOrId<'a>
impl<'a> Clone for NamedNodeRef<'a>
impl<'a> Clone for NamedOrBlankNodeRef<'a>
impl<'a> Clone for Namespace<'a>
impl<'a> Clone for NewUserPassword<'a>
impl<'a> Clone for NonBlocking<'a>
impl<'a> Clone for OutboundChunks<'a>
impl<'a> Clone for Package<'a>
impl<'a> Clone for PackageBuilder<'a>
impl<'a> Clone for PackageFiles<'a>
impl<'a> Clone for PackageFilesBuilder<'a>
impl<'a> Clone for Packages<'a>
impl<'a> Clone for Packages<'a>
impl<'a> Clone for PackagesBuilder<'a>
impl<'a> Clone for PackagesBuilder<'a>
impl<'a> Clone for Pages<'a>
impl<'a> Clone for PagesBuilder<'a>
impl<'a> Clone for Parse<'a>
impl<'a> Clone for PasswordHash<'a>
impl<'a> Clone for PatternSetIter<'a>
impl<'a> Clone for PercentDecode<'a>
impl<'a> Clone for PercentEncode<'a>
impl<'a> Clone for PersonalAccessTokens<'a>
impl<'a> Clone for PersonalAccessTokensBuilder<'a>
impl<'a> Clone for Pipeline<'a>
impl<'a> Clone for PipelineBridges<'a>
impl<'a> Clone for PipelineBridgesBuilder<'a>
impl<'a> Clone for PipelineBuilder<'a>
impl<'a> Clone for PipelineJobs<'a>
impl<'a> Clone for PipelineJobsBuilder<'a>
impl<'a> Clone for PipelineSchedule<'a>
impl<'a> Clone for PipelineScheduleBuilder<'a>
impl<'a> Clone for PipelineSchedulePipelines<'a>
impl<'a> Clone for PipelineSchedulePipelinesBuilder<'a>
impl<'a> Clone for PipelineScheduleTimeZone<'a>
impl<'a> Clone for PipelineSchedules<'a>
impl<'a> Clone for PipelineSchedulesBuilder<'a>
impl<'a> Clone for PipelineTestReport<'a>
impl<'a> Clone for PipelineTestReportBuilder<'a>
impl<'a> Clone for PipelineTestReportSummary<'a>
impl<'a> Clone for PipelineTestReportSummaryBuilder<'a>
impl<'a> Clone for PipelineVariable<'a>
impl<'a> Clone for PipelineVariableBuilder<'a>
impl<'a> Clone for PipelineVariables<'a>
impl<'a> Clone for PipelineVariablesBuilder<'a>
impl<'a> Clone for Pipelines<'a>
impl<'a> Clone for PipelinesBuilder<'a>
impl<'a> Clone for PlayJob<'a>
impl<'a> Clone for PlayJobBuilder<'a>
impl<'a> Clone for PlayPipelineSchedule<'a>
impl<'a> Clone for PlayPipelineScheduleBuilder<'a>
impl<'a> Clone for PortBuilder<'a>
impl<'a> Clone for Position<'a>
impl<'a> Clone for PositionBuilder<'a>
impl<'a> Clone for Positive<'a>
impl<'a> Clone for Prefix<'a>
impl<'a> Clone for PrefixDeclaration<'a>
impl<'a> Clone for PrefixIter<'a>
impl<'a> Clone for Project<'a>
impl<'a> Clone for ProjectAccessRequest<'a>
impl<'a> Clone for ProjectAccessRequestBuilder<'a>
impl<'a> Clone for ProjectAccessRequests<'a>
impl<'a> Clone for ProjectAccessRequestsApprove<'a>
impl<'a> Clone for ProjectAccessRequestsApproveBuilder<'a>
impl<'a> Clone for ProjectAccessRequestsBuilder<'a>
impl<'a> Clone for ProjectAccessRequestsDeny<'a>
impl<'a> Clone for ProjectAccessRequestsDenyBuilder<'a>
impl<'a> Clone for ProjectAccessToken<'a>
impl<'a> Clone for ProjectAccessTokenBuilder<'a>
impl<'a> Clone for ProjectAccessTokens<'a>
impl<'a> Clone for ProjectAccessTokensBuilder<'a>
impl<'a> Clone for ProjectApprovalRules<'a>
impl<'a> Clone for ProjectApprovalRulesBuilder<'a>
impl<'a> Clone for ProjectApprovals<'a>
impl<'a> Clone for ProjectApprovalsBuilder<'a>
impl<'a> Clone for ProjectBuilder<'a>
impl<'a> Clone for ProjectIssues<'a>
impl<'a> Clone for ProjectIssuesBuilder<'a>
impl<'a> Clone for ProjectMember<'a>
impl<'a> Clone for ProjectMemberBuilder<'a>
impl<'a> Clone for ProjectMembers<'a>
impl<'a> Clone for ProjectMembersBuilder<'a>
impl<'a> Clone for ProjectReleases<'a>
impl<'a> Clone for ProjectReleasesBuilder<'a>
impl<'a> Clone for ProjectRunners<'a>
impl<'a> Clone for ProjectRunnersBuilder<'a>
impl<'a> Clone for ProjectVariable<'a>
impl<'a> Clone for ProjectVariableBuilder<'a>
impl<'a> Clone for ProjectVariableFilter<'a>
impl<'a> Clone for ProjectVariables<'a>
impl<'a> Clone for ProjectVariablesBuilder<'a>
impl<'a> Clone for Projects<'a>
impl<'a> Clone for ProjectsBuilder<'a>
impl<'a> Clone for PromoteLabel<'a>
impl<'a> Clone for PromoteLabelBuilder<'a>
impl<'a> Clone for ProtectBranch<'a>
impl<'a> Clone for ProtectBranchBuilder<'a>
impl<'a> Clone for ProtectTag<'a>
impl<'a> Clone for ProtectTagBuilder<'a>
impl<'a> Clone for ProtectedBranch<'a>
impl<'a> Clone for ProtectedBranchBuilder<'a>
impl<'a> Clone for ProtectedBranches<'a>
impl<'a> Clone for ProtectedBranchesBuilder<'a>
impl<'a> Clone for ProtectedTag<'a>
impl<'a> Clone for ProtectedTagBuilder<'a>
impl<'a> Clone for ProtectedTags<'a>
impl<'a> Clone for ProtectedTagsBuilder<'a>
impl<'a> Clone for QName<'a>
impl<'a> Clone for QuadRef<'a>
impl<'a> Clone for QueryParams<'a>
impl<'a> Clone for RebaseMergeRequest<'a>
impl<'a> Clone for RebaseMergeRequestBuilder<'a>
impl<'a> Clone for ReferenceValueLeaf<'a>
impl<'a> Clone for RelatedMergeRequests<'a>
impl<'a> Clone for RelatedMergeRequestsBuilder<'a>
impl<'a> Clone for RemoveGroupMember<'a>
impl<'a> Clone for RemoveGroupMemberBuilder<'a>
impl<'a> Clone for RemoveProjectMember<'a>
impl<'a> Clone for RemoveProjectMemberBuilder<'a>
impl<'a> Clone for Repositories<'a>
impl<'a> Clone for RepositoriesBuilder<'a>
impl<'a> Clone for RepositoryTagDetails<'a>
impl<'a> Clone for RepositoryTagDetailsBuilder<'a>
impl<'a> Clone for RepositoryTags<'a>
impl<'a> Clone for RepositoryTagsBuilder<'a>
impl<'a> Clone for ResetRunnerAuthenticationTokenByToken<'a>
impl<'a> Clone for ResetRunnerAuthenticationTokenByTokenBuilder<'a>
impl<'a> Clone for RetryJob<'a>
impl<'a> Clone for RetryJobBuilder<'a>
impl<'a> Clone for RetryPipeline<'a>
impl<'a> Clone for RetryPipelineBuilder<'a>
impl<'a> Clone for RevocationOptions<'a>
impl<'a> Clone for RevocationOptionsBuilder<'a>
impl<'a> Clone for RevokeProjectAccessToken<'a>
impl<'a> Clone for RevokeProjectAccessTokenBuilder<'a>
impl<'a> Clone for RotateProjectAccessToken<'a>
impl<'a> Clone for RotateProjectAccessTokenBuilder<'a>
impl<'a> Clone for RunnerJobs<'a>
impl<'a> Clone for RunnerJobsBuilder<'a>
impl<'a> Clone for RunnerMetadata<'a>
impl<'a> Clone for RunnerMetadataBuilder<'a>
impl<'a> Clone for Runners<'a>
impl<'a> Clone for RunnersBuilder<'a>
impl<'a> Clone for Salt<'a>
impl<'a> Clone for ScriptExtensionsSet<'a>
impl<'a> Clone for ScriptWithExtensionsBorrowed<'a>
impl<'a> Clone for Select<'a>
impl<'a> Clone for ServerName<'a>
impl<'a> Clone for SetMatchesIter<'a>
impl<'a> Clone for SetMatchesIter<'a>
impl<'a> Clone for Signature<'a>
impl<'a> Clone for SignatureBuilder<'a>
impl<'a> Clone for SubjectPublicKeyInfoDer<'a>
impl<'a> Clone for SubjectRef<'a>
impl<'a> Clone for Subsequence<'a>
impl<'a> Clone for SudoContext<'a>
impl<'a> Clone for Tag<'a>
impl<'a> Clone for TagBuilder<'a>
impl<'a> Clone for Tags<'a>
impl<'a> Clone for TagsBuilder<'a>
impl<'a> Clone for TakePipelineScheduleOwnership<'a>
impl<'a> Clone for TakePipelineScheduleOwnershipBuilder<'a>
impl<'a> Clone for TermRef<'a>
impl<'a> Clone for TextPosition<'a>
impl<'a> Clone for TextPositionBuilder<'a>
impl<'a> Clone for Token<'a>
impl<'a> Clone for Token<'a>
impl<'a> Clone for Tree<'a>
impl<'a> Clone for TreeBuilder<'a>
impl<'a> Clone for TripleRef<'a>
impl<'a> Clone for TrustAnchor<'a>
impl<'a> Clone for USentenceBoundIndices<'a>
impl<'a> Clone for USentenceBounds<'a>
impl<'a> Clone for UWordBoundIndices<'a>
impl<'a> Clone for UWordBounds<'a>
impl<'a> Clone for UnapproveMergeRequest<'a>
impl<'a> Clone for UnapproveMergeRequestBuilder<'a>
impl<'a> Clone for UnarchiveProject<'a>
impl<'a> Clone for UnarchiveProjectBuilder<'a>
impl<'a> Clone for UnicodeSentences<'a>
impl<'a> Clone for UnprotectBranch<'a>
impl<'a> Clone for UnprotectBranchBuilder<'a>
impl<'a> Clone for UnprotectTag<'a>
impl<'a> Clone for UnprotectTagBuilder<'a>
impl<'a> Clone for UnpublishPages<'a>
impl<'a> Clone for UnpublishPagesBuilder<'a>
impl<'a> Clone for UpdateFile<'a>
impl<'a> Clone for UpdateFileBuilder<'a>
impl<'a> Clone for UpdateGroupVariable<'a>
impl<'a> Clone for UpdateGroupVariableBuilder<'a>
impl<'a> Clone for UpdateProjectVariable<'a>
impl<'a> Clone for UpdateProjectVariableBuilder<'a>
impl<'a> Clone for UpdateReleaseLink<'a>
impl<'a> Clone for UpdateReleaseLinkBuilder<'a>
impl<'a> Clone for UploadPackageFile<'a>
impl<'a> Clone for UploadPackageFileBuilder<'a>
impl<'a> Clone for UriTemplateVariables<'a>
impl<'a> Clone for UserProjects<'a>
impl<'a> Clone for UserProjectsBuilder<'a>
impl<'a> Clone for UserinfoBuilder<'a>
impl<'a> Clone for Users<'a>
impl<'a> Clone for UsersBuilder<'a>
impl<'a> Clone for Utf8Ancestors<'a>
impl<'a> Clone for Utf8CharIndices<'a>
impl<'a> Clone for Utf8Chars<'a>
impl<'a> Clone for Utf8Component<'a>
impl<'a> Clone for Utf8Components<'a>
impl<'a> Clone for Utf8Prefix<'a>
impl<'a> Clone for Utf8PrefixComponent<'a>
impl<'a> Clone for Value<'a>
impl<'a> Clone for VarName<'a>
impl<'a> Clone for VariableRef<'a>
impl<'a> Clone for VerifyRunner<'a>
impl<'a> Clone for VerifyRunnerBuilder<'a>
impl<'a> Clone for WaitId<'a>
impl<'a> Clone for ZeroAsciiIgnoreCaseTrieCursor<'a>
impl<'a> Clone for ZeroTrieSimpleAsciiCursor<'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, TR, EF> Clone for DeviceAccessTokenRequest<'a, 'b, TR, EF>
impl<'a, 'b, const N: usize> Clone for CharArrayRefSearcher<'a, 'b, N>
impl<'a, 'h> Clone for OneIter<'a, 'h>
impl<'a, 'h> Clone for OneIter<'a, 'h>
impl<'a, 'h> Clone for OneIter<'a, 'h>
impl<'a, 'h> Clone for ThreeIter<'a, 'h>
impl<'a, 'h> Clone for ThreeIter<'a, 'h>
impl<'a, 'h> Clone for ThreeIter<'a, 'h>
impl<'a, 'h> Clone for TwoIter<'a, 'h>
impl<'a, 'h> Clone for TwoIter<'a, 'h>
impl<'a, 'h> Clone for TwoIter<'a, 'h>
impl<'a, 'i, Impl> Clone for SelectorIter<'a, 'i, Impl>where
Impl: Clone + SelectorImpl<'i>,
impl<'a, E> Clone for BytesDeserializer<'a, E>
impl<'a, E> Clone for CowStrDeserializer<'a, E>
impl<'a, E> Clone for Sudo<'a, E>where
E: Clone,
impl<'a, F> Clone for CharPredicateSearcher<'a, F>
impl<'a, I> Clone for itertools::format::Format<'a, I>where
I: Clone,
impl<'a, I> Clone for Chunks<'a, I>
impl<'a, I, F> Clone for itertools::format::FormatWith<'a, I, F>
impl<'a, K0, K1, V> Clone for ZeroMap2d<'a, K0, K1, V>
impl<'a, K0, K1, V> Clone for ZeroMap2dBorrowed<'a, K0, K1, V>
impl<'a, K> Clone for alloc::collections::btree::set::Cursor<'a, K>where
K: Clone + 'a,
impl<'a, K> Clone for Iter<'a, K>
impl<'a, K> Clone for Iter<'a, K>
impl<'a, K, V> Clone for phf::map::Entries<'a, K, V>
impl<'a, K, V> Clone for phf::map::Keys<'a, K, V>
impl<'a, K, V> Clone for phf::map::Values<'a, K, V>
impl<'a, K, V> Clone for phf::ordered_map::Entries<'a, K, V>
impl<'a, K, V> Clone for phf::ordered_map::Keys<'a, K, V>
impl<'a, K, V> Clone for phf::ordered_map::Values<'a, K, V>
impl<'a, K, V> Clone for slotmap::basic::Iter<'a, K, V>where
K: 'a + Key,
V: 'a,
impl<'a, K, V> Clone for slotmap::basic::Keys<'a, K, V>where
K: 'a + Key,
V: 'a,
impl<'a, K, V> Clone for slotmap::basic::Values<'a, K, V>where
K: 'a + Key,
V: 'a,
impl<'a, K, V> Clone for slotmap::dense::Iter<'a, K, V>where
K: 'a + Key,
V: 'a,
impl<'a, K, V> Clone for slotmap::dense::Keys<'a, K, V>where
K: 'a + Key,
V: 'a,
impl<'a, K, V> Clone for slotmap::dense::Values<'a, K, V>where
K: 'a + Key,
V: 'a,
impl<'a, K, V> Clone for slotmap::hop::Iter<'a, K, V>where
K: 'a + Key,
V: 'a,
impl<'a, K, V> Clone for slotmap::hop::Keys<'a, K, V>where
K: 'a + Key,
V: 'a,
impl<'a, K, V> Clone for slotmap::hop::Values<'a, K, V>where
K: 'a + Key,
V: 'a,
impl<'a, K, V> Clone for slotmap::secondary::Iter<'a, K, V>where
K: 'a + Key,
V: 'a,
impl<'a, K, V> Clone for slotmap::secondary::Keys<'a, K, V>where
K: 'a + Key,
V: 'a,
impl<'a, K, V> Clone for slotmap::secondary::Values<'a, K, V>where
K: 'a + Key,
V: 'a,
impl<'a, K, V> Clone for slotmap::sparse_secondary::Iter<'a, K, V>where
K: 'a + Key,
V: 'a,
impl<'a, K, V> Clone for slotmap::sparse_secondary::Keys<'a, K, V>where
K: 'a + Key,
V: 'a,
impl<'a, K, V> Clone for slotmap::sparse_secondary::Values<'a, K, V>where
K: 'a + Key,
V: 'a,
impl<'a, K, V> Clone for Iter<'a, K, V>
impl<'a, K, V> Clone for Iter<'a, K, V>
impl<'a, K, V> Clone for Iter<'a, K, V>
impl<'a, K, V> Clone for Iter<'a, K, V>
impl<'a, K, V> Clone for Keys<'a, K, V>
impl<'a, K, V> Clone for Keys<'a, K, V>
impl<'a, K, V> Clone for Values<'a, K, V>
impl<'a, K, V> Clone for ZeroMap<'a, K, V>
impl<'a, K, V> Clone for ZeroMapBorrowed<'a, K, V>
impl<'a, P> Clone for flams_router_vscode::server_fn::inventory::core::str::MatchIndices<'a, P>
impl<'a, P> Clone for flams_router_vscode::server_fn::inventory::core::str::Matches<'a, P>
impl<'a, P> Clone for RMatchIndices<'a, P>
impl<'a, P> Clone for RMatches<'a, P>
impl<'a, P> Clone for flams_router_vscode::server_fn::inventory::core::str::RSplit<'a, P>
impl<'a, P> Clone for RSplitN<'a, P>
impl<'a, P> Clone for RSplitTerminator<'a, P>
impl<'a, P> Clone for flams_router_vscode::server_fn::inventory::core::str::Split<'a, P>
impl<'a, P> Clone for flams_router_vscode::server_fn::inventory::core::str::SplitInclusive<'a, P>
impl<'a, P> Clone for SplitN<'a, P>
impl<'a, P> Clone for flams_router_vscode::server_fn::inventory::core::str::SplitTerminator<'a, P>
impl<'a, S> Clone for AnsiGenericString<'a, S>
Cloning an AnsiGenericString
will clone its underlying string.
ยงExamples
use nu_ansi_term::AnsiString;
let plain_string = AnsiString::from("a plain string");
let clone_string = plain_string.clone();
assert_eq!(clone_string, plain_string);
impl<'a, S> Clone for FixedBaseResolver<'a, S>where
S: Clone + Spec,
impl<'a, S, C> Clone for Expanded<'a, S, C>
impl<'a, Src> Clone for MappedToUri<'a, Src>
impl<'a, T> Clone for Oco<'a, T>
impl<'a, T> Clone for flams_router_vscode::server_fn::inventory::core::slice::RChunksExact<'a, T>
impl<'a, T> Clone for phf::ordered_set::Iter<'a, T>
impl<'a, T> Clone for phf::set::Iter<'a, T>
impl<'a, T> Clone for syn::punctuated::Iter<'a, T>
impl<'a, T> Clone for Choose<'a, T>where
T: Clone,
impl<'a, T> Clone for Slice<'a, T>where
T: Clone,
impl<'a, T> Clone for ArcBorrow<'a, T>
impl<'a, T> Clone for CodePointMapDataBorrowed<'a, T>where
T: Clone + TrieValue,
impl<'a, T> Clone for Difference<'a, T>
impl<'a, T> Clone for ImpersonationClient<'a, T>where
T: Clone,
impl<'a, T> Clone for Intersection<'a, T>
impl<'a, T> Clone for Iter<'a, T>
impl<'a, T> Clone for Iter<'a, T>
impl<'a, T> Clone for Iter<'a, T>
impl<'a, T> Clone for Iter<'a, T>
impl<'a, T> Clone for Iter<'a, T>where
T: Sync,
impl<'a, T> Clone for Iter<'a, T>where
T: Sync,
impl<'a, T> Clone for Iter<'a, T>where
T: Sync,
impl<'a, T> Clone for Iter<'a, T>where
T: Sync,
impl<'a, T> Clone for IterHash<'a, T>
impl<'a, T> Clone for PasswordMasked<'a, T>
impl<'a, T> Clone for RecvStream<'a, T>
impl<'a, T> Clone for SendSink<'a, T>
impl<'a, T> Clone for SymmetricDifference<'a, T>
impl<'a, T> Clone for Union<'a, T>
impl<'a, T> Clone for ZeroVec<'a, T>where
T: AsULE,
impl<'a, T, F> Clone for VarZeroVec<'a, T, F>where
T: ?Sized,
impl<'a, T, I> Clone for Ptr<'a, T, I>where
T: 'a + ?Sized,
I: Invariants<Aliasing = Shared>,
SAFETY: See the safety comment on Copy
.
impl<'a, T, P> Clone for flams_router_vscode::server_fn::inventory::core::slice::ChunkBy<'a, T, P>where
T: 'a,
P: Clone,
impl<'a, T, P> Clone for Pairs<'a, T, P>
impl<'a, T, S> Clone for Difference<'a, T, S>
impl<'a, T, S> Clone for Intersection<'a, T, S>
impl<'a, T, S> Clone for SymmetricDifference<'a, T, S>
impl<'a, T, S> Clone for Union<'a, T, S>
impl<'a, T, const N: usize> Clone for ArrayWindows<'a, T, N>where
T: Clone + 'a,
impl<'a, V> Clone for ReferenceValue<'a, V>
impl<'a, V> Clone for VarZeroCow<'a, V>where
V: ?Sized,
impl<'a, const N: usize> Clone for CharArraySearcher<'a, N>
impl<'c> Clone for Cookie<'c>
impl<'c> Clone for CookieBuilder<'c>
impl<'c, 'a> Clone for StepCursor<'c, 'a>
impl<'c, 'h> Clone for SubCaptureMatches<'c, 'h>
impl<'c, 'h> Clone for SubCaptureMatches<'c, 'h>
impl<'ch> Clone for Bytes<'ch>
impl<'ch> Clone for CharIndices<'ch>
impl<'ch> Clone for Chars<'ch>
impl<'ch> Clone for EncodeUtf16<'ch>
impl<'ch> Clone for Lines<'ch>
impl<'ch> Clone for SplitAsciiWhitespace<'ch>
impl<'ch> Clone for SplitWhitespace<'ch>
impl<'ch, P> Clone for MatchIndices<'ch, P>where
P: Clone + Pattern,
impl<'ch, P> Clone for Matches<'ch, P>where
P: Clone + Pattern,
impl<'ch, P> Clone for Split<'ch, P>where
P: Clone + Pattern,
impl<'ch, P> Clone for SplitInclusive<'ch, P>where
P: Clone + Pattern,
impl<'ch, P> Clone for SplitTerminator<'ch, P>where
P: Clone + Pattern,
impl<'data> Clone for CanonicalCompositions<'data>
impl<'data> Clone for Char16Trie<'data>
impl<'data> Clone for CodePointInversionList<'data>
impl<'data> Clone for CodePointInversionListAndStringList<'data>
impl<'data> Clone for DecompositionData<'data>
impl<'data> Clone for DecompositionTables<'data>
impl<'data> Clone for NonRecursiveDecompositionSupplement<'data>
impl<'data> Clone for PropertyCodePointSet<'data>
impl<'data> Clone for PropertyEnumToValueNameLinearMap<'data>
impl<'data> Clone for PropertyEnumToValueNameSparseMap<'data>
impl<'data> Clone for PropertyScriptToIcuScriptMap<'data>
impl<'data> Clone for PropertyUnicodeSet<'data>
impl<'data> Clone for PropertyValueNameToEnumMap<'data>
impl<'data> Clone for ScriptWithExtensionsProperty<'data>
impl<'data, T> Clone for Chunks<'data, T>where
T: Sync,
impl<'data, T> Clone for ChunksExact<'data, T>where
T: Sync,
impl<'data, T> Clone for Iter<'data, T>where
T: Sync,
impl<'data, T> Clone for PropertyCodePointMap<'data, T>where
T: Clone + TrieValue,
impl<'data, T> Clone for RChunks<'data, T>where
T: Sync,
impl<'data, T> Clone for RChunksExact<'data, T>where
T: Sync,
impl<'data, T> Clone for Windows<'data, T>where
T: Sync,
impl<'data, T, P> Clone for ChunkBy<'data, T, P>where
P: Clone,
impl<'data, T, P> Clone for Split<'data, T, P>where
P: Clone,
impl<'data, T, P> Clone for SplitInclusive<'data, T, P>where
P: Clone,
impl<'de, E> Clone for BorrowedBytesDeserializer<'de, E>
impl<'de, E> Clone for BorrowedStrDeserializer<'de, E>
impl<'de, E> Clone for StrDeserializer<'de, E>
impl<'de, I, E> Clone for MapDeserializer<'de, I, E>
impl<'f> Clone for VaListImpl<'f>
impl<'f> Clone for Node<'f>
impl<'f, A> Clone for StreamWithState<'f, A>
impl<'fd> Clone for BorrowedFd<'fd>
impl<'fd> Clone for PollFd<'fd>
impl<'h> Clone for Input<'h>
impl<'h> Clone for Input<'h>
impl<'h> Clone for Match<'h>
impl<'h> Clone for Match<'h>
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, 'n> Clone for FindIter<'h, 'n>
impl<'h, 'n> Clone for FindRevIter<'h, 'n>
impl<'i> Clone for Animation<'i>
impl<'i> Clone for AnimationName<'i>
impl<'i> Clone for AnimationTimeline<'i>
impl<'i> Clone for Appearance<'i>
impl<'i> Clone for Background<'i>
impl<'i> Clone for BasicParseError<'i>
impl<'i> Clone for BasicParseErrorKind<'i>
impl<'i> Clone for BorderImage<'i>
impl<'i> Clone for CSSString<'i>
impl<'i> Clone for ClipPath<'i>
impl<'i> Clone for Composes<'i>
impl<'i> Clone for Config<'i>
impl<'i> Clone for Container<'i>
impl<'i> Clone for ContainerCondition<'i>
impl<'i> Clone for ContainerName<'i>
impl<'i> Clone for ContainerNameList<'i>
impl<'i> Clone for CounterStyle<'i>
impl<'i> Clone for CounterStyleRule<'i>
impl<'i> Clone for Cursor<'i>
impl<'i> Clone for CursorImage<'i>
impl<'i> Clone for CustomIdent<'i>
impl<'i> Clone for CustomMediaRule<'i>
impl<'i> Clone for CustomProperty<'i>
impl<'i> Clone for CustomPropertyName<'i>
impl<'i> Clone for DashedIdent<'i>
impl<'i> Clone for DashedIdentReference<'i>
impl<'i> Clone for DeArray<'i>
impl<'i> Clone for DeFloat<'i>
impl<'i> Clone for DeInteger<'i>
impl<'i> Clone for DeValue<'i>
impl<'i> Clone for DeclarationBlock<'i>
impl<'i> Clone for EnvironmentVariable<'i>
impl<'i> Clone for EnvironmentVariableName<'i>
impl<'i> Clone for FamilyName<'i>
impl<'i> Clone for Filter<'i>
impl<'i> Clone for FilterList<'i>
impl<'i> Clone for Font<'i>
impl<'i> Clone for FontFaceProperty<'i>
impl<'i> Clone for FontFaceRule<'i>
impl<'i> Clone for FontFamily<'i>
impl<'i> Clone for FontFeatureSubrule<'i>
impl<'i> Clone for FontFeatureValuesRule<'i>
impl<'i> Clone for FontFormat<'i>
impl<'i> Clone for FontPaletteValuesProperty<'i>
impl<'i> Clone for FontPaletteValuesRule<'i>
impl<'i> Clone for Function<'i>
impl<'i> Clone for Grid<'i>
impl<'i> Clone for GridArea<'i>
impl<'i> Clone for GridColumn<'i>
impl<'i> Clone for GridLine<'i>
impl<'i> Clone for GridRow<'i>
impl<'i> Clone for GridTemplate<'i>
impl<'i> Clone for Ident<'i>
impl<'i> Clone for Image<'i>
impl<'i> Clone for ImageSet<'i>
impl<'i> Clone for ImageSetOption<'i>
impl<'i> Clone for ImportRule<'i>
impl<'i> Clone for Keyframe<'i>
impl<'i> Clone for KeyframesName<'i>
impl<'i> Clone for KeyframesRule<'i>
impl<'i> Clone for LayerName<'i>
impl<'i> Clone for LayerStatementRule<'i>
impl<'i> Clone for ListStyle<'i>
impl<'i> Clone for ListStyleType<'i>
impl<'i> Clone for Marker<'i>
impl<'i> Clone for Mask<'i>
impl<'i> Clone for MaskBorder<'i>
impl<'i> Clone for MediaCondition<'i>
impl<'i> Clone for MediaFeatureValue<'i>
impl<'i> Clone for MediaList<'i>
impl<'i> Clone for MediaQuery<'i>
impl<'i> Clone for MediaType<'i>
impl<'i> Clone for NamespaceRule<'i>
impl<'i> Clone for NestedDeclarationsRule<'i>
impl<'i> Clone for NoneOrCustomIdentList<'i>
impl<'i> Clone for PageMarginRule<'i>
impl<'i> Clone for PageRule<'i>
impl<'i> Clone for PageSelector<'i>
impl<'i> Clone for ParsedComponent<'i>
impl<'i> Clone for ParserError<'i>
impl<'i> Clone for Pattern<'i>
impl<'i> Clone for Property<'i>
impl<'i> Clone for PropertyId<'i>
impl<'i> Clone for PropertyRule<'i>
impl<'i> Clone for PseudoClass<'i>
impl<'i> Clone for PseudoElement<'i>
impl<'i> Clone for Raw<'i>
impl<'i> Clone for SVGPaint<'i>
impl<'i> Clone for Segment<'i>
impl<'i> Clone for SelectorError<'i>
impl<'i> Clone for SelectorParseErrorKind<'i>
impl<'i> Clone for Source<'i>
impl<'i> Clone for Source<'i>
impl<'i> Clone for Specifier<'i>
impl<'i> Clone for StyleQuery<'i>
impl<'i> Clone for SupportsCondition<'i>
impl<'i> Clone for Symbol<'i>
impl<'i> Clone for TextEmphasis<'i>
impl<'i> Clone for TextEmphasisStyle<'i>
impl<'i> Clone for TokenList<'i>
impl<'i> Clone for TokenOrValue<'i>
impl<'i> Clone for TrackList<'i>
impl<'i> Clone for TrackListItem<'i>
impl<'i> Clone for TrackRepeat<'i>
impl<'i> Clone for TrackSizing<'i>
impl<'i> Clone for Transition<'i>
impl<'i> Clone for UnknownAtRule<'i>
impl<'i> Clone for UnparsedProperty<'i>
impl<'i> Clone for UnresolvedColor<'i>
impl<'i> Clone for Url<'i>
impl<'i> Clone for UrlSource<'i>
impl<'i> Clone for Variable<'i>
impl<'i> Clone for ViewTransitionGroup<'i>
impl<'i> Clone for ViewTransitionName<'i>
impl<'i> Clone for ViewTransitionPartName<'i>
impl<'i> Clone for ViewTransitionPartSelector<'i>
impl<'i> Clone for ViewTransitionProperty<'i>
impl<'i> Clone for ViewTransitionRule<'i>
impl<'i> Clone for ViewportRule<'i>
impl<'i, E> Clone for Decoder<'i, E>where
E: Clone + Encoding,
impl<'i, E> Clone for ParseError<'i, E>where
E: Clone,
impl<'i, FeatureId> Clone for MediaFeatureName<'i, FeatureId>where
FeatureId: Clone,
impl<'i, FeatureId> Clone for QueryFeature<'i, FeatureId>where
FeatureId: Clone,
impl<'i, Impl> Clone for AttrSelectorWithOptionalNamespace<'i, Impl>
impl<'i, Impl> Clone for Component<'i, Impl>where
Impl: Clone + SelectorImpl<'i>,
<Impl as SelectorImpl<'i>>::NamespaceUrl: Clone,
<Impl as SelectorImpl<'i>>::NamespacePrefix: Clone,
<Impl as SelectorImpl<'i>>::Identifier: Clone,
<Impl as SelectorImpl<'i>>::LocalName: Clone,
<Impl as SelectorImpl<'i>>::AttrValue: Clone,
<Impl as SelectorImpl<'i>>::NonTSPseudoClass: Clone,
<Impl as SelectorImpl<'i>>::VendorPrefix: Clone,
<Impl as SelectorImpl<'i>>::PseudoElement: Clone,
impl<'i, Impl> Clone for LocalName<'i, Impl>
impl<'i, Impl> Clone for NthOfSelectorData<'i, Impl>where
Impl: Clone + SelectorImpl<'i>,
impl<'i, Impl> Clone for Selector<'i, Impl>where
Impl: Clone + SelectorImpl<'i>,
impl<'i, Impl> Clone for SelectorList<'i, Impl>where
Impl: Clone + SelectorImpl<'i>,
impl<'i, K, V, S> Clone for Iter<'i, K, V, S>
impl<'i, K, V, S> Clone for Iter<'i, K, V, S>
impl<'i, R> Clone for ContainerRule<'i, R>where
R: Clone,
impl<'i, R> Clone for CssRule<'i, R>where
R: Clone,
impl<'i, R> Clone for CssRuleList<'i, R>where
R: Clone,
impl<'i, R> Clone for LayerBlockRule<'i, R>where
R: Clone,
impl<'i, R> Clone for MediaRule<'i, R>where
R: Clone,
impl<'i, R> Clone for MozDocumentRule<'i, R>where
R: Clone,
impl<'i, R> Clone for NestingRule<'i, R>where
R: Clone,
impl<'i, R> Clone for ScopeRule<'i, R>where
R: Clone,
impl<'i, R> Clone for StartingStyleRule<'i, R>where
R: Clone,
impl<'i, R> Clone for StyleRule<'i, R>where
R: Clone,
impl<'i, R> Clone for SupportsRule<'i, R>where
R: Clone,
impl<'i, T> Clone for ParseErrorKind<'i, T>where
T: Clone + 'i,
impl<'k> Clone for log::kv::key::Key<'k>
impl<'k, 'v> Clone for Params<'k, 'v>
impl<'key> Clone for Argon2<'key>
impl<'n> Clone for Finder<'n>
impl<'n> Clone for FinderRev<'n>
impl<'ns> Clone for ResolveResult<'ns>
impl<'o, 'i> Clone for ParserOptions<'o, 'i>
impl<'q> Clone for SqliteArgumentValue<'q>
impl<'q> Clone for SqliteArguments<'q>
impl<'q> Clone for SqliteStatement<'q>
impl<'r> Clone for CaptureNames<'r>
impl<'r> Clone for CaptureNames<'r>
impl<'repo> Clone for git2::blob::Blob<'repo>
impl<'repo> Clone for git2::commit::Commit<'repo>
impl<'repo> Clone for git2::object::Object<'repo>
impl<'repo> Clone for Remote<'repo>
impl<'repo> Clone for git2::tag::Tag<'repo>
impl<'repo> Clone for git2::tree::Tree<'repo>
impl<'s> Clone for NoExpand<'s>
impl<'s> Clone for NoExpand<'s>
impl<'string> Clone for AttrValue<'string>
impl<'t, T> Clone for TokenSlice<'t, T>where
T: Clone,
impl<'v> Clone for log::kv::value::Value<'v>
impl<'v> Clone for ValueBag<'v>
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 flams_router_vscode::server_fn::inventory::core::iter::Repeat<A>where
A: Clone,
impl<A> Clone for flams_router_vscode::server_fn::inventory::core::iter::RepeatN<A>where
A: Clone,
impl<A> Clone for flams_router_vscode::server_fn::inventory::core::option::IntoIter<A>where
A: Clone,
impl<A> Clone for flams_router_vscode::server_fn::inventory::core::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 Aad<A>where
A: Clone,
impl<A> Clone for Complement<A>where
A: Clone,
impl<A> Clone for IntoIter<A>
impl<A> Clone for RepeatN<A>where
A: Clone,
impl<A> Clone for SmallVec<A>where
A: Array,
<A as Array>::Item: Clone,
impl<A> Clone for StartsWith<A>where
A: Clone,
impl<A, B> Clone for itertools::either_or_both::EitherOrBoth<A, B>
impl<A, B> Clone for flams_router_vscode::server_fn::inventory::core::iter::Chain<A, B>
impl<A, B> Clone for flams_router_vscode::server_fn::inventory::core::iter::Zip<A, B>
impl<A, B> Clone for And<A, B>
impl<A, B> Clone for ArcTwoCallback<A, B>
impl<A, B> Clone for ArcUnion<A, B>
impl<A, B> Clone for Chain<A, B>
impl<A, B> Clone for Either<A, B>
impl<A, B> Clone for Either<A, B>
impl<A, B> Clone for Either<A, B>
impl<A, B> Clone for EitherOrBoth<A, B>
impl<A, B> Clone for EitherWriter<A, B>
impl<A, B> Clone for Intersection<A, B>
impl<A, B> Clone for Or<A, B>
impl<A, B> Clone for OrElse<A, B>
impl<A, B> Clone for Tee<A, B>
impl<A, B> Clone for Tuple2ULE<A, B>where
A: ULE,
B: ULE,
impl<A, B> Clone for Union<A, B>
impl<A, B> Clone for VarTuple<A, B>
impl<A, B> Clone for Zip<A, B>
impl<A, B> Clone for ZipEq<A, B>
impl<A, B, C> Clone for EitherOf3<A, B, C>
impl<A, B, C> Clone for Tuple3ULE<A, B, C>where
A: ULE,
B: ULE,
C: ULE,
impl<A, B, C, D> Clone for EitherOf4<A, B, C, D>
impl<A, B, C, D> Clone for Tuple4ULE<A, B, C, D>where
A: ULE,
B: ULE,
C: ULE,
D: ULE,
impl<A, B, C, D, E> Clone for EitherOf5<A, B, C, D, E>
impl<A, B, C, D, E> Clone for Tuple5ULE<A, B, C, D, E>where
A: ULE,
B: ULE,
C: ULE,
D: ULE,
E: ULE,
impl<A, B, C, D, E, F> Clone for EitherOf6<A, B, C, D, E, F>
impl<A, B, C, D, E, F> Clone for Tuple6ULE<A, B, C, D, E, F>where
A: ULE,
B: ULE,
C: ULE,
D: ULE,
E: ULE,
F: ULE,
impl<A, B, C, D, E, F, G> Clone for EitherOf7<A, B, C, D, E, F, G>
impl<A, B, C, D, E, F, G, H> Clone for EitherOf8<A, B, C, D, E, F, G, H>
impl<A, B, C, D, E, F, G, H, I> Clone for EitherOf9<A, B, C, D, E, F, G, H, I>
impl<A, B, C, D, E, F, G, H, I, J> Clone for EitherOf10<A, B, C, D, E, F, G, H, I, J>
impl<A, B, C, D, E, F, G, H, I, J, K> Clone for EitherOf11<A, B, C, D, E, F, G, H, I, J, K>
impl<A, B, C, D, E, F, G, H, I, J, K, L> Clone for EitherOf12<A, B, C, D, E, F, G, H, I, J, K, L>
impl<A, B, C, D, E, F, G, H, I, J, K, L, M> Clone for EitherOf13<A, B, C, D, E, F, G, H, I, J, K, L, M>
impl<A, B, C, D, E, F, G, H, I, J, K, L, M, N> Clone for EitherOf14<A, B, C, D, E, F, G, H, I, J, K, L, M, N>
impl<A, B, C, D, E, F, G, H, I, J, K, L, M, N, O> Clone for EitherOf15<A, B, C, D, E, F, G, H, I, J, K, L, M, N, O>
impl<A, B, C, D, E, F, G, H, I, J, K, L, M, N, O, P> Clone for EitherOf16<A, B, C, D, E, F, G, H, I, J, K, L, M, N, O, P>
impl<A, B, S> Clone for And<A, B, S>
impl<A, B, S> Clone for Or<A, B, S>
impl<A, Return> Clone for ArcOneCallback<A, Return>
impl<A, S> Clone for Not<A, S>where
A: Clone,
impl<A, T> Clone for Cache<A, T>
impl<A, T, F> Clone for Map<A, T, F>
impl<A, T, F> Clone for MapCache<A, T, F>
impl<AttrValue> Clone for ParsedAttrSelectorOperation<AttrValue>where
AttrValue: Clone,
impl<B> Clone for Cow<'_, B>
impl<B> Clone for BodyDataStream<B>where
B: Clone,
impl<B> Clone for BodyStream<B>where
B: Clone,
impl<B> Clone for Limited<B>where
B: Clone,
impl<B> Clone for PublicKeyComponents<B>where
B: Clone,
impl<B> Clone for SendRequest<B>
impl<B> Clone for SendRequest<B>where
B: Buf,
impl<B> Clone for Term<B>
impl<B> Clone for UnparsedPublicKey<B>where
B: Clone,
impl<B> Clone for UnparsedPublicKey<B>where
B: Clone,
impl<B> Clone for ValueBytes<B>
impl<B, C> Clone for ControlFlow<B, C>
impl<B, F> Clone for MapErr<B, F>
impl<B, F> Clone for MapFrame<B, F>
impl<B, S> Clone for RouterIntoService<B, S>
impl<B, T> Clone for Ref<B, T>
impl<Backend> Clone for AuthSession<Backend>
impl<Backend, Sessions, C> Clone for AuthManagerLayer<Backend, Sessions, C>
impl<Backend, Sessions, C> Clone for AuthManagerLayerBuilder<Backend, Sessions, C>
impl<BlockSize, Kind> Clone for BlockBuffer<BlockSize, Kind>
impl<C0, C1> Clone for EitherCart<C0, C1>
impl<C> Clone for PreAlpha<C>
impl<C> Clone for AnyWalker<C>where
C: Clone,
impl<C> Clone for CartableOptionPointer<C>where
C: CloneableCartablePointerLike,
impl<C> Clone for Class<C>where
C: Clone,
impl<C> Clone for ContextError<C>where
C: Clone,
impl<C> Clone for ContextError<C>where
C: Clone,
impl<C> Clone for Node<C>where
C: Clone,
impl<C> Clone for NodeElement<C>where
C: Clone,
impl<C> Clone for NodeFragment<C>where
C: Clone,
impl<C> Clone for ParserConfig<C>
impl<C> Clone for RawText<C>
impl<C> Clone for SocksV4<C>where
C: Clone,
impl<C> Clone for SocksV5<C>where
C: Clone,
impl<C> Clone for Tunnel<C>where
C: Clone,
impl<C, B> Clone for Client<C, B>where
C: Clone,
impl<C, F> Clone for MapFailureClass<C, F>
impl<C, T> Clone for Alpha<C, T>
impl<Cache, Store> Clone for CachingSessionStore<Cache, Store>
impl<Children> Clone for RouteChildren<Children>where
Children: Clone,
impl<Children> Clone for RouteDefs<Children>where
Children: Clone,
impl<D> Clone for ColorStop<D>where
D: Clone,
impl<D> Clone for DimensionPercentage<D>where
D: Clone,
impl<D> Clone for Empty<D>
impl<D> Clone for Full<D>where
D: Clone,
impl<D> Clone for GradientItem<D>where
D: Clone,
impl<D, S> Clone for Split<D, S>
impl<D, V> Clone for Delimited<D, V>
impl<DB> Clone for Pool<DB>where
DB: Database,
Returns a new [Pool] tied to the same shared connection pool.
impl<DB> Clone for PoolOptions<DB>where
DB: Database,
impl<DataStruct> Clone for ErasedMarker<DataStruct>where
DataStruct: Clone + for<'a> Yokeable<'a>,
impl<Dyn> Clone for core::ptr::metadata::DynMetadata<Dyn>where
Dyn: ?Sized,
impl<Dyn> Clone for DynMetadata<Dyn>where
Dyn: ?Sized,
impl<E> Clone for ServerFnError<E>where
E: Clone,
impl<E> Clone for NodeRef<E>where
E: ElementType,
<E as ElementType>::Output: 'static,
impl<E> Clone for Route<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> Clone for serde_path_to_error::Error<E>where
E: Clone,
impl<E> Clone for Builder<E>where
E: Clone,
impl<E> Clone for Builder<E>where
E: Clone,
impl<E> Clone for Capture<E>where
E: Clone,
impl<E> Clone for Custom<E>where
E: FromWasmAbi,
impl<E> Clone for Custom<E>where
E: Clone,
impl<E> Clone for Err<E>where
E: Clone,
impl<E> Clone for ErrMode<E>where
E: Clone,
impl<E> Clone for ErrMode<E>where
E: Clone,
impl<E> Clone for Ignore<E>where
E: Clone,
impl<E> Clone for Paged<E>where
E: Clone,
impl<E> Clone for Raw<E>where
E: Clone,
impl<E, At, Ch> Clone for HtmlElement<E, At, Ch>
impl<E, C> Clone for NodeRefAttr<E, C>where
C: Clone,
impl<E, F> Clone for On<E, F>
impl<E, I, L> Clone for Configuration<E, I, L>
impl<E, S> Clone for FromExtractorLayer<E, S>where
S: Clone,
impl<EF> Clone for DeviceAuthorizationResponse<EF>where
EF: Clone + ExtraDeviceAuthorizationFields,
impl<EF, TT> Clone for StandardTokenIntrospectionResponse<EF, TT>
impl<EF, TT> Clone for StandardTokenResponse<EF, TT>
impl<Ex> Clone for Builder<Ex>where
Ex: Clone,
impl<F> Clone for flams_router_vscode::server_fn::inventory::core::iter::FromFn<F>where
F: Clone,
impl<F> Clone for OnceWith<F>where
F: Clone,
impl<F> Clone for flams_router_vscode::server_fn::inventory::core::iter::RepeatWith<F>where
F: Clone,
impl<F> Clone for RepeatCall<F>where
F: Clone,
impl<F> Clone for AndThenLayer<F>where
F: Clone,
impl<F> Clone for CloneBodyFn<F>where
F: Clone,
impl<F> Clone for FieldFn<F>where
F: Clone,
impl<F> Clone for FilterFn<F>where
F: Clone,
impl<F> Clone for FutureWrapper<F>
impl<F> Clone for LayerFn<F>where
F: Clone,
impl<F> Clone for MapErrLayer<F>where
F: Clone,
impl<F> Clone for MapFutureLayer<F>where
F: Clone,
impl<F> Clone for MapRequestLayer<F>where
F: Clone,
impl<F> Clone for MapResponseLayer<F>where
F: Clone,
impl<F> Clone for MapResultLayer<F>where
F: Clone,
impl<F> Clone for OptionFuture<F>where
F: Clone,
impl<F> Clone for RedirectFn<F>where
F: Clone,
impl<F> Clone for RepeatWith<F>where
F: Clone,
impl<F> Clone for SendTendril<F>where
F: Clone + Format,
impl<F> Clone for ServeDir<F>where
F: Clone,
impl<F> Clone for ThenLayer<F>where
F: Clone,
impl<F, A> Clone for Tendril<F, A>where
F: Format,
A: Atomicity,
impl<F, S> Clone for FutureService<F, S>
impl<F, S, I, T> Clone for flams_router_vscode::server_fn::axum_export::middleware::FromFn<F, S, I, T>
impl<F, S, I, T> Clone for flams_router_vscode::server_fn::axum_export::middleware::MapRequest<F, S, I, T>
impl<F, S, I, T> Clone for flams_router_vscode::server_fn::axum_export::middleware::MapResponse<F, S, I, T>
impl<F, S, T> Clone for FromFnLayer<F, S, T>
impl<F, S, T> Clone for flams_router_vscode::server_fn::axum_export::middleware::MapRequestLayer<F, S, T>
impl<F, S, T> Clone for flams_router_vscode::server_fn::axum_export::middleware::MapResponseLayer<F, S, T>
impl<F, T> Clone for HandleErrorLayer<F, T>where
F: Clone,
impl<F, T> Clone for Format<F, T>
impl<Fut> Clone for ScopedFuture<Fut>where
Fut: Clone,
impl<G> Clone for FromCoroutine<G>where
G: Clone,
impl<H> Clone for BuildHasherDefault<H>
impl<H> Clone for HasherRng<H>where
H: Clone,
impl<H> Clone for HeaderWithLength<H>where
H: Clone,
impl<H, B> Clone for HyperLogLogPF<H, B>
impl<H, B> Clone for HyperLogLogPlus<H, B>
impl<H, T> Clone for HeaderSlice<H, T>
impl<H, T> Clone for ThinArc<H, T>
impl<H, T, S> Clone for HandlerService<H, T, S>
impl<I> Clone for AppendHeaders<I>where
I: Clone,
impl<I> Clone for FromIter<I>where
I: Clone,
impl<I> Clone for DecodeUtf16<I>
impl<I> Clone for flams_router_vscode::server_fn::inventory::core::iter::Cloned<I>where
I: Clone,
impl<I> Clone for flams_router_vscode::server_fn::inventory::core::iter::Copied<I>where
I: Clone,
impl<I> Clone for Cycle<I>where
I: Clone,
impl<I> Clone for flams_router_vscode::server_fn::inventory::core::iter::Enumerate<I>where
I: Clone,
impl<I> Clone for Fuse<I>where
I: Clone,
impl<I> Clone for flams_router_vscode::server_fn::inventory::core::iter::Intersperse<I>
impl<I> Clone for Peekable<I>
impl<I> Clone for flams_router_vscode::server_fn::inventory::core::iter::Skip<I>where
I: Clone,
impl<I> Clone for flams_router_vscode::server_fn::inventory::core::iter::StepBy<I>where
I: Clone,
impl<I> Clone for flams_router_vscode::server_fn::inventory::core::iter::Take<I>where
I: Clone,
impl<I> Clone for itertools::adaptors::multi_product::MultiProduct<I>
impl<I> Clone for itertools::adaptors::PutBack<I>
impl<I> Clone for itertools::adaptors::Step<I>where
I: Clone,
impl<I> Clone for itertools::adaptors::WhileSome<I>where
I: Clone,
impl<I> Clone for Combinations<I>
impl<I> Clone for itertools::combinations_with_replacement::CombinationsWithReplacement<I>
impl<I> Clone for itertools::exactly_one_err::ExactlyOneError<I>
impl<I> Clone for itertools::grouping_map::GroupingMap<I>where
I: Clone,
impl<I> Clone for itertools::multipeek_impl::MultiPeek<I>
impl<I> Clone for itertools::peek_nth::PeekNth<I>
impl<I> Clone for itertools::permutations::Permutations<I>
impl<I> Clone for itertools::powerset::Powerset<I>
impl<I> Clone for itertools::put_back_n_impl::PutBackN<I>
impl<I> Clone for itertools::rciter_impl::RcIter<I>
impl<I> Clone for itertools::unique_impl::Unique<I>
impl<I> Clone for itertools::with_position::WithPosition<I>
impl<I> Clone for Chunks<I>where
I: Clone + IndexedParallelIterator,
impl<I> Clone for Cloned<I>where
I: Clone + ParallelIterator,
impl<I> Clone for CombinationsWithReplacement<I>
impl<I> Clone for Copied<I>where
I: Clone + ParallelIterator,
impl<I> Clone for Enumerate<I>where
I: Clone + IndexedParallelIterator,
impl<I> Clone for ExactlyOneError<I>
impl<I> Clone for ExponentialBlocks<I>where
I: Clone,
impl<I> Clone for Flatten<I>where
I: Clone + ParallelIterator,
impl<I> Clone for FlattenIter<I>where
I: Clone + ParallelIterator,
impl<I> Clone for Format<'_, I>where
I: Clone,
impl<I> Clone for GroupingMap<I>where
I: Clone,
impl<I> Clone for InputError<I>where
I: Clone,
impl<I> Clone for InputError<I>where
I: Clone,
impl<I> Clone for Intersperse<I>
impl<I> Clone for IntoChunks<I>
impl<I> Clone for Iter<I>where
I: Clone,
impl<I> Clone for LocatingSlice<I>where
I: Clone,
impl<I> Clone for LocatingSlice<I>where
I: Clone,
impl<I> Clone for MaxLen<I>where
I: Clone + IndexedParallelIterator,
impl<I> Clone for MinLen<I>where
I: Clone + IndexedParallelIterator,
impl<I> Clone for MultiPeek<I>
impl<I> Clone for MultiProduct<I>
impl<I> Clone for PanicFuse<I>where
I: Clone + ParallelIterator,
impl<I> Clone for Partial<I>where
I: Clone,
impl<I> Clone for Partial<I>where
I: Clone,
impl<I> Clone for PeekNth<I>
impl<I> Clone for Permutations<I>
impl<I> Clone for Powerset<I>
impl<I> Clone for PutBack<I>
impl<I> Clone for PutBackN<I>
impl<I> Clone for RcIter<I>
impl<I> Clone for Rev<I>where
I: Clone + IndexedParallelIterator,
impl<I> Clone for Skip<I>where
I: Clone,
impl<I> Clone for SkipAny<I>where
I: Clone + ParallelIterator,
impl<I> Clone for StepBy<I>where
I: Clone + IndexedParallelIterator,
impl<I> Clone for Take<I>where
I: Clone,
impl<I> Clone for TakeAny<I>where
I: Clone + ParallelIterator,
impl<I> Clone for UniformBlocks<I>where
I: Clone,
impl<I> Clone for Unique<I>
impl<I> Clone for VerboseError<I>where
I: Clone,
impl<I> Clone for WhileSome<I>where
I: Clone + ParallelIterator,
impl<I> Clone for WhileSome<I>where
I: Clone,
impl<I> Clone for WithPosition<I>
impl<I, E> Clone for SeqDeserializer<I, E>
impl<I, E> Clone for ParseError<I, E>
impl<I, E> Clone for ParseError<I, E>
impl<I, ElemF> Clone for itertools::intersperse::IntersperseWith<I, ElemF>
impl<I, ElemF> Clone for IntersperseWith<I, ElemF>
impl<I, F> Clone for flams_router_vscode::server_fn::inventory::core::iter::FilterMap<I, F>
impl<I, F> Clone for flams_router_vscode::server_fn::inventory::core::iter::Inspect<I, F>
impl<I, F> Clone for flams_router_vscode::server_fn::inventory::core::iter::Map<I, F>
impl<I, F> Clone for itertools::adaptors::Batching<I, F>
impl<I, F> Clone for itertools::adaptors::FilterOk<I, F>
impl<I, F> Clone for itertools::adaptors::Positions<I, F>
impl<I, F> Clone for itertools::adaptors::Update<I, F>
impl<I, F> Clone for itertools::kmerge_impl::KMergeBy<I, F>
impl<I, F> Clone for itertools::pad_tail::PadUsing<I, F>
impl<I, F> Clone for Batching<I, F>
impl<I, F> Clone for FilterMapOk<I, F>
impl<I, F> Clone for FilterOk<I, F>
impl<I, F> Clone for FlatMap<I, F>
impl<I, F> Clone for FlatMapIter<I, F>
impl<I, F> Clone for FormatWith<'_, I, F>
impl<I, F> Clone for Inspect<I, F>
impl<I, F> Clone for KMergeBy<I, F>
impl<I, F> Clone for Map<I, F>
impl<I, F> Clone for PadUsing<I, F>
impl<I, F> Clone for Positions<I, F>
impl<I, F> Clone for TakeWhileInclusive<I, F>
impl<I, F> Clone for Update<I, F>
impl<I, F> Clone for Update<I, F>
impl<I, F, const N: usize> Clone for MapWindows<I, F, N>
impl<I, G> Clone for flams_router_vscode::server_fn::inventory::core::iter::IntersperseWith<I, G>
impl<I, ID, F> Clone for Fold<I, ID, F>
impl<I, ID, F> Clone for FoldChunks<I, ID, F>
impl<I, INIT, F> Clone for MapInit<I, INIT, F>
impl<I, J> Clone for itertools::adaptors::Interleave<I, J>
impl<I, J> Clone for itertools::adaptors::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 itertools::zip_eq_impl::ZipEq<I, J>
impl<I, J> Clone for Diff<I, J>
impl<I, J> Clone for Interleave<I, J>
impl<I, J> Clone for Interleave<I, J>
impl<I, J> Clone for InterleaveShortest<I, J>
impl<I, J> Clone for InterleaveShortest<I, J>
impl<I, J> Clone for Product<I, J>
impl<I, J> Clone for ZipEq<I, J>
impl<I, J, F> Clone for itertools::adaptors::MergeBy<I, J, F>
impl<I, J, F> Clone for MergeJoinBy<I, J, F>
impl<I, J, F> Clone for MergeBy<I, J, F>
impl<I, O> Clone for flams_router_vscode::Action<I, O>
impl<I, O> Clone for ArcAction<I, O>
impl<I, O> Clone for ArcMultiAction<I, O>where
I: 'static,
O: 'static,
impl<I, O> Clone for ArcSubmission<I, O>
impl<I, O, S> Clone for MultiAction<I, O, S>where
I: 'static,
O: 'static,
impl<I, O, S> Clone for Submission<I, O, S>
impl<I, P> Clone for flams_router_vscode::server_fn::inventory::core::iter::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, P> Clone for Filter<I, P>
impl<I, P> Clone for FilterMap<I, P>
impl<I, P> Clone for Positions<I, P>
impl<I, P> Clone for SkipAnyWhile<I, P>
impl<I, P> Clone for TakeAnyWhile<I, P>
impl<I, S> Clone for Stateful<I, S>
impl<I, S> Clone for Stateful<I, S>
impl<I, St, F> Clone for Scan<I, St, F>
impl<I, T> Clone for itertools::adaptors::TupleCombinations<I, T>where
I: Clone + Iterator,
T: Clone + HasCombination<I>,
<T as HasCombination<I>>::Combination: Clone,
impl<I, T> Clone for itertools::tuple_impl::TupleWindows<I, T>
impl<I, T> Clone for itertools::tuple_impl::Tuples<I, T>where
I: Clone + Iterator<Item = <T as TupleCollect>::Item>,
T: Clone + HomogeneousTuple,
<T as TupleCollect>::Buffer: Clone,
impl<I, T> Clone for CircularTupleWindows<I, T>
impl<I, T> Clone for TupleCombinations<I, T>
impl<I, T> Clone for TupleWindows<I, T>
impl<I, T> Clone for Tuples<I, T>
impl<I, T, E> Clone for itertools::flatten_ok::FlattenOk<I, T, E>where
I: Iterator<Item = Result<T, E>> + Clone,
T: IntoIterator,
<T as IntoIterator>::IntoIter: 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, T, F> Clone for MapWith<I, T, F>
impl<I, U> Clone for flams_router_vscode::server_fn::inventory::core::iter::Flatten<I>
impl<I, U, F> Clone for flams_router_vscode::server_fn::inventory::core::iter::FlatMap<I, U, F>
impl<I, U, F> Clone for FoldChunksWith<I, U, F>
impl<I, U, F> Clone for FoldWith<I, U, F>
impl<I, U, F> Clone for TryFoldWith<I, U, F>
impl<I, U, ID, F> Clone for TryFold<I, U, ID, F>
impl<I, V, F> Clone for itertools::unique_impl::UniqueBy<I, V, F>
impl<I, V, F> Clone for UniqueBy<I, V, F>
impl<I, const N: usize> Clone for ArrayChunks<I, N>
impl<Idx> Clone for flams_router_vscode::server_fn::inventory::core::ops::Range<Idx>where
Idx: Clone,
impl<Idx> Clone for flams_router_vscode::server_fn::inventory::core::ops::RangeFrom<Idx>where
Idx: Clone,
impl<Idx> Clone for flams_router_vscode::server_fn::inventory::core::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 flams_router_vscode::server_fn::inventory::core::range::Range<Idx>where
Idx: Clone,
impl<Idx> Clone for flams_router_vscode::server_fn::inventory::core::range::RangeFrom<Idx>where
Idx: Clone,
impl<Idx> Clone for flams_router_vscode::server_fn::inventory::core::range::RangeInclusive<Idx>where
Idx: Clone,
impl<In, Out> Clone for Callback<In, Out>
impl<In, Out> Clone for UnsyncCallback<In, Out>
impl<In, T, U, E> Clone for BoxCloneServiceLayer<In, T, U, E>
impl<In, T, U, E> Clone for BoxCloneSyncServiceLayer<In, T, U, E>
impl<In, T, U, E> Clone for BoxLayer<In, T, U, E>
impl<Inner, Outer> Clone for Stack<Inner, Outer>
impl<Inner, Prev> Clone for AtIndex<Inner, Prev>where
Inner: Clone,
impl<Inner, Prev, K, T> Clone for AtKeyed<Inner, Prev, K, T>
impl<Inner, Prev, K, T> Clone for KeyedSubfield<Inner, Prev, K, T>
impl<Inner, Prev, T> Clone for Subfield<Inner, Prev, T>where
Inner: Clone,
impl<Inner, U> Clone for MappedArc<Inner, U>
impl<Inner, U> Clone for MappedMutArc<Inner, U>
impl<Iter> Clone for IterBridge<Iter>where
Iter: Clone,
impl<K> Clone for std::collections::hash::set::Iter<'_, K>
impl<K> Clone for Iter<'_, K>
impl<K> Clone for Iter<'_, K>
impl<K> Clone for Iter<'_, K>
impl<K, P> Clone for Property<K, P>
impl<K, S> Clone for DashSet<K, S>
impl<K, S> Clone for DashSet<K, S>
impl<K, V> Clone for VecMap<K, V>
impl<K, V> Clone for alloc::boxed::Box<Slice<K, V>>
impl<K, V> Clone for alloc::collections::btree::map::Cursor<'_, K, V>
impl<K, V> Clone for alloc::collections::btree::map::Iter<'_, K, V>
impl<K, V> Clone for alloc::collections::btree::map::Keys<'_, K, V>
impl<K, V> Clone for alloc::collections::btree::map::Range<'_, K, V>
impl<K, V> Clone for alloc::collections::btree::map::Values<'_, K, V>
impl<K, V> Clone for std::collections::hash::map::Iter<'_, K, V>
impl<K, V> Clone for std::collections::hash::map::Keys<'_, K, V>
impl<K, V> Clone for std::collections::hash::map::Values<'_, K, V>
impl<K, V> Clone for slotmap::basic::IntoIter<K, V>
impl<K, V> Clone for SlotMap<K, V>
impl<K, V> Clone for DenseSlotMap<K, V>
impl<K, V> Clone for slotmap::dense::IntoIter<K, V>
impl<K, V> Clone for HopSlotMap<K, V>
impl<K, V> Clone for slotmap::hop::IntoIter<K, V>
impl<K, V> Clone for SecondaryMap<K, V>
impl<K, V> Clone for Attr<K, V>where
K: AttributeKey,
V: AttributeValue + Clone,
impl<K, V> Clone for CustomAttr<K, V>where
K: CustomAttributeKey,
V: AttributeValue + Clone,
impl<K, V> Clone for IntoIter<K, V>
impl<K, V> Clone for Iter<'_, K, V>
impl<K, V> Clone for Iter<'_, K, V>
impl<K, V> Clone for Iter<'_, K, V>
impl<K, V> Clone for Iter<'_, K, V>
impl<K, V> Clone for Iter<'_, K, V>
impl<K, V> Clone for Keys<'_, K, V>
impl<K, V> Clone for Keys<'_, K, V>
impl<K, V> Clone for Keys<'_, K, V>
impl<K, V> Clone for Keys<'_, K, V>
impl<K, V> Clone for LinearMap<K, V>
impl<K, V> Clone for LruCache<K, V>
impl<K, V> Clone for Map<K, V>
impl<K, V> Clone for Values<'_, K, V>
impl<K, V> Clone for Values<'_, K, V>
impl<K, V> Clone for Values<'_, K, V>
impl<K, V> Clone for Values<'_, K, V>
impl<K, V> Clone for Values<'_, K, V>
impl<K, V, A> Clone for BTreeMap<K, V, A>
impl<K, V, S> Clone for std::collections::hash::map::HashMap<K, V, S>
impl<K, V, S> Clone for SparseSecondaryMap<K, V, S>
impl<K, V, S> Clone for AHashMap<K, V, S>
impl<K, V, S> Clone for DashMap<K, V, S>
impl<K, V, S> Clone for DashMap<K, V, S>
impl<K, V, S> Clone for IndexMap<K, V, S>
impl<K, V, S> Clone for LinkedHashMap<K, V, S>
impl<K, V, S> Clone for LiteMap<K, V, S>
impl<K, V, S> Clone for LruCache<K, V, S>
impl<K, V, S> Clone for ReadOnlyView<K, V, S>
impl<K, V, S> Clone for ReadOnlyView<K, V, S>
impl<K, V, S, A> Clone for HashMap<K, V, S, A>
impl<K, V, S, A> Clone for HashMap<K, V, S, A>
impl<K, V, S, A> Clone for HashMap<K, V, S, A>
impl<K, const V: &'static str> Clone for StaticAttr<K, V>where
K: AttributeKey,
impl<Key, T, R, W> Clone for Bind<Key, T, R, W>
impl<L> Clone for ParseError<L>where
L: Clone,
impl<L> Clone for ServiceBuilder<L>where
L: Clone,
impl<L, F, S> Clone for Filtered<L, F, S>
impl<L, H, T, S> Clone for flams_router_vscode::server_fn::axum_export::handler::Layered<L, H, T, S>
impl<L, I, S> Clone for Layered<L, I, S>
impl<L, R> Clone for either::Either<L, R>
impl<L, R> Clone for IterEither<L, R>
impl<L, R> Clone for Either<L, R>
impl<L, R> Clone for Either<L, R>
impl<L, S> Clone for Handle<L, S>
impl<M> Clone for DataPayload<M>where
M: DynamicDataMarker,
<<M as DynamicDataMarker>::DataStruct as Yokeable<'a>>::Output: for<'a> Clone,
Cloning a DataPayload is generally a cheap operation.
See notes in the Clone
impl for [Yoke
].
ยงExamples
use icu_provider::hello_world::*;
use icu_provider::prelude::*;
let resp1: DataPayload<HelloWorldV1> = todo!();
let resp2 = resp1.clone();
impl<M> Clone for DataResponse<M>where
M: DynamicDataMarker,
<<M as DynamicDataMarker>::DataStruct as Yokeable<'a>>::Output: for<'a> Clone,
Cloning a DataResponse is generally a cheap operation.
See notes in the Clone
impl for [Yoke
].
ยงExamples
use icu_provider::hello_world::*;
use icu_provider::prelude::*;
let resp1: DataResponse<HelloWorldV1> = todo!();
let resp2 = resp1.clone();
impl<M> Clone for WithMaxLevel<M>where
M: Clone,
impl<M> Clone for WithMinLevel<M>where
M: Clone,
impl<M, F> Clone for WithFilter<M, F>
impl<M, MakeSpan, OnRequest, OnResponse, OnBodyChunk, OnEos, OnFailure> Clone for TraceLayer<M, MakeSpan, OnRequest, OnResponse, OnBodyChunk, OnEos, OnFailure>
impl<M, O> Clone for DataPayloadOr<M, O>
impl<M, Request> Clone for IntoService<M, Request>where
M: Clone,
impl<MutexType, T> Clone for GenericOneshotBroadcastReceiver<MutexType, T>where
MutexType: RawMutex,
T: Clone + 'static,
impl<MutexType, T> Clone for GenericStateReceiver<MutexType, T>where
MutexType: RawMutex,
T: Clone,
impl<MutexType, T> Clone for GenericStateSender<MutexType, T>where
MutexType: RawMutex,
T: Clone,
impl<MutexType, T, A> Clone for GenericReceiver<MutexType, T, A>where
MutexType: RawMutex,
A: RingBuf<Item = T>,
impl<MutexType, T, A> Clone for GenericSender<MutexType, T, A>where
MutexType: RawMutex,
A: RingBuf<Item = T>,
impl<N> Clone for GammaFn<N>
impl<NI> Clone for Avx2Machine<NI>where
NI: Clone,
impl<NamespaceUrl> Clone for NamespaceConstraint<NamespaceUrl>where
NamespaceUrl: Clone,
impl<O> Clone for F32<O>where
O: Clone,
impl<O> Clone for F64<O>where
O: Clone,
impl<O> Clone for I16<O>where
O: Clone,
impl<O> Clone for I32<O>where
O: Clone,
impl<O> Clone for I64<O>where
O: Clone,
impl<O> Clone for I128<O>where
O: Clone,
impl<O> Clone for Isize<O>where
O: Clone,
impl<O> Clone for U16<O>where
O: Clone,
impl<O> Clone for U32<O>where
O: Clone,
impl<O> Clone for U64<O>where
O: Clone,
impl<O> Clone for U128<O>where
O: Clone,
impl<O> Clone for Usize<O>where
O: Clone,
impl<O, P> Clone for Packed<O, P>where
P: Clone,
impl<OutSize> Clone for Blake2bMac<OutSize>
impl<OutSize> Clone for Blake2sMac<OutSize>
impl<P> Clone for Interned<P>where
P: Clone,
impl<P> Clone for SourceRange<P>
impl<P> Clone for FollowRedirectLayer<P>where
P: Clone,
impl<Ptr> Clone for Pin<Ptr>where
Ptr: Clone,
impl<Public, Private> Clone for KeyPairComponents<Public, Private>
impl<R> Clone for rand_core::block::BlockRng64<R>
impl<R> Clone for rand_core::block::BlockRng64<R>
impl<R> Clone for rand_core::block::BlockRng<R>
impl<R> Clone for rand_core::block::BlockRng<R>
impl<R> Clone for UnwrapErr<R>where
R: Clone + TryRngCore,
impl<R> Clone for Archive<R>where
R: AsyncRead + Unpin,
impl<R> Clone for HttpConnector<R>where
R: Clone,
impl<R> Clone for NsReader<R>where
R: Clone,
impl<R> Clone for Reader<R>where
R: Clone,
impl<R, Rsdr> Clone for rand::rngs::adapter::reseeding::ReseedingRng<R, Rsdr>
impl<R, Rsdr> Clone for rand::rngs::reseeding::ReseedingRng<R, Rsdr>
impl<Req, Res> Clone for ServerFnTraitObj<Req, Res>
impl<S3, S4, NI> Clone for SseMachine<S3, S4, NI>
impl<S> Clone for Host<S>where
S: Clone,
impl<S> Clone for ArcServerAction<S>
impl<S> Clone for ArcServerMultiAction<S>
impl<S> Clone for Effect<S>where
S: Clone,
impl<S> Clone for ServerAction<S>
impl<S> Clone for ServerMultiAction<S>
impl<S> Clone for flams_router_vscode::server_fn::axum_export::extract::State<S>where
S: Clone,
impl<S> Clone for Sse<S>where
S: Clone,
impl<S> Clone for IntoMakeService<S>where
S: Clone,
impl<S> Clone for flams_router_vscode::server_fn::axum_export::Router<S>
impl<S> Clone for Linear<S>where
S: Clone,
impl<S> Clone for Ascii<S>where
S: Clone,
impl<S> Clone for Context<'_, S>
impl<S> Clone for CookieManager<S>where
S: Clone,
impl<S> Clone for Cors<S>where
S: Clone,
impl<S> Clone for CountingBloomFilter<S>where
S: Clone + BloomStorage,
impl<S> Clone for DerefedField<S>where
S: Clone,
impl<S> Clone for PollImmediate<S>where
S: Clone,
impl<S> Clone for PositionComponent<S>where
S: Clone,
impl<S> Clone for RiAbsoluteString<S>where
S: Spec,
impl<S> Clone for RiFragmentString<S>where
S: Spec,
impl<S> Clone for RiQueryString<S>where
S: Spec,
impl<S> Clone for RiReferenceString<S>where
S: Spec,
impl<S> Clone for RiRelativeString<S>where
S: Spec,
impl<S> Clone for RiString<S>where
S: Spec,
impl<S> Clone for SetStatus<S>where
S: Clone,
impl<S> Clone for StreamBody<S>where
S: Clone,
impl<S> Clone for Style<S>where
S: Clone,
impl<S> Clone for TowerToHyperService<S>where
S: Clone,
impl<S> Clone for UniCase<S>where
S: Clone,
impl<S> Clone for WebKitGradientPointComponent<S>where
S: Clone,
impl<S, Backend> Clone for AuthManager<S, Backend>
impl<S, C> Clone for IntoMakeServiceWithConnectInfo<S, C>where
S: Clone,
impl<S, E> Clone for MethodRouter<S, E>
impl<S, F> Clone for AndThen<S, F>
impl<S, F> Clone for MapErr<S, F>
impl<S, F> Clone for MapFuture<S, F>
impl<S, F> Clone for MapRequest<S, F>
impl<S, F> Clone for MapResponse<S, F>
impl<S, F> Clone for MapResult<S, F>
impl<S, F> Clone for Then<S, F>
impl<S, F, R> Clone for DynFilterFn<S, F, R>
impl<S, F, T> Clone for HandleError<S, F, T>
impl<S, M, MakeSpan, OnRequest, OnResponse, OnBodyChunk, OnEos, OnFailure> Clone for Trace<S, M, MakeSpan, OnRequest, OnResponse, OnBodyChunk, OnEos, OnFailure>
impl<S, N> Clone for Gamma<S, N>
impl<S, P> Clone for FollowRedirect<S, P>
impl<S, Store, C> Clone for SessionManager<S, Store, C>
impl<S, T> Clone for AddExtension<S, T>
impl<S, T> Clone for palette::hsl::Hsl<S, T>where
T: Clone,
impl<S, T> Clone for Hsv<S, T>where
T: Clone,
impl<S, T> Clone for palette::hwb::Hwb<S, T>where
T: Clone,
impl<S, T> Clone for Luma<S, T>where
T: Clone,
impl<S, T> Clone for palette::rgb::rgb::Rgb<S, T>where
T: Clone,
impl<S, const P: u8> Clone for GenericBorder<S, P>where
S: Clone,
impl<Score, D, const REVERSE_ORDER: bool> Clone for TopNComputer<Score, D, REVERSE_ORDER>
impl<Segments, Children, Data, View> Clone for NestedRoute<Segments, Children, Data, View>
impl<Si, F> Clone for SinkMapErr<Si, F>
impl<Si, Item, U, Fut, F> Clone for With<Si, Item, U, Fut, F>
impl<Side, State> Clone for ConfigBuilder<Side, State>
impl<St> Clone for ConfigBuilder<St>where
St: Clone + BuilderState,
impl<St, F> Clone for itertools::sources::Iterate<St, F>
impl<St, F> Clone for itertools::sources::Unfold<St, F>
impl<St, F> Clone for Iterate<St, F>
impl<St, F> Clone for Unfold<St, F>
impl<Static> Clone for Atom<Static>where
Static: StaticAtomSet,
impl<Storage> Clone for __BindgenBitfieldUnit<Storage>where
Storage: Clone,
impl<Storage> Clone for __BindgenBitfieldUnit<Storage>where
Storage: Clone,
impl<Storage> Clone for __BindgenBitfieldUnit<Storage>where
Storage: Clone,
impl<Store> Clone for ZeroAsciiIgnoreCaseTrie<Store>
impl<Store> Clone for ZeroTrie<Store>where
Store: Clone,
impl<Store> Clone for ZeroTrieExtendedCapacity<Store>
impl<Store> Clone for ZeroTriePerfectHash<Store>
impl<Store> Clone for ZeroTrieSimpleAscii<Store>
impl<Store, C> Clone for SessionManagerLayer<Store, C>
impl<Str> Clone for Encoded<Str>where
Str: Clone,
impl<T> !Clone for &mut Twhere
T: ?Sized,
Shared references can be cloned, but mutable references cannot!
impl<T> Clone for Bound<T>where
T: Clone,
impl<T> Clone for Option<T>where
T: Clone,
impl<T> Clone for Poll<T>where
T: Clone,
impl<T> Clone for std::sync::mpmc::error::SendTimeoutError<T>where
T: Clone,
impl<T> Clone for std::sync::mpsc::TrySendError<T>where
T: Clone,
impl<T> Clone for LocalResult<T>where
T: Clone,
impl<T> Clone for itertools::FoldWhile<T>where
T: Clone,
impl<T> Clone for itertools::minmax::MinMaxResult<T>where
T: Clone,
impl<T> Clone for itertools::with_position::Position<T>where
T: Clone,
impl<T> Clone for Discounting<T>where
T: Clone,
impl<T> Clone for Surround<T>where
T: Clone,
impl<T> Clone for *const Twhere
T: ?Sized,
impl<T> Clone for *mut Twhere
T: ?Sized,
impl<T> Clone for &Twhere
T: ?Sized,
Shared references can be cloned, but mutable references cannot!
impl<T> Clone for LazyDocRef<T>where
T: Clone,
impl<T> Clone for ChangeListener<T>where
T: Clone,
impl<T> Clone for ChangeSender<T>where
T: Clone,
impl<T> Clone for Derefable<T>where
T: Clone,
impl<T> Clone for ArcAsyncDerived<T>
impl<T> Clone for ArcLocalResource<T>
impl<T> Clone for ArcMappedSignal<T>
impl<T> Clone for ArcReadSignal<T>
impl<T> Clone for ArcRwSignal<T>
impl<T> Clone for ArcStoredValue<T>
impl<T> Clone for ArcWriteSignal<T>
impl<T> Clone for LocalResource<T>
impl<T> Clone for MappedSignal<T>
impl<T> Clone for flams_router_vscode::Selector<T>
impl<T> Clone for TypedChildrenFn<T>
impl<T> Clone for flams_router_vscode::View<T>where
T: Clone,
impl<T> Clone for MockConnectInfo<T>where
T: Clone,
impl<T> Clone for ConnectInfo<T>where
T: Clone,
impl<T> Clone for flams_router_vscode::server_fn::axum_export::extract::Query<T>where
T: Clone,
impl<T> Clone for HeaderMap<T>where
T: Clone,
impl<T> Clone for flams_router_vscode::server_fn::axum_export::http::Request<T>where
T: Clone,
impl<T> Clone for flams_router_vscode::server_fn::axum_export::http::Response<T>where
T: Clone,
impl<T> Clone for flams_router_vscode::server_fn::axum_export::response::Html<T>where
T: Clone,
impl<T> Clone for Extension<T>where
T: Clone,
impl<T> Clone for flams_router_vscode::server_fn::axum_export::Form<T>where
T: Clone,
impl<T> Clone for flams_router_vscode::server_fn::axum_export::Json<T>where
T: Clone,
impl<T> Clone for PWrapper<T>where
T: Clone,
impl<T> Clone for Cell<T>where
T: Copy,
impl<T> Clone for flams_router_vscode::server_fn::inventory::core::cell::OnceCell<T>where
T: Clone,
impl<T> Clone for RefCell<T>where
T: Clone,
impl<T> Clone for Reverse<T>where
T: Clone,
impl<T> Clone for flams_router_vscode::server_fn::inventory::core::future::Pending<T>
impl<T> Clone for flams_router_vscode::server_fn::inventory::core::future::Ready<T>where
T: Clone,
impl<T> Clone for flams_router_vscode::server_fn::inventory::core::iter::Empty<T>
impl<T> Clone for flams_router_vscode::server_fn::inventory::core::iter::Once<T>where
T: Clone,
impl<T> Clone for flams_router_vscode::server_fn::inventory::core::iter::Rev<T>where
T: Clone,
impl<T> Clone for PhantomContravariant<T>where
T: ?Sized,
impl<T> Clone for PhantomCovariant<T>where
T: ?Sized,
impl<T> Clone for PhantomData<T>where
T: ?Sized,
impl<T> Clone for PhantomInvariant<T>where
T: ?Sized,
impl<T> Clone for Discriminant<T>
impl<T> Clone for ManuallyDrop<T>
impl<T> Clone for NonZero<T>where
T: ZeroablePrimitive,
impl<T> Clone for Saturating<T>where
T: Clone,
impl<T> Clone for Wrapping<T>where
T: Clone,
impl<T> Clone for flams_router_vscode::server_fn::inventory::core::result::IntoIter<T>where
T: Clone,
impl<T> Clone for flams_router_vscode::server_fn::inventory::core::result::Iter<'_, T>
impl<T> Clone for flams_router_vscode::server_fn::inventory::core::slice::Chunks<'_, T>
impl<T> Clone for flams_router_vscode::server_fn::inventory::core::slice::ChunksExact<'_, T>
impl<T> Clone for flams_router_vscode::server_fn::inventory::core::slice::Iter<'_, T>
impl<T> Clone for flams_router_vscode::server_fn::inventory::core::slice::RChunks<'_, T>
impl<T> Clone for flams_router_vscode::server_fn::inventory::core::slice::Windows<'_, T>
impl<T> Clone for alloc::boxed::Box<Slice<T>>where
T: Clone,
impl<T> Clone for alloc::collections::binary_heap::Iter<'_, T>
impl<T> Clone for alloc::collections::btree::set::Iter<'_, T>
impl<T> Clone for alloc::collections::btree::set::Range<'_, T>
impl<T> Clone for alloc::collections::btree::set::SymmetricDifference<'_, T>
impl<T> Clone for alloc::collections::btree::set::Union<'_, T>
impl<T> Clone for alloc::collections::linked_list::Iter<'_, T>
impl<T> Clone for alloc::collections::vec_deque::iter::Iter<'_, T>
impl<T> Clone for NonNull<T>where
T: ?Sized,
impl<T> Clone for std::io::cursor::Cursor<T>where
T: Clone,
impl<T> Clone for std::sync::mpmc::Receiver<T>
impl<T> Clone for std::sync::mpmc::Sender<T>
impl<T> Clone for std::sync::mpsc::SendError<T>where
T: Clone,
impl<T> Clone for std::sync::mpsc::Sender<T>
impl<T> Clone for SyncSender<T>
impl<T> Clone for OnceLock<T>where
T: Clone,
impl<T> Clone for BorrowCompat<T>where
T: Clone,
impl<T> Clone for bincode::features::serde::Compat<T>where
T: Clone,
impl<T> Clone for hyper_tls::client::HttpsConnector<T>where
T: Clone,
impl<T> Clone for itertools::tuple_impl::TupleBuffer<T>
impl<T> Clone for itertools::ziptuple::Zip<T>where
T: Clone,
impl<T> Clone for Dsa<T>
impl<T> Clone for EcKey<T>
impl<T> Clone for PKey<T>
impl<T> Clone for Rsa<T>
impl<T> Clone for Cam16<T>where
T: Clone,
impl<T> Clone for Cam16Jch<T>where
T: Clone,
impl<T> Clone for Cam16Jmh<T>where
T: Clone,
impl<T> Clone for Cam16Jsh<T>where
T: Clone,
impl<T> Clone for Cam16Qch<T>where
T: Clone,
impl<T> Clone for Cam16Qmh<T>where
T: Clone,
impl<T> Clone for Cam16Qsh<T>where
T: Clone,
impl<T> Clone for Cam16UcsJab<T>where
T: Clone,
impl<T> Clone for Cam16UcsJmh<T>where
T: Clone,
impl<T> Clone for BoxedSliceCastError<T>where
T: Clone,
impl<T> Clone for VecCastError<T>where
T: Clone,
impl<T> Clone for Cam16Hue<T>where
T: Clone,
impl<T> Clone for LabHue<T>where
T: Clone,
impl<T> Clone for LuvHue<T>where
T: Clone,
impl<T> Clone for OklabHue<T>where
T: Clone,
impl<T> Clone for RgbHue<T>where
T: Clone,
impl<T> Clone for Okhsl<T>where
T: Clone,
impl<T> Clone for Okhsv<T>where
T: Clone,
impl<T> Clone for Okhwb<T>where
T: Clone,
impl<T> Clone for palette::oklab::Oklab<T>where
T: Clone,
impl<T> Clone for palette::oklch::Oklch<T>where
T: Clone,
impl<T> Clone for BlackBox<T>
impl<T> Clone for CtOption<T>where
T: Clone,
impl<T> Clone for syn::punctuated::IntoIter<T>where
T: Clone,
impl<T> Clone for Clamped<T>where
T: Clone,
impl<T> Clone for MaybeUninit<T>where
T: Copy,
impl<T> Clone for Abortable<T>where
T: Clone,
impl<T> Clone for AllowStdIo<T>where
T: Clone,
impl<T> Clone for Arc<T>where
T: ?Sized,
impl<T> Clone for ArcField<T>
impl<T> Clone for ArcStore<T>
impl<T> Clone for ArchivedOption<T>where
T: Clone,
impl<T> Clone for ArchivedRange<T>where
T: Clone,
impl<T> Clone for ArchivedRangeFrom<T>where
T: Clone,
impl<T> Clone for ArchivedRangeInclusive<T>where
T: Clone,
impl<T> Clone for ArchivedRangeTo<T>where
T: Clone,
impl<T> Clone for ArchivedRangeToInclusive<T>where
T: Clone,
impl<T> Clone for Atomic<T>where
T: Pointable + ?Sized,
impl<T> Clone for Attr<T>where
T: Clone,
impl<T> Clone for BoolOrT<T>where
T: Clone,
impl<T> Clone for BoundsRange<T>where
T: Clone,
impl<T> Clone for Bucket<T>
impl<T> Clone for BucketEntries<T>where
T: Clone,
impl<T> Clone for Built<'_, T>where
T: ?Sized,
impl<T> Clone for CachePadded<T>where
T: Clone,
impl<T> Clone for Caseless<T>where
T: Clone,
impl<T> Clone for Caseless<T>where
T: Clone,
impl<T> Clone for CodePointMapData<T>where
T: Clone + TrieValue,
impl<T> Clone for CodePointMapRange<T>where
T: Clone,
impl<T> Clone for CodePointTrie<'_, T>where
T: TrieValue,
<T as AsULE>::ULE: Clone,
impl<T> Clone for Column<T>where
T: Clone,
impl<T> Clone for ColumnBlockAccessor<T>where
T: Clone,
impl<T> Clone for CommaSeparatedList<T>where
T: Clone,
impl<T> Clone for Compat<T>where
T: Clone,
impl<T> Clone for Constant<T>where
T: Clone,
impl<T> Clone for CoreWrapper<T>where
T: Clone + BufferKindUser,
<T as BlockSizeUser>::BlockSize: IsLess<UInt<UInt<UInt<UInt<UInt<UInt<UInt<UInt<UInt<UTerm, B1>, B0>, B0>, B0>, B0>, B0>, B0>, B0>, B0>> + Clone,
<<T as BlockSizeUser>::BlockSize as IsLess<UInt<UInt<UInt<UInt<UInt<UInt<UInt<UInt<UInt<UTerm, B1>, B0>, B0>, B0>, B0>, B0>, B0>, B0>, B0>>>::Output: NonZero,
<T as BufferKindUser>::BufferKind: Clone,
impl<T> Clone for CreationError<T>where
T: Clone,
impl<T> Clone for CreationError<T>where
T: Clone,
impl<T> Clone for CtOutput<T>where
T: Clone + OutputSizeUser,
impl<T> Clone for Cursor<T>where
T: Clone,
impl<T> Clone for DebugValue<T>
impl<T> Clone for DisplayValue<T>
impl<T> Clone for Drain<T>
impl<T> Clone for Empty<T>
impl<T> Clone for Empty<T>where
T: Send,
impl<T> Clone for Error<T>where
T: Clone,
impl<T> Clone for FoldWhile<T>where
T: Clone,
impl<T> Clone for HttpsConnector<T>where
T: Clone,
impl<T> Clone for InactiveReceiver<T>
impl<T> Clone for InnerHtml<T>where
T: Clone,
impl<T> Clone for Instrumented<T>where
T: Clone,
impl<T> Clone for IntoIter<T>
impl<T> Clone for IntoIter<T>
impl<T> Clone for IntoIter<T>
impl<T> Clone for IntoIter<T>
impl<T> Clone for IntoIter<T>
impl<T> Clone for IntoIter<T>
impl<T> Clone for IntoIter<T>where
T: Clone,
impl<T> Clone for Inventory<T>
impl<T> Clone for Iri<T>where
T: Clone,
impl<T> Clone for IriRef<T>where
T: Clone,
impl<T> Clone for Iter<'_, T>
impl<T> Clone for Iter<'_, T>
impl<T> Clone for Iter<T>where
T: Clone,
impl<T> Clone for Iter<T>where
T: Clone,
impl<T> Clone for Json<T>
impl<T> Clone for LanguageTag<T>where
T: Clone,
impl<T> Clone for Lazy<T>
impl<T> Clone for LinearSet<T>where
T: Clone,
impl<T> Clone for Matrix3d<T>where
T: Clone,
impl<T> Clone for Matrix<T>where
T: Clone,
impl<T> Clone for MergeRequestChange<T>where
T: Clone,
impl<T> Clone for Metadata<'_, T>where
T: SmartDisplay,
<T as SmartDisplay>::Metadata: Clone,
impl<T> Clone for MinMaxResult<T>where
T: Clone,
impl<T> Clone for MultiZip<T>where
T: Clone,
impl<T> Clone for OffsetArc<T>
impl<T> Clone for Once<T>
impl<T> Clone for OnceBox<T>where
T: Clone,
impl<T> Clone for OnceCell<T>where
T: Clone,
impl<T> Clone for OnceCell<T>where
T: Clone,
impl<T> Clone for OnceCell<T>where
T: Clone,
impl<T> Clone for OptionalProp<T>where
T: Clone,
impl<T> Clone for Owned<T>where
T: Clone,
impl<T> Clone for OwnedView<T>where
T: Clone,
impl<T> Clone for OwnedViewState<T>
impl<T> Clone for ParSpliter<T>where
T: Clone,
impl<T> Clone for Pending<T>
impl<T> Clone for Pending<T>
impl<T> Clone for PollImmediate<T>where
T: Clone,
impl<T> Clone for PollSender<T>
impl<T> Clone for PropertyNamesLongBorrowed<'_, T>where
T: NamedEnumeratedProperty,
impl<T> Clone for PropertyNamesShortBorrowed<'_, T>where
T: NamedEnumeratedProperty,
impl<T> Clone for PropertyParserBorrowed<'_, T>
impl<T> Clone for ProtectedAccess<T>where
T: Clone,
impl<T> Clone for ProtectedAccessPush<T>where
T: Clone,
impl<T> Clone for RawIter<T>
impl<T> Clone for Ready<T>where
T: Clone,
impl<T> Clone for Receiver<T>
impl<T> Clone for Receiver<T>
impl<T> Clone for Receiver<T>
impl<T> Clone for Receiver<T>
impl<T> Clone for Rect<T>where
T: Clone,
impl<T> Clone for Repeat<T>
impl<T> Clone for Repeat<T>where
T: Clone,
impl<T> Clone for RepeatN<T>
impl<T> Clone for Router<T>where
T: Clone,
impl<T> Clone for RtVariableCoreWrapper<T>where
T: Clone + VariableOutputCore + UpdateCore,
<T as BlockSizeUser>::BlockSize: IsLess<UInt<UInt<UInt<UInt<UInt<UInt<UInt<UInt<UInt<UTerm, B1>, B0>, B0>, B0>, B0>, B0>, B0>, B0>, B0>> + Clone,
<<T as BlockSizeUser>::BlockSize as IsLess<UInt<UInt<UInt<UInt<UInt<UInt<UInt<UInt<UInt<UTerm, B1>, B0>, B0>, B0>, B0>, B0>, B0>, B0>, B0>>>::Output: NonZero,
<T as BufferKindUser>::BufferKind: Clone,
impl<T> Clone for RuleResult<T>where
T: Clone,
impl<T> Clone for SendError<T>where
T: Clone,
impl<T> Clone for SendError<T>where
T: Clone,
impl<T> Clone for SendError<T>where
T: Clone,
impl<T> Clone for SendError<T>where
T: Clone,
impl<T> Clone for SendError<T>where
T: Clone,
impl<T> Clone for SendOption<T>where
T: Clone,
impl<T> Clone for SendTimeoutError<T>where
T: Clone,
impl<T> Clone for SendTimeoutError<T>where
T: Clone,
impl<T> Clone for SendTimeoutError<T>where
T: Clone,
impl<T> Clone for SendWrapper<T>where
T: Clone,
impl<T> Clone for Sender<T>
impl<T> Clone for Sender<T>
impl<T> Clone for Sender<T>
impl<T> Clone for Sender<T>
impl<T> Clone for Sender<T>
impl<T> Clone for Sender<T>
impl<T> Clone for Sender<T>
impl<T> Clone for ServiceFn<T>where
T: Clone,
impl<T> Clone for SetOnce<T>where
T: Clone,
impl<T> Clone for Size2D<T>where
T: Clone,
impl<T> Clone for Slab<T>where
T: Clone,
impl<T> Clone for Spanned<T>where
T: Clone,
impl<T> Clone for StandardErrorResponse<T>where
T: Clone + ErrorResponseType,
impl<T> Clone for StaticSegment<T>where
T: Clone + AsPath,
impl<T> Clone for StaticVec<T>where
T: Clone,
impl<T> Clone for Status<T>where
T: Clone,
impl<T> Clone for Steal<T>where
T: Clone,
impl<T> Clone for Stealer<T>
impl<T> Clone for TaggedLine<T>where
T: Clone,
impl<T> Clone for TaggedLineElement<T>where
T: Clone,
impl<T> Clone for Text<T>where
T: Clone,
impl<T> Clone for Timeout<T>where
T: Clone,
impl<T> Clone for TrackedObject<T>where
T: Clone,
impl<T> Clone for TrySendError<T>where
T: Clone,
impl<T> Clone for TrySendError<T>where
T: Clone,
impl<T> Clone for TrySendError<T>where
T: Clone,
impl<T> Clone for TrySendError<T>where
T: Clone,
impl<T> Clone for TrySendError<T>where
T: Clone,
impl<T> Clone for TryWriteableInfallibleAsWriteable<T>where
T: Clone,
impl<T> Clone for TupleBuffer<T>
impl<T> Clone for Unalign<T>where
T: Copy,
impl<T> Clone for UnboundedSender<T>
impl<T> Clone for UnboundedSender<T>
impl<T> Clone for WeakSender<T>
impl<T> Clone for WeakSender<T>
impl<T> Clone for WeakSender<T>
impl<T> Clone for WeakUnboundedSender<T>
impl<T> Clone for WithDispatch<T>where
T: Clone,
impl<T> Clone for WriteableAsTryWriteableInfallible<T>where
T: Clone,
impl<T> Clone for XofReaderCoreWrapper<T>where
T: Clone + XofReaderCore,
<T as BlockSizeUser>::BlockSize: IsLess<UInt<UInt<UInt<UInt<UInt<UInt<UInt<UInt<UInt<UTerm, B1>, B0>, B0>, B0>, B0>, B0>, B0>, B0>, B0>> + Clone,
<<T as BlockSizeUser>::BlockSize as IsLess<UInt<UInt<UInt<UInt<UInt<UInt<UInt<UInt<UInt<UTerm, B1>, B0>, B0>, B0>, B0>, B0>, B0>, B0>, B0>>>::Output: NonZero,
impl<T> Clone for Zip<T>where
T: Clone,
impl<T> Clone for __BindgenUnionField<T>
impl<T, A> Clone for alloc::boxed::Box<[T], A>
impl<T, A> Clone for alloc::boxed::Box<T, A>
impl<T, A> Clone for BinaryHeap<T, A>
impl<T, A> Clone for alloc::collections::binary_heap::IntoIter<T, A>
impl<T, A> Clone for IntoIterSorted<T, A>
impl<T, A> Clone for BTreeSet<T, A>
impl<T, A> Clone for alloc::collections::btree::set::Difference<'_, T, A>
impl<T, A> Clone for alloc::collections::btree::set::Intersection<'_, T, A>
impl<T, A> Clone for alloc::collections::linked_list::Cursor<'_, T, A>where
A: Allocator,
impl<T, A> Clone for alloc::collections::linked_list::IntoIter<T, A>
impl<T, A> Clone for LinkedList<T, A>
impl<T, A> Clone for alloc::collections::vec_deque::into_iter::IntoIter<T, A>
impl<T, A> Clone for VecDeque<T, A>
impl<T, A> Clone for Rc<T, A>
impl<T, A> Clone for alloc::rc::Weak<T, A>
impl<T, A> Clone for alloc::sync::Arc<T, A>
impl<T, A> Clone for alloc::sync::Weak<T, A>
impl<T, A> Clone for alloc::vec::into_iter::IntoIter<T, A>
impl<T, A> Clone for alloc::vec::Vec<T, A>
impl<T, A> Clone for Box<[T], A>
impl<T, A> Clone for Box<T, A>
impl<T, A> Clone for HashTable<T, A>
impl<T, A> Clone for HashTable<T, A>
impl<T, A> Clone for IntoIter<T, A>
impl<T, A> Clone for RawTable<T, A>
impl<T, A> Clone for Vec<T, A>
impl<T, D, P> Clone for Directive<T, D, P>
impl<T, D, const REVERSE_ORDER: bool> Clone for ComparableDoc<T, D, REVERSE_ORDER>
impl<T, E> Clone for Result<T, E>
impl<T, E, S> Clone for FromExtractor<T, E, S>
impl<T, F> Clone for Successors<T, F>
impl<T, F> Clone for AlwaysReady<T, F>
impl<T, F> Clone for File<T, F>
impl<T, F> Clone for VarZeroVecOwned<T, F>where
T: ?Sized,
impl<T, Inner> Clone for ReadGuard<T, Inner>where
Inner: Clone,
impl<T, N> Clone for GenericArray<T, N>where
T: Clone,
N: ArrayLength<T>,
impl<T, N> Clone for GenericArrayIter<T, N>where
T: Clone,
N: ArrayLength<T>,
impl<T, OutSize, O> Clone for CtVariableCoreWrapper<T, OutSize, O>where
T: Clone + VariableOutputCore,
OutSize: Clone + ArrayLength<u8> + IsLessOrEqual<<T as OutputSizeUser>::OutputSize>,
O: Clone,
<OutSize as IsLessOrEqual<<T as OutputSizeUser>::OutputSize>>::Output: NonZero,
<T as BlockSizeUser>::BlockSize: IsLess<UInt<UInt<UInt<UInt<UInt<UInt<UInt<UInt<UInt<UTerm, B1>, B0>, B0>, B0>, B0>, B0>, B0>, B0>, B0>>,
<<T as BlockSizeUser>::BlockSize as IsLess<UInt<UInt<UInt<UInt<UInt<UInt<UInt<UInt<UInt<UTerm, B1>, B0>, B0>, B0>, B0>, B0>, B0>, B0>, B0>>>::Output: NonZero,
impl<T, P> Clone for syn::punctuated::Pair<T, P>
impl<T, P> Clone for flams_router_vscode::server_fn::inventory::core::slice::RSplit<'_, T, P>
impl<T, P> Clone for flams_router_vscode::server_fn::inventory::core::slice::Split<'_, T, P>
impl<T, P> Clone for flams_router_vscode::server_fn::inventory::core::slice::SplitInclusive<'_, T, P>
impl<T, P> Clone for IntoPairs<T, P>
impl<T, P> Clone for Punctuated<T, P>
impl<T, S1, S2> Clone for SymmetricDifference<'_, T, S1, S2>
impl<T, S> Clone for MaybeSignal<T, S>
impl<T, S> Clone for SignalReadGuard<T, S>
impl<T, S> Clone for SignalTypes<T, S>where
S: Storage<T>,
impl<T, S> Clone for ArcMemo<T, S>where
S: Storage<T>,
impl<T, S> Clone for ArcSignal<T, S>where
S: Storage<T>,
impl<T, S> Clone for ArenaItem<T, S>
impl<T, S> Clone for AsyncDerived<T, S>
impl<T, S> Clone for MaybeProp<T, S>
impl<T, S> Clone for Memo<T, S>where
S: Storage<T>,
impl<T, S> Clone for ReadSignal<T, S>
impl<T, S> Clone for RwSignal<T, S>
impl<T, S> Clone for flams_router_vscode::Signal<T, S>where
S: Storage<T>,
impl<T, S> Clone for SignalSetter<T, S>
impl<T, S> Clone for StoredValue<T, S>
impl<T, S> Clone for WriteSignal<T, S>
impl<T, S> Clone for std::collections::hash::set::Difference<'_, T, S>
impl<T, S> Clone for std::collections::hash::set::HashSet<T, S>
impl<T, S> Clone for std::collections::hash::set::Intersection<'_, T, S>
impl<T, S> Clone for std::collections::hash::set::SymmetricDifference<'_, T, S>
impl<T, S> Clone for std::collections::hash::set::Union<'_, T, S>
impl<T, S> Clone for AHashSet<T, S>
impl<T, S> Clone for Checkpoint<T, S>where
T: Clone,
impl<T, S> Clone for Checkpoint<T, S>where
T: Clone,
impl<T, S> Clone for ComponentRef<T, S>
impl<T, S> Clone for Difference<'_, T, S>
impl<T, S> Clone for Field<T, S>
impl<T, S> Clone for IndexSet<T, S>
impl<T, S> Clone for Intersection<'_, T, S>
impl<T, S> Clone for LinkedHashSet<T, S>
impl<T, S> Clone for Model<T, S>where
S: Storage<T>,
impl<T, S> Clone for OptionModel<T, S>
impl<T, S> Clone for PercentEncoded<T, S>
impl<T, S> Clone for ReadModel<T, S>where
S: Storage<T>,
impl<T, S> Clone for Store<T, S>
impl<T, S> Clone for Union<'_, T, S>
impl<T, S> Clone for VecModel<T, S>
impl<T, S> Clone for WriteModel<T, S>where
S: Storage<T>,
impl<T, S, A> Clone for Difference<'_, T, S, A>where
A: Allocator + Clone,
impl<T, S, A> Clone for Difference<'_, T, S, A>where
A: Allocator,
impl<T, S, A> Clone for Difference<'_, T, S, A>where
A: Allocator,
impl<T, S, A> Clone for HashSet<T, S, A>
impl<T, S, A> Clone for HashSet<T, S, A>
impl<T, S, A> Clone for HashSet<T, S, A>
impl<T, S, A> Clone for Intersection<'_, T, S, A>where
A: Allocator + Clone,
impl<T, S, A> Clone for Intersection<'_, T, S, A>where
A: Allocator,
impl<T, S, A> Clone for Intersection<'_, T, S, A>where
A: Allocator,
impl<T, S, A> Clone for SymmetricDifference<'_, T, S, A>where
A: Allocator + Clone,
impl<T, S, A> Clone for SymmetricDifference<'_, T, S, A>where
A: Allocator,
impl<T, S, A> Clone for SymmetricDifference<'_, T, S, A>where
A: Allocator,
impl<T, S, A> Clone for Union<'_, T, S, A>where
A: Allocator + Clone,
impl<T, S, A> Clone for Union<'_, T, S, A>where
A: Allocator,
impl<T, S, A> Clone for Union<'_, T, S, A>where
A: Allocator,
impl<T, Ser> Clone for ArcOnceResource<T, Ser>
impl<T, Ser> Clone for ArcResource<T, Ser>
impl<T, Ser> Clone for OnceResource<T, Ser>
impl<T, Ser> Clone for flams_router_vscode::Resource<T, Ser>
impl<T, TypedBuilderFields> Clone for FollowerBuilder<T, TypedBuilderFields>
impl<T, TypedBuilderFields> Clone for MenuTriggerBuilder<T, TypedBuilderFields>where
TypedBuilderFields: Clone,
impl<T, TypedBuilderFields> Clone for PopoverTriggerBuilder<T, TypedBuilderFields>where
TypedBuilderFields: Clone,
impl<T, U> Clone for itertools::zip_longest::ZipLongest<T, U>
impl<T, U> Clone for openssl::ex_data::Index<T, U>
impl<T, U> Clone for ZipLongest<T, U>
impl<T, U, E> Clone for BoxCloneService<T, U, E>
impl<T, U, E> Clone for BoxCloneSyncService<T, U, E>
impl<T, const N: usize> Clone for [T; N]where
T: Clone,
impl<T, const N: usize> Clone for flams_router_vscode::server_fn::inventory::core::array::IntoIter<T, N>where
T: Clone,
impl<T, const N: usize> Clone for flams_router_vscode::server_fn::inventory::core::simd::Mask<T, N>
impl<T, const N: usize> Clone for Simd<T, N>
impl<T, const N: usize> Clone for IntoIter<T, N>
impl<T, const N: usize> Clone for IntoIter<T, N>where
T: Clone,
impl<T, const N: usize> Clone for SmallVec<T, N>where
T: Clone,
impl<TE, TR, TIR, RT, TRE, HasAuthUrl, HasDeviceAuthUrl, HasIntrospectionUrl, HasRevocationUrl, HasTokenUrl> Clone for Client<TE, TR, TIR, RT, TRE, HasAuthUrl, HasDeviceAuthUrl, HasIntrospectionUrl, HasRevocationUrl, HasTokenUrl>where
TE: Clone + ErrorResponse,
TR: Clone + TokenResponse,
TIR: Clone + TokenIntrospectionResponse,
RT: Clone + RevocableToken,
TRE: Clone + ErrorResponse,
HasAuthUrl: Clone + EndpointState,
HasDeviceAuthUrl: Clone + EndpointState,
HasIntrospectionUrl: Clone + EndpointState,
HasRevocationUrl: Clone + EndpointState,
HasTokenUrl: Clone + EndpointState,
impl<TSSTable> Clone for Dictionary<TSSTable>where
TSSTable: Clone + SSTable,
impl<TypedBuilderFields> Clone for HeaderLeftBuilder<TypedBuilderFields>where
TypedBuilderFields: Clone,
impl<TypedBuilderFields> Clone for HeaderRightBuilder<TypedBuilderFields>where
TypedBuilderFields: Clone,
impl<TypedBuilderFields> Clone for SeparatorBuilder<TypedBuilderFields>where
TypedBuilderFields: Clone,
impl<TypedBuilderFields> Clone for OnClickModalBuilder<TypedBuilderFields>where
TypedBuilderFields: Clone,
impl<TypedBuilderFields> Clone for HeaderBuilder<TypedBuilderFields>where
TypedBuilderFields: Clone,
impl<TypedBuilderFields> Clone for TriggerBuilder<TypedBuilderFields>where
TypedBuilderFields: Clone,
impl<TypedBuilderFields> Clone for AccordionHeaderBuilder<TypedBuilderFields>where
TypedBuilderFields: Clone,
impl<TypedBuilderFields> Clone for AutoCompletePrefixBuilder<TypedBuilderFields>where
TypedBuilderFields: Clone,
impl<TypedBuilderFields> Clone for AutoCompleteSuffixBuilder<TypedBuilderFields>where
TypedBuilderFields: Clone,
impl<TypedBuilderFields> Clone for CardHeaderActionBuilder<TypedBuilderFields>where
TypedBuilderFields: Clone,
impl<TypedBuilderFields> Clone for CardHeaderDescriptionBuilder<TypedBuilderFields>where
TypedBuilderFields: Clone,
impl<TypedBuilderFields> Clone for DrawerHeaderTitleActionBuilder<TypedBuilderFields>where
TypedBuilderFields: Clone,
impl<TypedBuilderFields> Clone for FallbackBuilder<TypedBuilderFields>where
TypedBuilderFields: Clone,
impl<TypedBuilderFields> Clone for InfoLabelInfoBuilder<TypedBuilderFields>where
TypedBuilderFields: Clone,
impl<TypedBuilderFields> Clone for InputPrefixBuilder<TypedBuilderFields>where
TypedBuilderFields: Clone,
impl<TypedBuilderFields> Clone for InputSuffixBuilder<TypedBuilderFields>where
TypedBuilderFields: Clone,
impl<TypedBuilderFields> Clone for MessageBarContainerActionBuilder<TypedBuilderFields>where
TypedBuilderFields: Clone,
impl<TypedBuilderFields> Clone for PersonaPrimaryTextBuilder<TypedBuilderFields>where
TypedBuilderFields: Clone,
impl<TypedBuilderFields> Clone for PersonaQuaternaryTextBuilder<TypedBuilderFields>where
TypedBuilderFields: Clone,
impl<TypedBuilderFields> Clone for PersonaSecondaryTextBuilder<TypedBuilderFields>where
TypedBuilderFields: Clone,
impl<TypedBuilderFields> Clone for PersonaTertiaryTextBuilder<TypedBuilderFields>where
TypedBuilderFields: Clone,
impl<TypedBuilderFields> Clone for TagPickerControlBuilder<TypedBuilderFields>where
TypedBuilderFields: Clone,
impl<TypedBuilderFields> Clone for ToastBodySubtitleBuilder<TypedBuilderFields>where
TypedBuilderFields: Clone,
impl<TypedBuilderFields> Clone for ToastTitleActionBuilder<TypedBuilderFields>where
TypedBuilderFields: Clone,
impl<TypedBuilderFields> Clone for ToastTitleMediaBuilder<TypedBuilderFields>where
TypedBuilderFields: Clone,
impl<Tz> Clone for chrono::date::Date<Tz>
impl<Tz> Clone for chrono::datetime::DateTime<Tz>
impl<U> Clone for NInt<U>
impl<U> Clone for PInt<U>
impl<U> Clone for OptionULE<U>where
U: Copy,
impl<U, B> Clone for UInt<U, B>
impl<U, const N: usize> Clone for NichedOption<U, N>where
U: Clone,
impl<U, const N: usize> Clone for NichedOptionULE<U, N>where
U: NicheBytes<N> + ULE,
impl<V> Clone for OrdSet<V>
impl<V> Clone for VecSet<V>where
V: Clone,
impl<V> Clone for Alt<V>where
V: Clone,
impl<V> Clone for Calc<V>where
V: Clone,
impl<V> Clone for MathFunction<V>where
V: Clone,
impl<V> Clone for Messages<V>where
V: Clone,
impl<V, A> Clone for TArr<V, A>
impl<W> Clone for Writer<W>where
W: Clone,
impl<Wp> Clone for StaticWp<Wp>
impl<Wp, T> Clone for Hsluv<Wp, T>where
T: Clone,
impl<Wp, T> Clone for palette::lab::Lab<Wp, T>where
T: Clone,
impl<Wp, T> Clone for palette::lch::Lch<Wp, T>where
T: Clone,
impl<Wp, T> Clone for Lchuv<Wp, T>where
T: Clone,
impl<Wp, T> Clone for Luv<Wp, T>where
T: Clone,
impl<Wp, T> Clone for Xyz<Wp, T>where
T: Clone,
impl<Wp, T> Clone for Yxy<Wp, T>where
T: Clone,
impl<WpParam, T> Clone for BakedParameters<WpParam, T>where
T: Clone,
impl<WpParam, T> Clone for palette::cam16::parameters::Parameters<WpParam, T>
impl<X> Clone for rand::distr::uniform::float::UniformFloat<X>where
X: Clone,
impl<X> Clone for rand::distr::uniform::int::UniformInt<X>where
X: Clone,
impl<X> Clone for rand::distr::uniform::Uniform<X>
impl<X> Clone for rand::distr::weighted::weighted_index::WeightedIndex<X>
impl<X> Clone for rand::distributions::uniform::Uniform<X>
impl<X> Clone for rand::distributions::uniform::UniformFloat<X>where
X: Clone,
impl<X> Clone for rand::distributions::uniform::UniformInt<X>where
X: Clone,
impl<X> Clone for rand::distributions::weighted_index::WeightedIndex<X>
impl<Y> Clone for NeverMarker<Y>where
Y: Clone,
impl<Y, C> Clone for Yoke<Y, C>where
Y: for<'a> Yokeable<'a>,
C: CloneableCart,
<Y as Yokeable<'a>>::Output: for<'a> Clone,
Clone requires that the cart type C
derefs to the same address after it is cloned. This works for
Rc, Arc, and &โa T.
For other cart types, clone .backing_cart()
and re-use .attach_to_cart()
; however, doing
so may lose mutations performed via .with_mut()
.
Cloning a Yoke
is often a cheap operation requiring no heap allocations, in much the same
way that cloning an Rc
is a cheap operation. However, if the yokeable
contains owned data
(e.g., from .with_mut()
), that data will need to be cloned.