fast_stm/
lib.rs

1//! This library implements
2//! [software transactional memory](https://en.wikipedia.org/wiki/Software_transactional_memory),
3//! often abbreviated with STM.
4//!
5//! It is designed closely to haskells STM library. Read Simon Marlow's
6//! *Parallel and Concurrent Programming in Haskell*
7//! for more info. Especially the chapter about
8//! Performance is also important for using STM in rust.
9//!
10//! With locks the sequential composition of two
11//! two threadsafe actions is no longer threadsafe because
12//! other threads may interfer in between of these actions.
13//! Applying a third lock to protect both may lead to common sources of errors
14//! like deadlocks or race conditions.
15//!
16//! Unlike locks Software transactional memory is composable.
17//! It is typically implemented by writing all read and write
18//! operations in a log. When the action has finished and
19//! all the used `TVar`s are consistent, the writes are commited as
20//! a single atomic operation.
21//! Otherwise the computation repeats. This may lead to starvation,
22//! but avoids common sources of bugs.
23//!
24//! Panicing within STM does not poison the `TVar`s. STM ensures consistency by
25//! never committing on panic.
26//!
27//! # Usage
28//!
29//! You should only use the functions that are transaction-safe.
30//! Transaction-safe functions don't have side effects, except those provided by `TVar`.
31//! Mutexes and other blocking mechanisms are especially dangerous, because they can
32//! interfere with the internal locking scheme of the transaction and therefore
33//! cause deadlocks.
34//!
35//! Note, that Transaction-safety does *not* mean safety in the rust sense, but is a
36//! subset of allowed behavior. Even if code is not transaction-safe, no segmentation
37//! faults will happen.
38//!
39//! You can run the top-level atomic operation by calling `atomically`.
40//!
41//!
42//! ```
43//! # use fast_stm::atomically;
44//! atomically(|trans| {
45//!     // some action
46//!     // return value as `Result`, for example
47//!     Ok(42)
48//! });
49//! ```
50//!
51//! Nested calls to `atomically` are not allowed. A run-time check prevents this.
52//! Instead of using atomically internally, add a `&mut Transaction` parameter and
53//! return `StmResult`.
54//!
55//! Use ? on `StmResult`, to propagate a transaction error through the system.
56//! Do not handle the error yourself.
57//!
58//! ```
59//! # use fast_stm::{atomically, TVar};
60//! let var = TVar::new(0);
61//!
62//! let x = atomically(|trans| {
63//!     var.write(trans, 42)?; // Pass failure to parent.
64//!     var.read(trans) // Return the value saved in var.
65//! });
66//!
67//! println!("var = {}", x);
68//! // var = 42
69//!
70//! ```
71//!
72//! # Transaction safety
73//!
74//! Software transactional memory is completely safe in the rust sense, so
75//! undefined behavior will never occur.
76//! Still there are multiple rules that
77//! you should obey when dealing with software transactional memory.
78//!
79//! * Don't run code with side effects, especially no IO-code.
80//!   Transactions repeat in failure cases. Using IO would repeat this IO-code.
81//!   Return a closure if you have to.
82//! * Don't handle `StmResult` yourself.
83//!   Use `Transaction::or` to combine alternative paths and `optionally` to check if an inner
84//!   function has failed. Always use `?` and
85//!   never ignore a `StmResult`.
86//! * Don't run `atomically` inside of another. `atomically` is designed to have side effects
87//!   and will therefore break transaction safety.
88//!   Nested calls are detected at runtime and handled with panicking.
89//!   When you use STM in the inner of a function, then
90//!   express it in the public interface, by taking `&mut Transaction` as parameter and
91//!   returning `StmResult<T>`. Callers can safely compose it into
92//!   larger blocks.
93//! * Don't mix locks and transactions. Your code will easily deadlock or slow
94//!   down unpredictably.
95//! * Don't use inner mutability to change the content of a `TVar`.
96//!
97//! Panicking in a transaction is transaction-safe. The transaction aborts and
98//! all changes are discarded. No poisoning or half written transactions happen.
99//!
100//! # Speed
101//!
102//! Generally keep your atomic blocks as small as possible, because
103//! the more time you spend, the more likely it is, to collide with
104//! other threads. For STM, reading `TVar`s is quite slow, because it
105//! needs to look them up in the log every time.
106//! Every used `TVar` increases the chance of collisions. Therefore you should
107//! keep the amount of accessed variables as low as needed.
108//!
109
110// Extra linting with exceptions
111#![warn(clippy::pedantic)]
112#![allow(clippy::missing_errors_doc)]
113#![allow(clippy::module_name_repetitions)]
114#![allow(clippy::must_use_candidate)]
115#![allow(clippy::should_panic_without_expect)]
116
117extern crate parking_lot;
118
119mod result;
120mod transaction;
121mod tvar;
122
123#[cfg(test)]
124mod test;
125
126pub use result::*;
127pub use transaction::Transaction;
128pub use transaction::TransactionControl;
129pub use tvar::TVar;
130
131/// Convert a `TransactionClosureResult<T, E_A>` to `TransactionClosureResult<T, E_B>`.
132///
133/// This macro is used to cleanly write transactions where multiple kind of errors are
134/// possible during execution. The macro will not fail as long as the specified target
135/// error `$to` implements `From<E>`, `E` being the error possibly returned by `$op`.
136/// It expands to:
137///
138/// ```ignore
139/// $op.map_err(|e| match e {
140///         fast_stm::TransactionError::Abort(e) => fast_stm::TransactionError::Abort($to::from(e)),
141///         fast_stm::TransactionError::Stm(e) => fast_stm::TransactionError::Stm(e),
142///     })?
143/// ```
144///
145/// # Example
146///
147/// ```rust
148/// # use fast_stm::{abort, atomically_with_err, try_or_coerce, Transaction, TransactionClosureResult};
149///
150/// struct Error1;
151/// struct Error2;
152///
153/// impl From<Error1> for Error2 {
154///     fn from(e: Error1) -> Self {
155///         Error2
156///     }
157/// }
158///
159/// fn op1(trans: &mut Transaction) -> TransactionClosureResult<(), Error1> {
160///     // ...
161///     Ok(())
162/// }
163///
164/// fn op2(trans: &mut Transaction) -> TransactionClosureResult<(), Error2> {
165///     // ...
166///     Ok(())
167/// }
168///
169/// let res: Result<(), Error2> = atomically_with_err(|trans| {
170///     try_or_coerce!(op1(trans), Error2);
171///     op2(trans)?;   
172///     Ok(())
173/// });
174/// ```
175#[macro_export]
176macro_rules! try_or_coerce {
177    ($op: expr, $to: ident) => {
178        $op.map_err(|e| match e {
179            $crate::TransactionError::Abort(e) => $crate::TransactionError::Abort($to::from(e)),
180            $crate::TransactionError::Stm(e) => $crate::TransactionError::Stm(e),
181        })?
182    };
183}
184
185#[inline]
186/// Call `abort` to abort a transaction and pass the error as the return value.
187///
188/// # Examples
189///
190/// ```
191/// # use fast_stm::*;
192/// struct MyError;
193///
194/// let execute_once: Result<u32, _> = atomically_with_err(|_| {
195///     abort(MyError)
196/// });
197///
198/// assert!(execute_once.is_err());
199/// ```
200pub fn abort<T, E>(e: E) -> TransactionClosureResult<T, E> {
201    Err(TransactionError::Abort(e))
202}
203
204#[inline]
205/// Call `retry` to abort an operation and run the whole transaction again.
206///
207/// Semantically `retry` allows spin-lock-like behavior, but the library
208/// blocks until one of the used `TVar`s has changed, to keep CPU-usage low.
209///
210/// `Transaction::or` allows to define alternatives. If the first function
211/// wants to retry, then the second one has a chance to run.
212///
213/// # Examples
214///
215/// ```no_run
216/// # use fast_stm::*;
217/// let infinite_retry: i32 = atomically(|_| retry());
218/// ```
219pub fn retry<T>() -> StmClosureResult<T> {
220    Err(StmError::Retry)
221}
222
223/// Run a function atomically by using Software Transactional Memory.
224/// It calls to `Transaction::with` internally, but is more explicit.
225pub fn atomically<T, F>(f: F) -> T
226where
227    F: Fn(&mut Transaction) -> StmClosureResult<T>,
228{
229    Transaction::with(f)
230}
231
232/// Run a function atomically by using Software Transactional Memory.
233/// It calls to `Transaction::with_err` internally, but is more explicit.
234pub fn atomically_with_err<T, E, F>(f: F) -> Result<T, E>
235where
236    F: Fn(&mut Transaction) -> TransactionClosureResult<T, E>,
237{
238    Transaction::with_err(f)
239}
240
241#[inline]
242/// Unwrap `Option` or call retry if it is `None`.
243///
244/// `optionally` is the inverse of `unwrap_or_retry`.
245///
246/// # Example
247///
248/// ```
249/// # use fast_stm::*;
250/// let x = TVar::new(Some(42));
251///
252/// atomically(|tx| {
253///         let inner = unwrap_or_retry(x.read(tx)?)?;
254///         assert_eq!(inner, 42); // inner is always 42.
255///         Ok(inner)
256///     }
257/// );
258/// ```
259pub fn unwrap_or_retry<T>(option: Option<T>) -> StmClosureResult<T> {
260    match option {
261        Some(x) => Ok(x),
262        None => retry(),
263    }
264}
265
266#[inline]
267/// Retry until `cond` is true.
268///
269/// # Example
270///
271/// ```
272/// # use fast_stm::*;
273/// let var = TVar::new(42);
274///
275/// let x = atomically(|tx| {
276///     let v = var.read(tx)?;
277///     guard(v==42)?;
278///     // v is now always 42.
279///     Ok(v)
280/// });
281/// assert_eq!(x, 42);
282/// ```
283pub fn guard(cond: bool) -> StmClosureResult<()> {
284    if cond {
285        Ok(())
286    } else {
287        retry()
288    }
289}
290
291#[inline]
292/// Optionally run a transaction `f`. If `f` fails with a `retry()`, it does
293/// not cancel the whole transaction, but returns `None`.
294///
295/// Note that `optionally` does not always recover the function, if
296/// inconsistencies where found.
297///
298/// `unwrap_or_retry` is the inverse of `optionally`.
299///
300/// # Example
301///
302/// ```
303/// # use fast_stm::*;
304/// let x:Option<i32> = atomically(|tx|
305///     optionally(tx, |_| retry()));
306/// assert_eq!(x, None);
307/// ```
308pub fn optionally<T, F>(tx: &mut Transaction, f: F) -> StmClosureResult<Option<T>>
309where
310    F: Fn(&mut Transaction) -> StmClosureResult<T>,
311{
312    tx.or(|t| f(t).map(Some), |_| Ok(None))
313}
314
315#[cfg(test)]
316mod test_lib {
317    use super::*;
318
319    #[test]
320    fn infinite_retry() {
321        let terminated = test::terminates(300, || {
322            let _infinite_retry: i32 = atomically(|_| retry());
323        });
324        assert!(!terminated);
325    }
326
327    #[test]
328    fn stm_nested() {
329        let var = TVar::new(0);
330
331        let x = atomically(|tx| {
332            var.write(tx, 42)?;
333            var.read(tx)
334        });
335
336        assert_eq!(42, x);
337    }
338
339    /// Run multiple threads.
340    ///
341    /// Thread 1: Read a var, block until it is not 0 and then
342    /// return that value.
343    ///
344    /// Thread 2: Wait a bit. Then write a value.
345    ///
346    /// Check if Thread 1 is woken up correctly and then check for
347    /// correctness.
348    #[test]
349    fn threaded() {
350        use std::thread;
351        use std::time::Duration;
352
353        let var = TVar::new(0);
354        // Clone for other thread.
355        let varc = var.clone();
356
357        let x = test::async_test(
358            800,
359            move || {
360                atomically(|tx| {
361                    let x = varc.read(tx)?;
362                    if x == 0 {
363                        retry()
364                    } else {
365                        Ok(x)
366                    }
367                })
368            },
369            || {
370                thread::sleep(Duration::from_millis(100));
371
372                atomically(|tx| var.write(tx, 42));
373            },
374        )
375        .unwrap();
376
377        assert_eq!(42, x);
378    }
379
380    /// test if a STM calculation is rerun when a Var changes while executing
381    #[test]
382    fn read_write_interfere() {
383        use std::thread;
384        use std::time::Duration;
385
386        // create var
387        let var = TVar::new(0);
388        let varc = var.clone(); // Clone for other thread.
389
390        // spawn a thread
391        let t = thread::spawn(move || {
392            atomically(|tx| {
393                // read the var
394                let x = varc.read(tx)?;
395                // ensure that x varc changes in between
396                thread::sleep(Duration::from_millis(500));
397
398                // write back modified data this should only
399                // happen when the value has not changed
400                varc.write(tx, x + 10)
401            });
402        });
403
404        // ensure that the thread has started and already read the var
405        thread::sleep(Duration::from_millis(100));
406
407        // now change it
408        atomically(|tx| var.write(tx, 32));
409
410        // finish and compare
411        let _ = t.join();
412        assert_eq!(42, var.read_atomic());
413    }
414
415    #[test]
416    fn or_simple() {
417        let var = TVar::new(42);
418
419        let x = atomically(|tx| tx.or(|_| retry(), |tx| var.read(tx)));
420
421        assert_eq!(x, 42);
422    }
423
424    /// A variable should not be written,
425    /// when another branch was taken
426    #[test]
427    fn or_nocommit() {
428        let var = TVar::new(42);
429
430        let x = atomically(|tx| {
431            tx.or(
432                |tx| {
433                    var.write(tx, 23)?;
434                    retry()
435                },
436                |tx| var.read(tx),
437            )
438        });
439
440        assert_eq!(x, 42);
441    }
442
443    #[test]
444    fn or_nested_first() {
445        let var = TVar::new(42);
446
447        let x = atomically(|tx| tx.or(|tx| tx.or(|_| retry(), |_| retry()), |tx| var.read(tx)));
448
449        assert_eq!(x, 42);
450    }
451
452    #[test]
453    fn or_nested_second() {
454        let var = TVar::new(42);
455
456        let x = atomically(|tx| tx.or(|_| retry(), |t| t.or(|t2| var.read(t2), |_| retry())));
457
458        assert_eq!(x, 42);
459    }
460
461    #[test]
462    fn unwrap_some() {
463        let x = Some(42);
464        let y = atomically(|_| unwrap_or_retry(x));
465        assert_eq!(y, 42);
466    }
467
468    #[test]
469    fn unwrap_none() {
470        let x: Option<i32> = None;
471        assert_eq!(unwrap_or_retry(x), retry());
472    }
473
474    #[test]
475    fn guard_true() {
476        let x = guard(true);
477        assert_eq!(x, Ok(()));
478    }
479
480    #[test]
481    fn guard_false() {
482        let x = guard(false);
483        assert_eq!(x, retry());
484    }
485
486    #[test]
487    fn optionally_succeed() {
488        let x = atomically(|t| optionally(t, |_| Ok(42)));
489        assert_eq!(x, Some(42));
490    }
491
492    #[test]
493    fn optionally_fail() {
494        let x: Option<i32> = atomically(|t| optionally(t, |_| retry()));
495        assert_eq!(x, None);
496    }
497}