Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Add Retained smart pointer #97

Closed
wants to merge 9 commits into from
23 changes: 4 additions & 19 deletions src/rc/mod.rs
Original file line number Diff line number Diff line change
Expand Up @@ -40,10 +40,14 @@ assert!(weak.load().is_null());
```
*/

mod owned;
mod retained;
mod strong;
mod weak;
mod autorelease;

pub use self::retained::Retained;
pub use self::owned::Owned;
pub use self::strong::StrongPtr;
pub use self::weak::WeakPtr;
pub use self::autorelease::autoreleasepool;
Expand All @@ -55,25 +59,6 @@ mod tests {
use super::StrongPtr;
use super::autoreleasepool;

#[test]
fn test_strong_clone() {
fn retain_count(obj: *mut Object) -> usize {
unsafe { msg_send![obj, retainCount] }
}

let obj = unsafe {
StrongPtr::new(msg_send![class!(NSObject), new])
};
assert!(retain_count(*obj) == 1);

let cloned = obj.clone();
assert!(retain_count(*cloned) == 2);
assert!(retain_count(*obj) == 2);

drop(obj);
assert!(retain_count(*cloned) == 1);
}

#[test]
fn test_weak() {
let obj = unsafe {
Expand Down
192 changes: 192 additions & 0 deletions src/rc/owned.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,192 @@
use core::borrow;
use core::fmt;
use core::hash;
use core::marker::PhantomData;
use core::mem;
use core::ops::{Deref, DerefMut};
use core::ptr::{drop_in_place, NonNull};

use super::Retained;
use crate::runtime::{self, Object};

/// A smart pointer that strongly references and owns an Objective-C object.
///
/// The fact that we own the pointer means that it's safe to mutate it. As
/// such, this implements [`DerefMut`].
///
/// This is guaranteed to have the same size as the underlying pointer.
///
/// # Cloning and [`Retained`]
///
/// This does not implement [`Clone`], but [`Retained`] has a [`From`]
/// implementation to convert from this, so you can easily reliquish ownership
/// and work with a normal [`Retained`] pointer.
///
/// ```no_run
/// let obj: Owned<T> = ...;
/// let retained: Retained<T> = obj.into();
/// let cloned: Retained<T> = retained.clone();
/// ```
///
/// TODO: Explain similarities to [`Box`].
///
/// TODO: Explain this vs. [`Retained`]
#[repr(transparent)]
pub struct Owned<T> {
/// The pointer is always retained.
pub(super) ptr: NonNull<T>, // Covariant
phantom: PhantomData<T>, // Necessary for dropcheck
}

// SAFETY: TODO
unsafe impl<T: Send> Send for Owned<T> {}

// SAFETY: TODO
unsafe impl<T: Sync> Sync for Owned<T> {}

// TODO: Unsure how the API should look...
impl<T> Owned<T> {
/// TODO
///
/// # Safety
///
/// The caller must ensure the given object reference has exactly 1 retain
/// count (that is, a retain count that has been handed off from somewhere
/// else, usually Objective-C methods like `init`, `alloc`, `new`, or
/// `copy`).
///
/// Additionally, there must be no other pointers or references to the same
/// object, and the given reference must not be used afterwards.
///
/// # Example
///
/// ```rust
/// let obj: &mut Object = unsafe { msg_send![cls, alloc] };
/// let obj: Owned<Object> = unsafe { Owned::new(msg_send![obj, init]) };
/// // Or in this case simply just:
/// let obj: Owned<Object> = unsafe { Owned::new(msg_send![cls, new]) };
/// ```
///
/// TODO: Something about there not being other references.
// Note: The fact that we take a `&mut` here is more of a lint; the lifetime
// information is lost, so whatever produced the reference can still be
#[inline]
pub unsafe fn new(obj: &mut T) -> Self {
Self {
ptr: obj.into(),
phantom: PhantomData,
}
}

/// Construct an `Owned` pointer
///
/// # Safety
///
/// The caller must ensure that there are no other pointers to the same
/// object (which also means that the given [`Retained`] should have a
/// retain count of exactly 1).
#[inline]
pub unsafe fn from_retained(obj: Retained<T>) -> Self {
let ptr = mem::ManuallyDrop::new(obj).ptr;
Self {
ptr,
phantom: PhantomData,
}
}
}

// TODO: #[may_dangle]
// https://doc.rust-lang.org/nightly/nomicon/dropck.html
impl<T> Drop for Owned<T> {
/// Releases the retained object
///
/// This is guaranteed to be the last destructor that runs, in contrast to
/// [`Retained`], which means that we can run the [`Drop`] implementation
/// on the contained object as well.
#[inline]
fn drop(&mut self) {
let ptr = self.ptr;
unsafe {
drop_in_place(ptr.as_ptr());
// Construct a new `Retained`, which will be dropped immediately
Retained::new(ptr.as_ref());
};
}
}

// Note: `Clone` is not implemented for this!

impl<T> Deref for Owned<T> {
type Target = T;

#[inline]
fn deref(&self) -> &Self::Target {
// SAFETY: TODO
unsafe { self.ptr.as_ref() }
}
}

impl<T> DerefMut for Owned<T> {
#[inline]
fn deref_mut(&mut self) -> &mut Self::Target {
// SAFETY: TODO
unsafe { self.ptr.as_mut() }
}
}

// TODO: impl PartialEq, PartialOrd, Ord and Eq

impl<T: fmt::Display> fmt::Display for Owned<T> {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
fmt::Display::fmt(&**self, f)
}
}

impl<T: fmt::Debug> fmt::Debug for Owned<T> {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
fmt::Debug::fmt(&**self, f)
}
}

impl<T> fmt::Pointer for Owned<T> {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
fmt::Pointer::fmt(&self.ptr.as_ptr(), f)
}
}

impl<T: hash::Hash> hash::Hash for Owned<T> {
fn hash<H: hash::Hasher>(&self, state: &mut H) {
(&**self).hash(state)
}
}

// TODO: impl Fn traits? See `boxed_closure_impls`

// TODO: CoerceUnsized

impl<T> borrow::Borrow<T> for Owned<T> {
fn borrow(&self) -> &T {
&**self
}
}

impl<T> borrow::BorrowMut<T> for Owned<T> {
fn borrow_mut(&mut self) -> &mut T {
&mut **self
}
}

impl<T> AsRef<T> for Owned<T> {
fn as_ref(&self) -> &T {
&**self
}
}

impl<T> AsMut<T> for Owned<T> {
fn as_mut(&mut self) -> &mut T {
&mut **self
}
}

// TODO: Comment on impl Unpin for Box
impl<T> Unpin for Owned<T> {}
Loading