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
217
218
219
//! State variables are memoized values that can be updated, signalling the runtime that a new
//! Revision should be executed.

use {
    crate::{embed::RunLoopWaker, memo::*},
    parking_lot::Mutex,
    std::{
        fmt::{Debug, Display, Formatter, Result as FmtResult},
        ops::Deref,
        sync::Arc,
    },
};

/// The underlying container of state variables. Vends copies of the latest [`Commit`] for [`Key`]s.
struct Var<State> {
    current: Commit<State>,
    point: topo::Id,
    pending: Option<Commit<State>>,
    waker: RunLoopWaker,
}

impl<State> Var<State> {
    /// Attach this `Var` to its callsite, performing any pending commit and returning the
    /// resulting latest commit.
    fn root(&mut self) -> (topo::Id, Commit<State>) {
        if let Some(pending) = self.pending.take() {
            self.current = pending;
        }
        (self.point, self.current.clone())
    }

    /// Returns a reference to the latest value, pending or committed.
    fn latest(&self) -> &State {
        &self.pending.as_ref().unwrap_or(&self.current)
    }

    /// Initiate a commit to the state variable. The commit will actually complete asynchronously
    /// when the state variable is next rooted in a topological function, flushing the pending
    /// commit.
    fn enqueue_commit(&mut self, state: State) {
        self.pending = Some(Commit {
            inner: Arc::new(state),
            point: self.point,
        });
        self.waker.wake();
    }
}

/// Root a state variable at this callsite, returning a [`Key`] to the state variable.
#[topo::nested]
pub fn state<Init, Output>(initializer: Init) -> Key<Output>
where
    Output: 'static,
    Init: FnOnce() -> Output,
{
    memo_state((), |&()| initializer())
}

/// Root a state variable at this callsite, returning a [`Key`] to the state variable.
/// Re-initializes the state variable if the capture `arg` changes.
#[topo::nested]
#[illicit::from_env(waker: &RunLoopWaker)]
pub fn memo_state<Arg, Init, Output>(arg: Arg, initializer: Init) -> Key<Output>
where
    Arg: PartialEq + 'static,
    Output: 'static,
    for<'a> Init: FnOnce(&'a Arg) -> Output,
{
    let var = memo(arg, |a| {
        let var = Var {
            point: topo::Id::current(),
            current: Commit {
                point: topo::Id::current(),
                inner: Arc::new(initializer(a)),
            },
            pending: None,
            waker: waker.to_owned(),
        };

        Arc::new(Mutex::new(var))
    });

    let (id, commit_at_root) = var.lock().root();

    Key {
        id,
        commit_at_root,
        var,
    }
}

/// A read-only pointer to the value of a state variable *at a particular revision*.
///
/// Reads through a commit are not guaranteed to be the latest value visible to the runtime. Commits
/// should be shared and used within the context of a single [`Revision`], being re-loaded from
/// the state variable each time.
#[derive(Debug, Eq, PartialEq)]
struct Commit<State> {
    point: topo::Id,
    inner: Arc<State>,
}

impl<State> Clone for Commit<State> {
    fn clone(&self) -> Self {
        Self {
            point: self.point,
            inner: Arc::clone(&self.inner),
        }
    }
}

impl<State> Deref for Commit<State> {
    type Target = State;
    fn deref(&self) -> &Self::Target {
        self.inner.deref()
    }
}

impl<State> Display for Commit<State>
where
    State: Display,
{
    fn fmt(&self, f: &mut Formatter) -> FmtResult {
        f.write_fmt(format_args!("{}", self.inner))
    }
}

/// A `Key` offers access to a state variable. The key allows reads of the state variable through
/// a snapshot taken when the `Key` was created. Writes are supported with [Key::update] and
/// [Key::set].
///
/// They are created with the [`memo_state`] and [`state`] macros.
pub struct Key<State> {
    id: topo::Id,
    commit_at_root: Commit<State>,
    var: Arc<Mutex<Var<State>>>,
}

impl<State> Key<State> {
    /// Returns the `topo::Id` at which the state variable is bound.
    pub fn id(&self) -> topo::Id {
        self.id
    }

    /// Runs `updater` with a reference to the state variable's latest value, and enqueues a commit
    /// to the variable if `updater` returns `Some`. Returns the `Revision` at which the state
    /// variable was last rooted if the variable is live, otherwise returns `None`.
    ///
    /// Enqueuing the commit invokes the state change waker registered with the [Runtime] (if any)
    /// to ensure that the code embedding the runtime schedules another call of [run_once].
    ///
    /// This should be called during event handlers or other code which executes outside of a
    /// `Revision`'s execution, otherwise unpredictable waker behavior may be obtained.
    ///
    /// [Runtime]: crate::embed::Runtime
    /// [run_once]: crate::embed::Runtime::run_once
    pub fn update(&self, updater: impl FnOnce(&State) -> Option<State>) {
        let mut var = self.var.lock();
        if let Some(new) = updater(var.latest()) {
            var.enqueue_commit(new);
        }
    }
}

impl<State> Key<State>
where
    State: PartialEq,
{
    /// Commits a new state value if it is unequal to the current value and the state variable is
    /// still live. Has the same properties as [update](crate::state::Key::update) regarding waking
    /// the runtime.
    pub fn set(&self, new: State) {
        self.update(|prev| if prev == &new { None } else { Some(new) });
    }
}

impl<State> Clone for Key<State> {
    fn clone(&self) -> Self {
        Self {
            id: self.id,
            commit_at_root: self.commit_at_root.clone(),
            var: self.var.clone(),
        }
    }
}

impl<State> Deref for Key<State> {
    type Target = State;
    fn deref(&self) -> &Self::Target {
        self.commit_at_root.deref()
    }
}

impl<State> Debug for Key<State>
where
    State: Debug,
{
    fn fmt(&self, f: &mut Formatter) -> FmtResult {
        self.commit_at_root.fmt(f)
    }
}

impl<State> Display for Key<State>
where
    State: Display,
{
    fn fmt(&self, f: &mut Formatter) -> FmtResult {
        self.commit_at_root.fmt(f)
    }
}

impl<State> PartialEq for Key<State> {
    /// Keys are considered equal if they point to the same state variable. Importantly, they will
    /// compare as equal even if they contain different snapshots of the state variable due to
    /// having been initialized in different revisions.
    fn eq(&self, other: &Self) -> bool {
        Arc::ptr_eq(&self.var, &other.var)
    }
}