Skip to content

Commit 3f1b0ba

Browse files
authoredDec 17, 2023
Merge pull request #3 from schell/feat/view-defaults
Default resources
2 parents f810256 + fa2a922 commit 3f1b0ba

File tree

3 files changed

+131
-26
lines changed

3 files changed

+131
-26
lines changed
 

‎crates/moongraph/Cargo.toml

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,6 @@
11
[package]
22
name = "moongraph"
3-
version = "0.3.7"
3+
version = "0.3.8"
44
edition = "2021"
55
description = "Schedules and runs DAGs accessing shared resources. 🌙"
66
repository = "https://github.com/schell/moongraph"

‎crates/moongraph/src/lib.rs

+121-25
Original file line numberDiff line numberDiff line change
@@ -395,13 +395,57 @@ impl<T: std::fmt::Display> std::fmt::Display for Move<T> {
395395
}
396396
}
397397

398-
/// Specifies a graph edge/resource that can be "read" by a node.
399-
pub struct View<T> {
398+
/// Used to generate a default value of a resource, if possible.
399+
pub trait Gen<T> {
400+
fn generate() -> Option<T>;
401+
}
402+
403+
/// Valueless type that represents the ability to generate a resource by
404+
/// default.
405+
pub struct SomeDefault;
406+
407+
impl<T: Default> Gen<T> for SomeDefault {
408+
fn generate() -> Option<T> {
409+
Some(T::default())
410+
}
411+
}
412+
413+
/// Valueless type that represents the **inability** to generate a resource by default.
414+
pub struct NoDefault;
415+
416+
impl<T> Gen<T> for NoDefault {
417+
fn generate() -> Option<T> {
418+
None
419+
}
420+
}
421+
422+
/// Immutably borrowed resource that _may_ be created by default.
423+
///
424+
/// Node functions wrap their parameters in [`View`], [`ViewMut`] or [`Move`].
425+
///
426+
/// `View` has two type parameters:
427+
/// * `T` - The type of the resource.
428+
/// * `G` - The method by which the resource can be generated if it doesn't
429+
/// already exist. By default this is [`SomeDefault`], which denotes creating the
430+
/// resource using its default instance. Another option is [`NoDefault`] which
431+
/// fails to generate the resource.
432+
///
433+
/// ```rust
434+
/// use moongraph::*;
435+
///
436+
/// let mut graph = Graph::default();
437+
/// let default_number = graph.visit(|u: View<usize>| { *u }).map_err(|e| e.to_string());
438+
/// assert_eq!(Ok(0), default_number);
439+
///
440+
/// let no_number = graph.visit(|f: View<f32, NoDefault>| *f);
441+
/// assert!(no_number.is_err());
442+
/// ```
443+
pub struct View<T, G: Gen<T> = SomeDefault> {
400444
inner: Loan,
401-
_phantom: PhantomData<T>,
445+
_phantom: PhantomData<(T, G)>,
402446
}
403447

404-
impl<T: Any + Send + Sync> Deref for View<T> {
448+
impl<T: Any + Send + Sync, G: Gen<T>> Deref for View<T, G> {
405449
type Target = T;
406450

407451
fn deref(&self) -> &Self::Target {
@@ -410,40 +454,68 @@ impl<T: Any + Send + Sync> Deref for View<T> {
410454
}
411455
}
412456

413-
impl<T: Any + Send + Sync> Edges for View<T> {
457+
impl<T: Any + Send + Sync, G: Gen<T>> Edges for View<T, G> {
414458
fn reads() -> Vec<TypeKey> {
415459
vec![TypeKey::new::<T>()]
416460
}
417461

418462
fn construct(resources: &mut TypeMap) -> Result<Self, GraphError> {
419463
let key = TypeKey::new::<T>();
420-
let inner = resources
421-
.loan(key)
422-
.context(ResourceSnafu)?
423-
.context(MissingSnafu {
424-
name: std::any::type_name::<T>(),
425-
})?;
464+
let inner = match resources.loan(key).context(ResourceSnafu)? {
465+
Some(inner) => inner,
466+
None => {
467+
let t = G::generate().context(MissingSnafu {
468+
name: std::any::type_name::<T>(),
469+
})?;
470+
// UNWRAP: safe because we know this type was missing, and no other type
471+
// is stored with this type's type id.
472+
let _ = resources.insert_value(t).unwrap();
473+
log::trace!("generated missing {}", std::any::type_name::<T>());
474+
// UNWRAP: safe because we just inserted
475+
resources.loan(key).unwrap().unwrap()
476+
}
477+
};
426478
Ok(View {
427479
inner,
428480
_phantom: PhantomData,
429481
})
430482
}
431483
}
432484

433-
impl<T: std::fmt::Display + Any + Send + Sync> std::fmt::Display for View<T> {
485+
impl<T: std::fmt::Display + Any + Send + Sync, G: Gen<T>> std::fmt::Display for View<T, G> {
434486
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
435487
let t: &T = self.inner.downcast_ref().unwrap();
436488
t.fmt(f)
437489
}
438490
}
439491

440-
/// Specifies a graph edge/resource that can be "written" to by a node.
441-
pub struct ViewMut<T> {
492+
/// A mutably borrowed resource that may be created by default.
493+
///
494+
/// Node functions wrap their parameters in [`View`], [`ViewMut`] or [`Move`].
495+
///
496+
/// `ViewMut` has two type parameters:
497+
/// * `T` - The type of the resource.
498+
/// * `G` - The method by which the resource can be generated if it doesn't
499+
/// already exist. By default this is [`SomeDefault`], which denotes creating
500+
/// the resource using its default implementation. Another option is
501+
/// [`NoDefault`] which fails to generate the resource.
502+
///
503+
/// ```rust
504+
/// use moongraph::*;
505+
///
506+
/// let mut graph = Graph::default();
507+
/// let default_number = graph.visit(|u: ViewMut<usize>| { *u }).map_err(|e| e.to_string());
508+
/// assert_eq!(Ok(0), default_number);
509+
///
510+
/// let no_number = graph.visit(|f: ViewMut<f32, NoDefault>| *f);
511+
/// assert!(no_number.is_err());
512+
/// ```
513+
pub struct ViewMut<T, G: Gen<T> = SomeDefault> {
442514
inner: LoanMut,
443-
_phantom: PhantomData<T>,
515+
_phantom: PhantomData<(T, G)>,
444516
}
445517

446-
impl<T: Any + Send + Sync> Deref for ViewMut<T> {
518+
impl<T: Any + Send + Sync, G: Gen<T>> Deref for ViewMut<T, G> {
447519
type Target = T;
448520

449521
fn deref(&self) -> &Self::Target {
@@ -452,34 +524,42 @@ impl<T: Any + Send + Sync> Deref for ViewMut<T> {
452524
}
453525
}
454526

455-
impl<T: Any + Send + Sync> DerefMut for ViewMut<T> {
527+
impl<T: Any + Send + Sync, G: Gen<T>> DerefMut for ViewMut<T, G> {
456528
fn deref_mut(&mut self) -> &mut Self::Target {
457529
// UNWRAP: safe because it was constructed with `T`
458530
self.inner.downcast_mut().unwrap()
459531
}
460532
}
461533

462-
impl<'a, T: Any + Send + Sync> Edges for ViewMut<T> {
534+
impl<'a, T: Any + Send + Sync, G: Gen<T>> Edges for ViewMut<T, G> {
463535
fn writes() -> Vec<TypeKey> {
464536
vec![TypeKey::new::<T>()]
465537
}
466538

467539
fn construct(resources: &mut TypeMap) -> Result<Self, GraphError> {
468540
let key = TypeKey::new::<T>();
469-
let inner = resources
470-
.loan_mut(key)
471-
.context(ResourceSnafu)?
472-
.context(MissingSnafu {
473-
name: std::any::type_name::<T>(),
474-
})?;
541+
let inner = match resources.loan_mut(key).context(ResourceSnafu)? {
542+
Some(inner) => inner,
543+
None => {
544+
let t = G::generate().context(MissingSnafu {
545+
name: std::any::type_name::<T>(),
546+
})?;
547+
// UNWRAP: safe because we know this type was missing, and no other type
548+
// is stored with this type's type id.
549+
let _ = resources.insert_value(t).unwrap();
550+
log::trace!("generated missing {}", std::any::type_name::<T>());
551+
// UNWRAP: safe because we just inserted
552+
resources.loan_mut(key).unwrap().unwrap()
553+
}
554+
};
475555
Ok(ViewMut {
476556
inner,
477557
_phantom: PhantomData,
478558
})
479559
}
480560
}
481561

482-
impl<T: std::fmt::Display + Any + Send + Sync> std::fmt::Display for ViewMut<T> {
562+
impl<T: std::fmt::Display + Any + Send + Sync, G: Gen<T>> std::fmt::Display for ViewMut<T, G> {
483563
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
484564
let t: &T = self.inner.downcast_ref().unwrap();
485565
t.fmt(f)
@@ -1090,11 +1170,15 @@ impl Graph {
10901170
}
10911171

10921172
/// Get a reference to a resource in the graph.
1173+
///
1174+
/// If the resource _does not_ exist `Ok(None)` will be returned.
10931175
pub fn get_resource<T: Any + Send + Sync>(&self) -> Result<Option<&T>, GraphError> {
10941176
Ok(self.resources.get_value().context(ResourceSnafu)?)
10951177
}
10961178

10971179
/// Get a mutable reference to a resource in the graph.
1180+
///
1181+
/// If the resource _does not_ exist `Ok(None)` will be returned.
10981182
pub fn get_resource_mut<T: Any + Send + Sync>(&mut self) -> Result<Option<&mut T>, GraphError> {
10991183
Ok(self.resources.get_value_mut().context(ResourceSnafu)?)
11001184
}
@@ -1505,4 +1589,16 @@ mod test {
15051589
assert!(run_was_all_good, "run was not all good");
15061590
assert_eq!(110.0, my_num, "local did not run");
15071591
}
1592+
1593+
#[test]
1594+
// Tests that Gen will generate a default for a missing resource,
1595+
// and that the result will be stored in the graph.
1596+
fn can_generate_view_default() {
1597+
let mut graph = Graph::default();
1598+
let u = graph.visit(|u: View<usize>| *u).unwrap();
1599+
assert_eq!(0, u);
1600+
1601+
let my_u = graph.get_resource::<usize>().unwrap();
1602+
assert_eq!(Some(0), my_u.copied());
1603+
}
15081604
}

‎crates/moongraph/src/tutorial_impl.rs

+9
Original file line numberDiff line numberDiff line change
@@ -204,9 +204,16 @@
204204
/// ```rust
205205
/// use moongraph::*;
206206
///
207+
/// #[derive(Default)]
207208
/// pub struct Position(f32, f32);
209+
///
210+
/// #[derive(Default)]
208211
/// pub struct Velocity(f32, f32);
212+
///
213+
/// #[derive(Default)]
209214
/// pub struct Acceleration(f32, f32);
215+
///
216+
/// #[derive(Default)]
210217
/// pub struct BankAccount {
211218
/// interest_rate: f32,
212219
/// balance: f32,
@@ -260,6 +267,8 @@
260267
///
261268
/// Notice how the returned schedule shows that `add_velocity` and `compound_interest` can run together in parallel. We call this a "batch". It's possible to run all nodes in a batch at the same time because none of their borrows conflict and there are no explicit ordering constraints between them.
262269
///
270+
///
271+
///
263272
/// ## Conclusion
264273
/// Hopefully by this point you have a better idea what `moongraph` is about and how to use it.
265274
/// For more info please look at the module and type level documentation.

0 commit comments

Comments
 (0)