blob: 4ad3b3d30d206f306b958b0358a571df99a6d39c [file] [log] [blame]
// Part of the Crubit project, under the Apache License v2.0 with LLVM
// Exceptions. See /LICENSE for license information.
// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
#![feature(negative_impls, vec_into_raw_parts, extern_types)]
//! This crate defines facilities that imitate C++ forward declarations in Rust.
//!
//! Given this C++:
//!
//! ```c++
//! namespace foo {
//! class Foo;
//! } // namespace foo
//!
//! void MyFunction(foo::Foo& foo) {
//! // can pass Foo around, but cannot access members, copy it, delete it, etc.
//! some_other_library::OtherFunction(foo);
//! }
//! ```
//!
//! We can translate it to this equivalent Rust:
//!
//! ```
//! forward_declare!(pub Foo = symbol!("foo::Foo"));
//! fn MyFunction(foo: &mut Foo) {
//! some_other_library::OtherFunction(foo.incomplete_cast());
//! }
//! ```
//!
//! On the reverse end, to **define** a type which may be forward-declared in
//! other crates, use the `unsafe_define!` macro:
//!
//! ```
//! pub struct Foo { ... }
//! unsafe_define!(Foo, symbol!("foo::Foo"));
//! ```
//!
//! ## Background
//!
//! The C++ forward declaration of a type `class Foo;` declares the name `Foo`
//! to be a type, but does not provide details such size and contents; such type
//! declaration is said to be incomplete. This is used in C++ to speed up build
//! performance (by omitting the real definition from the dependencies) and to
//! break up dependency cycles (by having one or both sides of the cycle
//! forward-declare pieces from the other side).
//!
//! In the general case, forward declarations in existing C++ code cannot be
//! removed without substantial changes. For example, a library can
//! forward-declare a class that is only defined in the binary. So a forward
//! declaration might not even have a single defining type, but one for
//! every binary that uses the library!
//!
//! Rust has close-enough equivalents to forward-declaration for constants and
//! functions, but not for types. This crate can be used wherever forward
//! declarations are used in C++, for those cases where forward declarations
//! cannot be avoided.
//!
//! ## Supporting Forward Declaration
//!
//! For each type you wish to allow to be forward declared by others, give it a
//! globally unique name such as `"foo::YourType"`, and call
//! `unsafe_define!(YourType, "foo::YourType")`.
//!
//! This defines `IncompleteCast<&Incomplete<Name, _>>` and vice versa, for all
//! of the following common pointer types:
//!
//! * `& _`
//! * `&mut _`
//! * `Pin<& _>`
//! * `Pin<&mut _>`
//! * `* const _`
//! * `* mut _`
//!
//! `Box`, `Rc`, and `Arc` are excluded, because they require knowledge of the
//! `Drop` impl, and incomplete types do not know how to drop.
//!
//! ## Forward Declaring
//!
//! To forward declare a type which supports forward declarations, use the
//! `forward_declare` macro.
//!
//! ```
//! forward_declare!(pub YourType = symbol!("foo::YourType"));
//! ```
//!
//! This creates a public alias `pub YourType =
//! Incomplete<symbol!("foo::YourType"), ???>;`, where `???` is some type unique
//! to this scope. In particular, this means that different calls
//! to `forward_declare` produce different (but otherwise interchangeable)
//! types.
//!
//! ## Passing around values
//!
//! Compound data types implement the `IncompleteCast` trait, which allows for
//! converting between complete and incomplete types. To convert from complete
//! to incomplete, incomplete to complete, or incomplete to incomplete when
//! crossing crate boundaries, use `.incomplete_cast()` to perform
//! the conversion.
//!
//! ```
//! forward_declare!(pub Foo = symbol!("foo::Foo"));
//!
//! fn takes_incomplete(foo: &mut Foo) {
//! some_other_library::other_function(foo.incomplete_cast());
//! }
//!
//! fn takes_complete(foo: &mut RealFoo) {
//! takes_incomplete(foo.incomplete_cast());
//! }
//! ```
//!
//! ## Crossing Crate Boundaries
//!
//! **Warning:** Users of incomplete types from other crates should not assume
//! that currently-incomplete types stay incomplete forever; code owners should
//! feel free to replace an incomplete type with a complete type.
//!
//! In Rust, unlike C++, the incomplete type and incomplete type are different
//! types. It is in theory a backwards-incompatible change to change from
//! incomplete to complete. Callers must try as much as possible to ease that
//! transition, since forward declarations are expected to be removed over time.
//!
//! This is partially enforced by the type system: every forward declaration of
//! a type is unique, and every crate should have its own forward declaration,
//! not reusing the forward declaration of another crate. As a result, you must
//! call `incomplete_cast()` when crossing crate boundaries, and failure to do
//! so is an error:
//!
//!
//! ```compile_fail
//! # mod other_crate {
//! # forward_declare!(pub ForwardDeclared = symbol!("foo::Type"));
//! # pub fn function(x: &ForwardDeclared) {panic!()}
//! # }
//!
//! forward_declare!(pub ForwardDeclared = symbol!("foo::Type"));
//! let x: &ForwardDeclared = unimplemented!();
//! other_crate::function(x); // ERROR
//! ```
//!
//! If that example were valid, then removing a forward declaration and
//! replacing it with the real type would break the caller, requiring a change
//! to call `incomplete_cast()`. But since we always require the caller to call`
//! incomplete_cast()` *anyway*, even if it already has an incomplete
//! type, `other_crate::function` is free to remove the forward declaration
//! without breaking this caller.
//!
//! ```no_run
//! # mod other_crate {
//! # forward_declare!(pub ForwardDeclared = symbol!("foo::Type"));
//! # pub fn function(x: &ForwardDeclared) {panic!()}
//! # }
//! #
//! # forward_declare!(pub ForwardDeclared = symbol!("foo::Type"));
//! # let x: &ForwardDeclared = unimplemented!();
//! other_crate::function(x.incomplete_cast()); // Works whether `function` takes incomplete or complete type.
//! ```
pub use forward_declare_proc_macros::*;
use std::ops::Deref;
use std::pin::Pin;
/// `Symbol` type, equivalent to const &'static str values, but usable in
/// generics in stable Rust.
///
/// Every symbol is a tuple of `C`: for example, `symbol!("xy")` is
/// `Symbol((C<'x'>, C<'y'>))`
#[repr(C)]
pub struct Symbol<T>(std::marker::PhantomData<T>);
/// A character in a symbol string.
#[repr(C)]
pub struct C<const CHAR: char>;
extern "C" {
/// Adding an `Unsized` field to your type makes it completely unsized (not
/// just dynamically-sized).
type Unsized;
}
/// A struct representing an "Incomplete Type" for `Name`
///
/// For any given name, there may be multiple "incomplete types" for that name
/// -- for example, `Incomplete<symbol!("T"), crate_1::T1>` is a different type
/// from `Incomplete<symbol!("T"), T2>`. This is intentional: in public
/// interfaces, an incomplete type is allowed to be changed to the complete type
/// without breaking callers.
///
/// TODO(jeanpierreda): make rust think this is ffi-safe. (PhantomData...)
//
// Safety notes: We alias references to arbitrary `T` using references to `Incomplete`. This is OK,
// because of the design of `Incomplete`.
//
// 1. layout: `Incomplete` has no fields of size > 0, so it does not alias `T` incompatibly.
//
// 2. provenance: while in general it is not valid to access memory **neighboring** that of a type
// (e.g. one can't use &vec[0] to access vec[1]), in this case, we are using
// `feature(extern_types)`, which is a DST which must grant access to the following memory or
// else it would be useless. (This type of access is the reason the feature exists).
#[repr(C)]
pub struct Incomplete<Name, Declarer>(std::marker::PhantomData<(Name, Declarer)>, Unsized);
// Ensure this is not `Unpin`, `Send`, or `Sync`. This is discussed somewhat in:
// https://doc.rust-lang.org/nomicon/ffi.html#representing-opaque-structs
/// Incomplete types can't be copied by value, because we don't know their true
/// size.
impl<Name, Declarer> !Unpin for Incomplete<Name, Declarer> {}
/// Similarly, we don't know if they are Send or Sync.
impl<Name, Declarer> !Send for Incomplete<Name, Declarer> {}
impl<Name, Declarer> !Sync for Incomplete<Name, Declarer> {}
/// Marker trait for complete types.
///
/// This is automatically implemented for anything `!Unpin`, but all other types
/// need to implement it by hand. Sorry, Rust just doesn't allow the kind of
/// negative reasoning we'd need to make this better.
///
/// In particular, this is *not* implemented for `Incomplete<...>`.
pub trait Complete {}
/// We know this to be true because `Incomplete<...>` is `!Unpin`.
///
/// Ideally we'd get a better blanket impl, but this very nearly covers
/// everything. Most `Unpin` types are going to be wrappers around C++ types,
/// which can auto-generate a `Complete` impl, and the rest are unlikely to
/// matter.
impl<T: Unpin> Complete for T {}
/// Like `Into<T>`, but for completeness conversions.
pub trait IncompleteCast<T> {
fn incomplete_cast(self) -> T;
}
/// Marker trait: pointers/references to this type may be safely transmuted to
/// pointers/references to `T`.
///
/// In particular, this is implemented by default for any complete type `T` and
/// its `Incomplete` types. However, it may also be used for compound data types
/// which can themselves contain complete/incomplete types.
///
/// Safety: this allows e.g. `&Self` to be transmuted to `&T`, and vice versa,
/// in safe code. The safety requirements for `std::mem::transmute` apply.
#[doc(hidden)]
pub unsafe trait IncompleteTransmute<Target: ?Sized> {}
/// Any `Incomplete<Name, ...>` can be converted to any other `Incomplete<Name,
/// ...>`.
unsafe impl<Name, Declarer1, Declarer2> IncompleteTransmute<Incomplete<Name, Declarer1>>
for Incomplete<Name, Declarer2>
{
}
// Below, we have ?Sized everywhere -- but we're only dealing with thin pointers
// and pointers to things containing Unsized (also thin, but thin unsized
// pointers), so it's safe to cast through usize or similar.
/// Like transmute, but without the static size check.
unsafe fn transmute_checksize<T, U>(x: T) -> U {
assert_eq!(std::mem::size_of::<T>(), std::mem::size_of::<U>());
let x = std::mem::ManuallyDrop::new(x);
std::mem::transmute_copy(&*x)
}
// Pointers to transmutable things are themselves transmutable.
unsafe impl<T: ?Sized, U: ?Sized> IncompleteTransmute<*const U> for *const T where
T: IncompleteTransmute<U>
{
}
unsafe impl<T: ?Sized, U: ?Sized> IncompleteTransmute<*mut U> for *mut T where
T: IncompleteTransmute<U>
{
}
unsafe impl<'a, T: ?Sized, U: ?Sized> IncompleteTransmute<&'a U> for &'a T where
T: IncompleteTransmute<U>
{
}
unsafe impl<'a, T: ?Sized, U: ?Sized> IncompleteTransmute<&'a mut U> for &'a mut T where
T: IncompleteTransmute<U>
{
}
// Pin is repr(transparent) and therefore as safe to transmute as the pointer it
// contains. Since the pointer it contains is bound by IncompleteTransmute, that
// makes this OK to transmute.
unsafe impl<T, U> IncompleteTransmute<Pin<U>> for Pin<T>
where
T: IncompleteTransmute<U>,
T: Deref,
U: Deref,
{
}
// Also, we allow transmuting to the unpinned variant, when known to be safe.
//
// Consider what happens if a forward declaration in C++ is removed in favor of
// the complete type, where the library containing that declaration was wrapped
// in Rust. If the type is trivially relocatable, and we automatically generate
// C++ bindings which do not use `Pin` except for non-trivially-relocatable
// types, this would be a backwards incompatible change. So, we should
// also support unpinning during the cast.
/// `Pin::get_ref()` transmute.
///
/// If `T` is `IntoIncomplete<U>`, you can transmute from `Pin<&T>` to
/// `Pin<&U>`. You can also, for any such U, transmute from `Pin<&U>` to `&U`.
/// This blanket impl generalizes the second transmute: you can also transmute
/// from `Pin<&mut T>` straight to `&mut U`.
//
// Safety: `Pin<&'a T>` allows getting the shared reference out of the pin, and
// `Pin` is `repr(transparent)`. (For example, you can copy it and call
// `get_ref()`, which is equivalent to the transmute.)
unsafe impl<'a, T: ?Sized, U: ?Sized> IncompleteTransmute<&'a U> for Pin<&'a T> where
T: IncompleteTransmute<U>
{
}
/// `Pin::into_inner()` transmute.
///
/// If `T` is `IntoIncomplete<U>`, you can transmute from `Pin<&mut T>` to
/// `Pin<&mut U>`. If `U` is `Unpin`, then you could also transmute from
/// `Pin<&mut U>` to `&mut U`. This blanket impl generalizes the second
/// transmute: you can also transmute from `Pin<&mut T>` straight to `&mut U`.
///
/// Since this is equivalent to `Pin::into_inner()`, it requires `Unpin`.
//
// Note: ideally we'd blanket impl the conversion to allow unpinning any smart
// pointer type, and not only mut references, but this causes coherence issues,
// because `Pin` itself is a smart pointer. I could not think of a workaround
// that did not require specialization, other than to hardcode the set of
// pointer types supported.
//
// Since we're hardcoding a set of pointer types above *anyway*, we just need to
// keep the list of unpinnable types in sync with the list of "pointers to
// transmutable things" above.
//
// Safety: since we require `Unpin`, `Pin` does not restrict getting the mut
// reference out of the pin, and is `repr(transparent)`
unsafe impl<'a, T: ?Sized, U: ?Sized> IncompleteTransmute<&'a mut U> for Pin<&'a mut T>
where
T: IncompleteTransmute<U>,
U: Unpin,
{
}
// IncompleteCast implementations for transmutable types.
impl<T, U> IncompleteCast<U> for T
where
T: IncompleteTransmute<U>,
{
fn incomplete_cast(self) -> U {
unsafe { transmute_checksize(self) }
}
}
// TODO(jeanpierreda): Slices of references.
impl<'a, T: ?Sized, U: ?Sized> IncompleteCast<Vec<&'a U>> for Vec<&'a T>
where
T: IncompleteTransmute<U>,
{
fn incomplete_cast(self) -> Vec<&'a U> {
let (p, len, capacity) = self.into_raw_parts();
unsafe { Vec::from_raw_parts(p as *mut &'a U, len, capacity) }
}
}
/// `unsafe_define!(symbol!("..."), T)` claims that `T` is the unique definition
/// of the type identified by that symbol, and implements the conversions for
/// pointers to and from the corresponding `Incomplete` pointers.
///
/// Safety: if more than one type claim to be the definition, then they may be
/// transmuted into each other in safe code. The safety requirements for
/// `std::mem::transmute` apply.
#[macro_export]
macro_rules! unsafe_define {
// TODO(jeanpierreda): support generic complete type (e.g. `symbol!("xyz") <-> Foo<T> where T : Bar`)
($Name:ty, $Complete:ty) => {
unsafe impl<Declarer> $crate::IncompleteTransmute<$crate::Incomplete<$Name, Declarer>>
for $Complete
{
}
unsafe impl<Declarer> $crate::IncompleteTransmute<$Complete>
for $crate::Incomplete<$Name, Declarer>
{
}
unsafe impl $crate::IncompleteTransmute<$Complete> for $Complete {}
};
}