Skip to content

Commit dfd7b91

Browse files
committed
Allow using #[pin_project] type with private field types
Previously, given code such as: ```rust struct Private<T>; pub struct Public<T> { #[pin] private: Private<T> } ``` we would generate an Unpin impl like this: ```rust impl Unpin for Public where Private: Unpin {} ``` Unfortunately, since Private is not a public type, this would cause an E0446 ('private type `Private` in public interface) When RFC 2145 is implemented (rust-lang/rust#48054), this will become a lint, rather then a hard error. In the time being, we need a solution that will work with the current type privacy rules. The solution is to generate code like this: ```rust fn __private_scope() { pub struct __UnpinPublic<T> { __field0: Private<T> } impl<T> Unpin for Public<T> where __UnpinPublic<T>: Unpin {} } ``` That is, we generate a new struct, containing all of the pinned fields from our #[pin_project] type. This struct is delcared within a function, which makes it impossible to be named by user code. This guarnatees that it will use the default auto-trait impl for Unpin - that is, it will implement Unpin iff all of its fields implement Unpin. This type can be safely declared as 'public', satisfiying the privacy checker without actually allowing user code to access it. This allows users to apply the #[pin_project] attribute to types regardless of the privacy of the types of their fields.
1 parent c3f6a41 commit dfd7b91

File tree

12 files changed

+260
-11
lines changed

12 files changed

+260
-11
lines changed

pin-project-internal/Cargo.toml

+3
Original file line numberDiff line numberDiff line change
@@ -35,3 +35,6 @@ lazy_static = { version = "1.3", optional = true }
3535

3636
[dev-dependencies]
3737
pin-project = { version = "0.4.0-alpha", path = ".." }
38+
39+
[build-dependencies]
40+
rustc_version = "0.2.3"

pin-project-internal/build.rs

+15
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,15 @@
1+
// Based on https://stackoverflow.com/a/49250753/1290530
2+
3+
use rustc_version::{version_meta, Channel};
4+
5+
fn main() {
6+
// Set cfg flags depending on release channel
7+
match version_meta().unwrap().channel {
8+
// Enable our feature on nightly, or when using a
9+
// locally build rustc
10+
Channel::Nightly | Channel::Dev => {
11+
println!("cargo:rustc-cfg=feature=\"RUSTC_IS_NIGHTLY\"");
12+
}
13+
_ => {}
14+
}
15+
}

pin-project-internal/src/lib.rs

+1
Original file line numberDiff line numberDiff line change
@@ -8,6 +8,7 @@
88
#![warn(single_use_lifetimes)]
99
#![warn(clippy::all, clippy::pedantic)]
1010
#![allow(clippy::use_self)]
11+
#![cfg_attr(feature = "RUSTC_IS_NIGHTLY", feature(proc_macro_def_site))]
1112

1213
extern crate proc_macro;
1314

pin-project-internal/src/pin_project/enums.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -79,7 +79,7 @@ fn named(
7979
for Field { attrs, ident, ty, .. } in fields {
8080
if let Some(attr) = attrs.find_remove(PIN) {
8181
let _: Nothing = syn::parse2(attr.tokens)?;
82-
cx.push_unpin_bounds(ty);
82+
cx.push_unpin_bounds(ty.clone());
8383
let lifetime = &cx.lifetime;
8484
proj_body.push(quote!(#ident: ::core::pin::Pin::new_unchecked(#ident)));
8585
proj_field.push(quote!(#ident: ::core::pin::Pin<&#lifetime mut #ty>));
@@ -108,7 +108,7 @@ fn unnamed(
108108
let x = format_ident!("_x{}", i);
109109
if let Some(attr) = attrs.find_remove(PIN) {
110110
let _: Nothing = syn::parse2(attr.tokens)?;
111-
cx.push_unpin_bounds(ty);
111+
cx.push_unpin_bounds(ty.clone());
112112
let lifetime = &cx.lifetime;
113113
proj_body.push(quote!(::core::pin::Pin::new_unchecked(#x)));
114114
proj_field.push(quote!(::core::pin::Pin<&#lifetime mut #ty>));

pin-project-internal/src/pin_project/mod.rs

+132-7
Original file line numberDiff line numberDiff line change
@@ -64,6 +64,8 @@ struct Context {
6464
/// Where-clause for conditional Unpin implementation.
6565
impl_unpin: WhereClause,
6666

67+
pinned_fields: Vec<Type>,
68+
6769
unsafe_unpin: bool,
6870
pinned_drop: Option<Span>,
6971
}
@@ -97,6 +99,7 @@ impl Context {
9799
generics,
98100
lifetime,
99101
impl_unpin,
102+
pinned_fields: vec![],
100103
unsafe_unpin: unsafe_unpin.is_some(),
101104
pinned_drop,
102105
})
@@ -109,21 +112,143 @@ impl Context {
109112
generics
110113
}
111114

112-
fn push_unpin_bounds(&mut self, ty: &Type) {
113-
// We only add bounds for automatically generated impls
114-
if !self.unsafe_unpin {
115-
self.impl_unpin.predicates.push(syn::parse_quote!(#ty: ::core::marker::Unpin));
116-
}
115+
fn push_unpin_bounds(&mut self, ty: Type) {
116+
self.pinned_fields.push(ty);
117117
}
118118

119119
/// Makes conditional `Unpin` implementation for original type.
120120
fn make_unpin_impl(&self) -> TokenStream {
121121
let orig_ident = &self.orig_ident;
122122
let (impl_generics, ty_generics, _) = self.generics.split_for_impl();
123+
let type_params: Vec<_> = self.generics.type_params().map(|t| t.ident.clone()).collect();
123124
let where_clause = &self.impl_unpin;
124125

125-
quote! {
126-
impl #impl_generics ::core::marker::Unpin for #orig_ident #ty_generics #where_clause {}
126+
if self.unsafe_unpin {
127+
quote! {
128+
impl #impl_generics ::core::marker::Unpin for #orig_ident #ty_generics #where_clause {}
129+
}
130+
} else {
131+
let make_span = || {
132+
#[cfg(feature = "RUSTC_IS_NIGHTLY")]
133+
{
134+
proc_macro::Span::def_site().into()
135+
}
136+
137+
#[cfg(not(feature = "RUSTC_IS_NIGHTLY"))]
138+
{
139+
Span::call_site()
140+
}
141+
};
142+
143+
let struct_ident = Ident::new(&format!("__UnpinStruct{}", orig_ident), make_span());
144+
let always_unpin_ident = Ident::new("AlwaysUnpin", make_span());
145+
146+
// Generate a field in our new struct for every
147+
// pinned field in the original type
148+
let fields: Vec<_> = self
149+
.pinned_fields
150+
.iter()
151+
.enumerate()
152+
.map(|(i, ty)| {
153+
let field_ident = format_ident!("__field{}", i);
154+
quote! {
155+
#field_ident: #ty
156+
}
157+
})
158+
.collect();
159+
160+
// We could try to determine the subset of type parameters
161+
// and lifetimes that are actually used by the pinned fields
162+
// (as opposed to those only used by unpinned fields).
163+
// However, this would be tricky and error-prone, since
164+
// it's possible for users to create types that would alias
165+
// with generic parameters (e.g. 'struct T').
166+
//
167+
// Instead, we generate a use of every single type parameter
168+
// and lifetime used in the original struct. For type parameters,
169+
// we generate code like this:
170+
//
171+
// ```rust
172+
// struct AlwaysUnpin<T: ?Sized>(PhantomData<T>) {}
173+
// impl<T: ?Sized> Unpin for AlwaysUnpin<T> {}
174+
//
175+
// ...
176+
// _field: AlwaysUnpin<(A, B, C)>
177+
// ```
178+
//
179+
// This ensures that any unused type paramters
180+
// don't end up with Unpin bounds
181+
let lifetime_fields: Vec<_> = self
182+
.generics
183+
.lifetimes()
184+
.enumerate()
185+
.map(|(i, l)| {
186+
let field_ident = format_ident!("__lifetime{}", i);
187+
quote! {
188+
#field_ident: &#l ()
189+
}
190+
})
191+
.collect();
192+
193+
let scope_ident = format_ident!("__unpin_scope_{}", orig_ident);
194+
195+
let full_generics = &self.generics;
196+
let mut full_where_clause = where_clause.clone();
197+
198+
let unpin_clause: WherePredicate = syn::parse_quote! {
199+
#struct_ident #ty_generics: ::core::marker::Unpin
200+
};
201+
202+
full_where_clause.predicates.push(unpin_clause);
203+
204+
let inner_data = quote! {
205+
206+
struct #always_unpin_ident <T: ?Sized> {
207+
val: ::core::marker::PhantomData<T>
208+
}
209+
210+
impl<T: ?Sized> ::core::marker::Unpin for #always_unpin_ident <T> {}
211+
212+
// This needs to be public, due to the limitations of the
213+
// 'public in private' error.
214+
//
215+
// Out goal is to implement the public trait Unpin for
216+
// a potentially public user type. Because of this, rust
217+
// requires that any types mentioned in the where clause of
218+
// our Unpin impl also be public. This means that our generated
219+
// '__UnpinStruct' type must also be public. However, we take
220+
// steps to ensure that the user can never actually reference
221+
// this 'public' type. These steps are described below
222+
pub struct #struct_ident #full_generics #where_clause {
223+
__pin_project_use_generics: #always_unpin_ident <(#(#type_params),*)>,
224+
225+
#(#fields,)*
226+
#(#lifetime_fields,)*
227+
}
228+
229+
impl #impl_generics ::core::marker::Unpin for #orig_ident #ty_generics #full_where_clause {}
230+
};
231+
232+
if cfg!(feature = "RUSTC_IS_NIGHTLY") {
233+
// On nightly, we use def-site hygiene to make it impossible
234+
// for user code to refer to any of the types we define.
235+
// This allows us to omit wrapping the generated types
236+
// in an fn() scope, allowing rustdoc to properly document
237+
// them.
238+
inner_data
239+
} else {
240+
// When we're not on nightly, we need to create an enclosing fn() scope
241+
// for all of our generated items. This makes it impossible for
242+
// user code to refer to any of our generated types, but has
243+
// the advantage of preventing Rustdoc from displaying
244+
// docs for any of our types. In particular, users cannot see
245+
// the automatically generated Unpin impl for the '__UnpinStruct$Name' types
246+
quote! {
247+
fn #scope_ident() {
248+
inner_data
249+
}
250+
}
251+
}
127252
}
128253
}
129254

pin-project-internal/src/pin_project/structs.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -53,7 +53,7 @@ fn named(
5353
for Field { attrs, ident, ty, .. } in fields {
5454
if let Some(attr) = attrs.find_remove(PIN) {
5555
let _: Nothing = syn::parse2(attr.tokens)?;
56-
cx.push_unpin_bounds(ty);
56+
cx.push_unpin_bounds(ty.clone());
5757
let lifetime = &cx.lifetime;
5858
proj_fields.push(quote!(#ident: ::core::pin::Pin<&#lifetime mut #ty>));
5959
proj_init.push(quote!(#ident: ::core::pin::Pin::new_unchecked(&mut this.#ident)));
@@ -79,7 +79,7 @@ fn unnamed(
7979
let i = Index::from(i);
8080
if let Some(attr) = attrs.find_remove(PIN) {
8181
let _: Nothing = syn::parse2(attr.tokens)?;
82-
cx.push_unpin_bounds(ty);
82+
cx.push_unpin_bounds(ty.clone());
8383
let lifetime = &cx.lifetime;
8484
proj_fields.push(quote!(::core::pin::Pin<&#lifetime mut #ty>));
8585
proj_init.push(quote!(::core::pin::Pin::new_unchecked(&mut this.#i)));

src/lib.rs

+6
Original file line numberDiff line numberDiff line change
@@ -6,6 +6,12 @@
66
//! * [`pinned_drop`] - An attribute for annotating a function that implements `Drop`.
77
//! * [`project`] - An attribute to support pattern matching.
88
//!
9+
//! NOTE: While this crate supports stable Rust, it currently requires
10+
//! nightly Rust in order for rustdoc to correctly document auto-generated
11+
//! `Unpin` impls. This does not affect the runtime functionality of this crate,
12+
//! nor does it affect the safety of the api provided by this crate.
13+
//!
14+
//!
915
//! ## Examples
1016
//!
1117
//! [`pin_project`] attribute creates a projection struct covering all the fields.

tests/pin_project.rs

+24
Original file line numberDiff line numberDiff line change
@@ -238,3 +238,27 @@ fn combine() {
238238
#[allow(unsafe_code)]
239239
unsafe impl<T: Unpin> UnsafeUnpin for Foo<T> {}
240240
}
241+
242+
#[test]
243+
// This 'allow' is unrelated to the code
244+
// generated by pin-project - it's just to
245+
// allow us to put a private enum in a public enum
246+
#[allow(private_in_public)]
247+
fn test_private_type_in_public_type() {
248+
#[pin_project]
249+
pub struct PublicStruct<T> {
250+
#[pin]
251+
inner: PrivateStruct<T>,
252+
}
253+
254+
struct PrivateStruct<T>(T);
255+
256+
#[pin_project]
257+
pub enum PublicEnum {
258+
Variant(#[pin] PrivateEnum),
259+
}
260+
261+
enum PrivateEnum {
262+
OtherVariant(u8),
263+
}
264+
}

tests/ui/pin_project/proper_unpin.rs

+25
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,25 @@
1+
// compile-fail
2+
3+
#![deny(warnings, unsafe_code)]
4+
5+
use pin_project::{pin_project, pinned_drop};
6+
use std::pin::Pin;
7+
8+
struct Inner<T> {
9+
val: T
10+
}
11+
12+
#[pin_project]
13+
struct Foo<T, U> {
14+
#[pin]
15+
inner: Inner<T>,
16+
other: U
17+
}
18+
19+
fn is_unpin<T: Unpin>() {}
20+
21+
fn bar<T, U>() {
22+
is_unpin::<Foo<T, U>>(); //~ ERROR E0277
23+
}
24+
25+
fn main() {}
+19
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,19 @@
1+
error[E0277]: the trait bound `T: std::marker::Unpin` is not satisfied in `__UnpinStructFoo<T, U>`
2+
--> $DIR/proper_unpin.rs:22:5
3+
|
4+
22 | is_unpin::<Foo<T, U>>(); //~ ERROR E0277
5+
| ^^^^^^^^^^^^^^^^^^^^^ within `__UnpinStructFoo<T, U>`, the trait `std::marker::Unpin` is not implemented for `T`
6+
|
7+
= help: consider adding a `where T: std::marker::Unpin` bound
8+
= note: required because it appears within the type `Inner<T>`
9+
= note: required because it appears within the type `__UnpinStructFoo<T, U>`
10+
= note: required because of the requirements on the impl of `std::marker::Unpin` for `Foo<T, U>`
11+
note: required by `is_unpin`
12+
--> $DIR/proper_unpin.rs:19:1
13+
|
14+
19 | fn is_unpin<T: Unpin>() {}
15+
| ^^^^^^^^^^^^^^^^^^^^^^^
16+
17+
error: aborting due to previous error
18+
19+
For more information about this error, try `rustc --explain E0277`.

tests/ui/pin_project/unpin_sneaky.rs

+11
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,11 @@
1+
use pin_project::pin_project;
2+
3+
#[pin_project]
4+
struct Foo {
5+
#[pin]
6+
inner: u8
7+
}
8+
9+
impl Unpin for __UnpinStructFoo {}
10+
11+
fn main() {}
+20
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,20 @@
1+
error[E0412]: cannot find type `__UnpinStructFoo` in this scope
2+
--> $DIR/unpin_sneaky.rs:9:16
3+
|
4+
9 | impl Unpin for __UnpinStructFoo {}
5+
| ^^^^^^^^^^^^^^^^ not found in this scope
6+
help: possible candidate is found in another module, you can import it into scope
7+
|
8+
1 | use crate::__UnpinStructFoo;
9+
|
10+
11+
error[E0321]: cross-crate traits with a default impl, like `std::marker::Unpin`, can only be implemented for a struct/enum type, not `[type error]`
12+
--> $DIR/unpin_sneaky.rs:9:1
13+
|
14+
9 | impl Unpin for __UnpinStructFoo {}
15+
| ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ can't implement cross-crate trait with a default impl for non-struct/enum type
16+
17+
error: aborting due to 2 previous errors
18+
19+
Some errors have detailed explanations: E0321, E0412.
20+
For more information about an error, try `rustc --explain E0321`.

0 commit comments

Comments
 (0)