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
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
//! Create for helping you to workaround not having generic associated lifetimes.
//!
//! # Problem Case
//!
//! Lets say you need to abstract over a connection/transaction of some form.
//! A intuitive way would be to have something like following code (which
//! for simplicity omits all the results and for this example irrelevant
//! methods):
//!
//! ```
//! trait GeneralConnection {
//!     type Transaction: GeneralTransaction;
//!     fn create_transaction(&mut self) -> Self::Transaction;
//! }
//!
//! trait GeneralTransaction {
//!     // Potential results ommited.
//!     fn commit(self);
//!     fn abort(self);
//! }
//! ```
//!
//! The problem with this is that most transactions have a signature of the form
//! `Transaction<'conn>` where `'conn` binds to the self parameter of the method
//! used to construct the transaction. _This currently can not be represented in rust_.
//!
//! In the _future_ you might be able to use generic associated types (GAT) or the subset
//! limited to lifetimes of it (GAL). This _would_ allow following code:
//!
//! ```ignore
//! trait GeneralConnection {
//!     type Transaction<'conn>: GeneralTransaction;
//!     // This don't work on current rust (1.30) not even in nightly.
//!     // Lifetimes could have been omitted.
//!     fn create_transaction<'conn>(&'conn mut self) -> Self::Transaction<'conn>;
//! }
//!
//! trait GeneralTransaction {
//!     // Potential results ommited.
//!     fn commit(self);
//!     fn abort(self);
//! }
//! ```
//!
//!
//! # Problem Circumvention
//!
//! This crate provides a patterns (and a small helper type, trait and macro) to circumvent this
//! limitation. Note that while possible it's not necessary a nice solution.
//!
//! The idea of this create is to lift the lifetime from the type parameter into a know wrapper
//! type, this produces following code:
//!
//! ```
//! use galemu::{Bound, BoundExt};
//!
//! trait GeneralConnection {
//!     type Transaction: GeneralTransaction;
//!     // Lifetimes could have been omitted
//!     fn create_transaction<'conn>(&'conn mut self) -> Bound<'conn, Self::Transaction>;
//! }
//!
//! trait GeneralTransaction: for<'a> BoundExt<'a> {
//!     // Potential results omitted.
//!     // Once the rust "arbitrary self types" features lands on stable this can
//!     // be made much nicer (by using `self: Bound<Self>`).
//!     fn commit<'c>(me: Bound<'c, Self>);
//!     fn abort<'c>(me: Bound<'c, Self>);
//! }
//! ```
//!
//! Note that `Bound` has some very specific safety guarantees about how it binds the
//! `'conn` lifetime to `Self::Transaction` and that the `GeneralTransaction` now
//! accepts a lifetime bound Self. Also not that without the unstable "arbitrary self type"
//! feature the methods will no longer have a self parameter so they will need to be
//! called with `GeneralTransaction::commit(trans)` instead of `trans.commit()`.
//!
//! The trick is that now if you need to implement `GeneralConnection` for a
//! with transactions of the form `Transaction<'conn>` you can approach it
//! in following way:
//!
//! 1. Wrap the transaction type into one mich contains a `ManualDrop<UnsafeCell<Transaction<'static>>`.
//!    We call the type `TransactionWrapper`.
//! 2. The `create_transaction(&'s mut self)` method will now internal create a transaction with the
//!    signature `Transaction<'s>` wrap it into a `UnsafeCell` and then transmute it to `'static` erasing
//!    the original lifetime (we call the wr).
//! 3. To still keep the original lifetime `'s` a `Bound<'s, TransactionWrapper>` is returned.
//! 4. The methods on `GeneralTransaction` accept a `Bound<'c, Self>` where, due to the constraints
//!    of `Bound` `'c` is guaranteed to be a "subset" of `'s` (as where constraint this is `'s: 'c`).
//!    So in the method we can turn the transaction back into the appropriate lifetime.
//! 5. On drop we manually drop the `Transaction<'static>` in the [`BoundExt::pre_drop()`] call _instead
//!    of the normal drop call_, also we do so after turning it back to the right lifetime.
//! 6. For usability `TransactionWrapper` should contain methods to get `&`/`&mut` of the correct inner
//!    type from a `&`/`&mut` to a `Bound<TransactionWrapper>`.
//!
//! Note that some of the aspects (like the part about `ManualDrop` and `pre_drop`) might seem arbitrary
//! but are needed to handle potential specialization of code based on the `'static` lifetime.
//!
//! # What this lib provides:
//!
//! 1. The [`Bound`] type for binding the lifetime to the part where it was erased in a safe way
//!    with some safety guarantees which go above a normal wrapper.
//! 2. The [`BoundExt`] trait needed to handle drop wrt. to some specialization edge cases.
//! 3. The [`create_gal_wrapper_type_for`] which implements all unsafe code for
//!    you.
//!
//! # Example
//!
//! ```
//! use galemu::{Bound, BoundExt, create_gal_wrapper_type};
//!
//! struct Connection {
//!     count: usize
//! }
//!
//! struct Transaction<'conn> {
//!     conn: &'conn mut Connection
//! }
//!
//! impl Connection {
//!     fn transaction(&mut self) -> Transaction {
//!         Transaction { conn: self }
//!     }
//! }
//!
//! trait GCon {
//!     type Transaction: GTran;
//!
//!     fn create_transaction(&mut self) -> Bound<Self::Transaction>;
//! }
//!
//! trait GTran: for<'s> BoundExt<'s> {
//!     fn commit<'s>(me: Bound<'s, Self>);
//!     fn abort<'s>(me: Bound<'s, Self>);
//! }
//!
//! create_gal_wrapper_type!{ struct TransWrap(Transaction<'a>); }
//!
//! impl GCon for Connection {
//!     type Transaction = TransWrap;
//!
//!     fn create_transaction(&mut self) -> Bound<Self::Transaction> {
//!         let transaction = self.transaction();
//!         TransWrap::new(transaction)
//!     }
//! }
//!
//! impl GTran for TransWrap {
//!     fn commit<'s>(me: Bound<'s, Self>) {
//!         let trans = TransWrap::into_inner(me);
//!         trans.conn.count += 10;
//!     }
//!
//!     fn abort<'s>(me: Bound<'s, Self>) {
//!         let trans = TransWrap::into_inner(me);
//!         trans.conn.count += 3;
//!     }
//! }
//!
//! fn create_commit_generic(x: &mut impl GCon) {
//!     let trans = x.create_transaction();
//!     // Using arbitrary self types this can become `trans.commit()`.
//!     // (extension traits for `Bound<T> where T: GTran` are also an option here).
//!     GTran::commit(trans)
//! }
//!
//! fn create_abort_specific(x: &mut Connection) {
//!     let trans = x.create_transaction();
//!     GTran::abort(trans)
//! }
//!
//! #[test]
//! fn it_can_be_used() {
//!     let mut conn = Connection { count: 0 };
//!     {
//!         create_commit_generic(&mut conn);
//!     }
//!     {
//!         create_abort_specific(&mut conn);
//!     }
//!     assert_eq!(conn.count, 13)
//! }
//! ```
#![deny(unsafe_code)]

use std::{
    marker::PhantomData,
    ops::Deref,
    mem, ptr
};

#[macro_use]
mod macros;

/// Workaround for rust not having generic associated lifetimes (GAT/GAL).
///
/// # General Safety Aspects
///
/// `Bound<'a, T>` binds a lifetimes `'a` to a instance of a type `T`.
/// It guarantees on a safety level that rebinding to any lifetimes which
/// is not a subset of the original lifetime requires unsafe code (as it
/// _is_ unsafe).
///
/// This guarantee allows libraries to accept a `Bound<'a, ThereType>`
/// instead of self an rely on the `'a` lifetime for unsafe code.
///
/// For example `ThereType` could contain a `Transaction<'static>` which
/// was transmuted from a `Transaction<'a>` but due to it needing to use
/// it as a associated type it can't have the lifetime `'a`. Still as
/// the method  accepts a `Bound<'a, ThereType>` they can rely on the
/// `'a` not having been changed from the original construction and
/// as such know that they can use it after casting/transmuting it
/// to a `Transaction<'a>`;
///
///
/// # Drop
///
/// This method will call `pre_drop(&mut Bound<'a, Self>)` when the wrapper is
/// dropped (which will be followed by a call to `Self::drop` is Self impl. drop).
///
/// As `Self` might contain a type with a wrong lifetime (`'static`) and rust will/might
/// have _the feature to specialize Drop on `'static`_. We can not drop that inner value
/// on `Drop` safely (we can't turn it to "any" shorter lifetime either as it might have
/// been static and as such might need to run the specialized code). So we have to drop
/// it while we still have access to the original
///
pub struct Bound<'a, T: BoundExt<'a>> {
    // bind `'a` in a invariant way
    limiter: PhantomData<&'a mut &'a u8>,
    inner: T
}

impl<'a, T> Bound<'a, T>
    where T: BoundExt<'a>
{

    /// Creates a new `Bound` instance.
    ///
    /// # Safety
    ///
    /// A instance of `T` has to be bound to a lifetime valid
    /// for it as `Bound` gives this guarantee. So using `new`
    /// with a instance of a type corresponding to a different
    /// lifetime then `'a` is unsafe behavior.
    ///
    /// Also note that using this method can have **other safety
    /// constraints defined by `T`** as such it _should_ only be
    /// used by `T` to create a `Bound` wrapper of itself.
    #[allow(unsafe_code)]
    pub unsafe fn new(inner: T) -> Self {
        Bound {
            limiter: PhantomData,
            inner
        }
    }

    /// Get `&mut` access to the inner type.
    ///
    /// # Safety
    ///
    /// Implementors of traits used for `T` might rely on
    /// the instance of `T` being coupled with the right
    /// lifetime `'a`. But a `&mut` borrow would allow
    /// switching the content of two `Bound` instances, which
    /// might brake safety constraints.
    #[allow(unsafe_code)]
    pub unsafe fn _get_mut(&mut self) -> &mut T {
        &mut self.inner
    }

    /// Consumes self the return the contained instance of `T`.
    ///
    /// # Safety / Drop
    ///
    /// As dropping some thinks can only be safely done with
    /// [`BoundExt::pre_drop()`] turning this instance into `T`
    /// might cause the leakage of some resources and should
    /// only be done by methods which are aware of this problems.
    pub fn _into_inner(mut self) -> T {
        // workaround for having no "no-drop" destruction
        let inner = {
            let &mut Bound { limiter:_, ref mut inner } = &mut self;
            unsafe_block! {
                "self is forgotten after inner was moved out" => {
                    ptr::read(inner as *mut T)
                }
            }
        };
        mem::forget(self);
        inner
    }
}

impl<'a, T> Deref for Bound<'a, T>
    where T: BoundExt<'a>
{
    type Target = T;

    fn deref(&self) -> &Self::Target {
        &self.inner
    }
}


impl<'a, T> Drop for Bound<'a, T>
    where T: BoundExt<'a>
{
    fn drop(&mut self) {
        unsafe_block! {
            "after this drop call rust will call drop on all members" => {
                BoundExt::pre_drop(self)
            }
        }
    }
}

pub trait BoundExt<'a>: 'a + Sized {

    /// Called when dropping the `Bound` wrapper before dropping the inner value.
    ///
    /// # Safety/Drop
    ///
    /// Due to possible specialization of `Drop` on `'static` dropping a "fake"
    /// static value in `Self` might not be safe at all. This can be handled by
    /// making it non `'sstatic` and explicitly dropping it during the `Self::drop`
    /// call, but then this wrapper _migth_ have been `'static` so using the
    /// `'static` specialization might have been more correct.
    ///
    /// This method allows to instead explicitly drop the possible "fake" `'static`
    /// value in `Self` earlier on drop while we still have the correct lifetime.
    ///
    /// # Call Safety
    ///
    /// This method is only meant to be called when dropping the `Bound` wrapper,
    /// i.e. immediately before calling `Self::drop`. Calling anything expect
    /// [`Drop::drop`][1] after calling [`BoundExt::pre_drop()`] is unsafe, so
    /// the caller has to make sure that this won't happen.
    ///
    /// Normally this should **only be called by the `Bound` `Drop` implementation**.
    #[allow(unsafe_code)]
    unsafe fn pre_drop(_me: &mut Bound<'a, Self>) {}
}

/// Creates a wrapper type for a type with a single lifetime parameter lifting the lifetime to `Bound`.
///
/// The new type will have:
/// - A safe `new` method accepting a instance of the wrapped type with a lifetime
///   `'a` and returns a `Bound<'a, WrapperType>`.
/// - Impl for `BoundExt` incl, `BoundExt::pre_drop` (the wrapper doesn't need a `Drop` impl.).
/// - A `get` function which accept `&Bound<'a, WrapperType>` and returns a `&WrappedType<'a>`.
/// - A `get_mut` function which accepts `&mut Bound<'a, WrapperType>` and returns a `&mut WrappedType<'a>`.
/// - A `into_inner` function which accpets a `Bound<'a, WrapperType>` and returns a `WrappedType<'a>`.
///
/// Note that all the above functions are implemented on the wrapper type, i.e. you can't be
/// generic over them (at last not without generic associated lifetimes).
///
///
/// # Example
///
/// See module level documentation.
#[macro_export]
macro_rules! create_gal_wrapper_type {

    ( $(#[$attr:meta])* $v:vis struct $Type:ident ($Inner:ident<$lt:tt>); ) => (

        $(#[$attr])*
        $v struct $Type {
            static_cell: ::std::mem::ManuallyDrop<::std::cell::UnsafeCell<$Inner<'static>>>
        }

        impl $Type {

            /// Create a new "bound" instance of this type.
            ///
            /// This will lift the lifetime from the inner type to the `Bound` wrapper,
            /// wrapping the inner type into this type while erasing it's lifetime
            $v fn new<$lt>(value: $Inner<$lt>) -> $crate::Bound<$lt, Self> {
                use std::{ mem::{self, ManuallyDrop}, cell::UnsafeCell };

                let cell = ManuallyDrop::new(UnsafeCell::new(value));
                $crate::unsafe_block! {
                    "same mem layout, the unsafe cell contains the wrong lifetime in check" => {
                        let static_cell = mem::transmute(cell);
                        Bound::new($Type { static_cell })
                    }
                }
            }

            #[allow(unused)]
            $v fn get<'s: 'b, 'b>(me: &'b Bound<'s, Self>) -> &'b $Inner<'s> {
                let ptr: *const $Inner<'static> = me.static_cell.get();
                $crate::unsafe_block! {
                    "Self was transmuted from $Inner and `'s` is valid due to Bound's guarantees" => {
                        let as_ref: &'b $Inner<'static> = &*ptr;
                        ::std::mem::transmute(as_ref)
                    }
                }
            }

            #[allow(unused)]
            $v fn get_mut<'s: 'b, 'b>(me: &'b mut Bound<'s, Self>) -> &'b mut $Inner<'s> {
                let ptr: *mut $Inner<'static> = me.static_cell.get();
                $crate::unsafe_block! {
                    "Self was transmuted from $Inner and `'s` is valid due to Bound's guarantees" => {
                        let as_mut: &'b mut $Inner<'static> = &mut *ptr;
                        ::std::mem::transmute(as_mut)
                    }
                }
            }

            #[allow(unused)]
            $v fn into_inner<'s>(me: Bound<'s, Self>) -> $Inner<'s> {
                use std::{ mem::{self, ManuallyDrop}, cell::UnsafeCell };

                let $Type { static_cell } = me._into_inner();

                let non_static_cell = $crate::unsafe_block! {
                    "the $Inner<'static> originally had been a $Inner<'s>" => {
                        mem::transmute::<
                            ManuallyDrop<UnsafeCell<$Inner<'static>>>,
                            ManuallyDrop<UnsafeCell<$Inner<'s>>>
                        >(static_cell)
                    }
                };

                ManuallyDrop::into_inner(non_static_cell).into_inner()
            }
        }

        impl<'a> $crate::BoundExt<'a> for $Type {

            #[allow(unsafe_code)]
            unsafe fn pre_drop(me: &mut $crate::Bound<'a, Self>) {
                use std::{mem::{self, ManuallyDrop}, cell::UnsafeCell};

                // Safe due to the constraints of only calling drop after pre_drop
                let static_as_mut: &mut ManuallyDrop<UnsafeCell<$Inner<'static>>> = &mut me._get_mut().static_cell;
                let as_mut: &mut ManuallyDrop<UnsafeCell<$Inner<'a>>> = mem::transmute(static_as_mut);
                ManuallyDrop::drop(as_mut)
            }
        }

    );
}


#[cfg(test)]
mod test {
    use super::*;

    struct Connection {
        count: usize
    }

    struct Transaction<'conn> {
        conn: &'conn mut Connection
    }

    impl Connection {
        fn transaction(&mut self) -> Transaction {
            Transaction { conn: self }
        }
    }

    trait GCon {
        type Transaction: GTran;

        fn create_transaction(&mut self) -> Bound<Self::Transaction>;
    }

    trait GTran: for<'s> BoundExt<'s> {
        fn commit<'s>(me: Bound<'s, Self>);
        fn abort<'s>(me: Bound<'s, Self>);
    }

    create_gal_wrapper_type!{
        /// Wraps `Transaction` erasing it's lifetime.
        ///
        /// This can only be used through a `Bound<'a, TransWrap>` instance,
        /// as only then it is possible to access the wrapped type with the
        /// correct lifetime
        struct TransWrap(Transaction<'a>);
    }

    impl GCon for Connection {
        type Transaction = TransWrap;

        fn create_transaction(&mut self) -> Bound<Self::Transaction> {
            let transaction = self.transaction();
            TransWrap::new(transaction)
        }
    }

    impl GTran for TransWrap {
        fn commit<'s>(me: Bound<'s, Self>) {
            let trans = TransWrap::into_inner(me);
            trans.conn.count += 10;
        }

        fn abort<'s>(me: Bound<'s, Self>) {
            let trans = TransWrap::into_inner(me);
            trans.conn.count += 3;
        }
    }

    fn create_commit_generic(x: &mut impl GCon) {
        let trans = x.create_transaction();
        // Using arbitrary self types this can become `trans.commit()`.
        // (extension traits for `Bound<T> where T: GTran` are also an option here).
        GTran::commit(trans)
    }

    fn create_abort_specific(x: &mut Connection) {
        let trans = x.create_transaction();
        GTran::abort(trans)
    }

    fn use_bound_mut<'a>(t: &mut Bound<'a, TransWrap>) {
        let x = TransWrap::get_mut(t);
        x.conn.count += 4;
    }

    fn use_bound<'a>(t: &Bound<'a, TransWrap>) -> usize {
        let x = TransWrap::get(t);
        x.conn.count
    }

    #[test]
    fn it_can_be_used() {
        let mut conn = Connection { count: 0 };
        {
            create_commit_generic(&mut conn);
        }
        {
            create_abort_specific(&mut conn);
        }
        {
            let mut trans = conn.create_transaction();
            let count = use_bound(&trans);
            assert_eq!(count, 13);
            use_bound_mut(&mut trans);
        }
        assert_eq!(conn.count, 17)
    }
}