File size: 6,468 Bytes
1e92f2d | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 | use std::{
fmt::{Debug, Display},
mem::transmute_copy,
num::{NonZero, NonZeroU64, TryFromIntError},
ops::Deref,
};
use serde::{Deserialize, Serialize, de::Visitor};
use crate::{
TaskPersistence, registry,
trace::{TraceRawVcs, TraceRawVcsContext},
};
macro_rules! define_id {
(
$name:ident : $primitive:ty
$(,derive($($derive:ty),*))?
$(,serde($serde:tt))?
$(,doc = $doc:literal)*
$(,)?
) => {
$(#[doc = $doc])*
#[derive(Hash, Clone, Copy, PartialEq, Eq, PartialOrd, Ord $($(,$derive)*)? )]
$(#[serde($serde)])?
pub struct $name {
id: NonZero<$primitive>,
}
impl $name {
pub const MIN: Self = Self { id: NonZero::<$primitive>::MIN };
pub const MAX: Self = Self { id: NonZero::<$primitive>::MAX };
/// Constructs a wrapper type from the numeric identifier.
///
/// # Safety
///
/// The passed `id` must not be zero.
pub const unsafe fn new_unchecked(id: $primitive) -> Self {
Self { id: unsafe { NonZero::<$primitive>::new_unchecked(id) } }
}
/// Allows `const` conversion to a [`NonZeroU64`], useful with
/// [`crate::id_factory::IdFactory::new_const`].
pub const fn to_non_zero_u64(self) -> NonZeroU64 {
const {
assert!(<$primitive>::BITS <= u64::BITS);
}
unsafe { NonZeroU64::new_unchecked(self.id.get() as u64) }
}
}
impl Display for $name {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
write!(f, concat!(stringify!($name), " {}"), self.id)
}
}
impl Deref for $name {
type Target = $primitive;
fn deref(&self) -> &Self::Target {
unsafe { transmute_copy(&&self.id) }
}
}
define_id!(@impl_try_from_primitive_conversion $name $primitive);
impl From<NonZero<$primitive>> for $name {
fn from(id: NonZero::<$primitive>) -> Self {
Self {
id,
}
}
}
impl From<$name> for NonZeroU64 {
fn from(id: $name) -> Self {
id.to_non_zero_u64()
}
}
impl TraceRawVcs for $name {
fn trace_raw_vcs(&self, _trace_context: &mut TraceRawVcsContext) {}
}
};
(
@impl_try_from_primitive_conversion $name:ident u64
) => {
// we get a `TryFrom` blanket impl for free via the `From` impl
};
(
@impl_try_from_primitive_conversion $name:ident $primitive:ty
) => {
impl TryFrom<$primitive> for $name {
type Error = TryFromIntError;
fn try_from(id: $primitive) -> Result<Self, Self::Error> {
Ok(Self {
id: NonZero::try_from(id)?
})
}
}
impl TryFrom<NonZeroU64> for $name {
type Error = TryFromIntError;
fn try_from(id: NonZeroU64) -> Result<Self, Self::Error> {
Ok(Self { id: NonZero::try_from(id)? })
}
}
};
}
define_id!(TaskId: u32, derive(Serialize, Deserialize), serde(transparent));
define_id!(ValueTypeId: u32);
define_id!(TraitTypeId: u32);
define_id!(BackendJobId: u32);
define_id!(SessionId: u32, derive(Debug, Serialize, Deserialize), serde(transparent));
define_id!(
LocalTaskId: u32,
derive(Debug, Serialize, Deserialize),
serde(transparent),
doc = "Represents the nth `local` function call inside a task.",
);
define_id!(
ExecutionId: u16,
derive(Debug, Serialize, Deserialize),
serde(transparent),
doc = "An identifier for a specific task execution. Used to assert that local `Vc`s don't \
leak. This value may overflow and re-use old values.",
);
impl Debug for TaskId {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
f.debug_struct("TaskId").field("id", &self.id).finish()
}
}
pub const TRANSIENT_TASK_BIT: u32 = 0x8000_0000;
impl TaskId {
pub fn is_transient(&self) -> bool {
**self & TRANSIENT_TASK_BIT != 0
}
pub fn persistence(&self) -> TaskPersistence {
// tasks with `TaskPersistence::LocalCells` have no `TaskId`, so we can ignore that case
if self.is_transient() {
TaskPersistence::Transient
} else {
TaskPersistence::Persistent
}
}
}
macro_rules! make_serializable {
($ty:ty, $get_global_name:path, $get_id:path, $visitor_name:ident) => {
impl Serialize for $ty {
fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
where
S: serde::Serializer,
{
serializer.serialize_str($get_global_name(*self))
}
}
impl<'de> Deserialize<'de> for $ty {
fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
where
D: serde::Deserializer<'de>,
{
deserializer.deserialize_str($visitor_name)
}
}
struct $visitor_name;
impl<'de> Visitor<'de> for $visitor_name {
type Value = $ty;
fn expecting(&self, formatter: &mut std::fmt::Formatter) -> std::fmt::Result {
formatter.write_str(concat!("a name of a registered ", stringify!($ty)))
}
fn visit_str<E>(self, v: &str) -> Result<Self::Value, E>
where
E: serde::de::Error,
{
$get_id(v).ok_or_else(|| E::unknown_variant(v, &[]))
}
}
impl Debug for $ty {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
f.debug_struct(stringify!($ty))
.field("id", &self.id)
.field("name", &$get_global_name(*self))
.finish()
}
}
};
}
make_serializable!(
ValueTypeId,
registry::get_value_type_global_name,
registry::get_value_type_id_by_global_name,
ValueTypeVisitor
);
make_serializable!(
TraitTypeId,
registry::get_trait_type_global_name,
registry::get_trait_type_id_by_global_name,
TraitTypeVisitor
);
|