Skip to content

Commit 7650afc

Browse files
committed
Make transmuting from fn item types to pointer-sized types a hard error.
1 parent e1cb9ba commit 7650afc

File tree

8 files changed

+153
-116
lines changed

8 files changed

+153
-116
lines changed

src/librustc/diagnostics.rs

+62
Original file line numberDiff line numberDiff line change
@@ -1725,6 +1725,68 @@ If you want to get command-line arguments, use `std::env::args`. To exit with a
17251725
specified exit code, use `std::process::exit`.
17261726
"##,
17271727

1728+
E0591: r##"
1729+
Per [RFC 401][rfc401], if you have a function declaration `foo`:
1730+
1731+
```rust,ignore
1732+
// For the purposes of this explanation, all of these
1733+
// different kinds of `fn` declarations are equivalent:
1734+
fn foo(x: i32) { ... }
1735+
extern "C" fn foo(x: i32);
1736+
impl i32 { fn foo(x: self) { ... } }
1737+
```
1738+
1739+
the type of `foo` is **not** `fn(i32)`, as one might expect.
1740+
Rather, it is a unique, zero-sized marker type written here as `typeof(foo)`.
1741+
However, `typeof(foo)` can be _coerced_ to a function pointer `fn(i32)`,
1742+
so you rarely notice this:
1743+
1744+
```rust,ignore
1745+
let x: fn(i32) = foo; // OK, coerces
1746+
```
1747+
1748+
The reason that this matter is that the type `fn(i32)` is not specific to
1749+
any particular function: it's a function _pointer_. So calling `x()` results
1750+
in a virtual call, whereas `foo()` is statically dispatched, because the type
1751+
of `foo` tells us precisely what function is being called.
1752+
1753+
As noted above, coercions mean that most code doesn't have to be
1754+
concerned with this distinction. However, you can tell the difference
1755+
when using **transmute** to convert a fn item into a fn pointer.
1756+
1757+
This is sometimes done as part of an FFI:
1758+
1759+
```rust,ignore
1760+
extern "C" fn foo(userdata: Box<i32>) {
1761+
...
1762+
}
1763+
1764+
let f: extern "C" fn(*mut i32) = transmute(foo);
1765+
callback(f);
1766+
1767+
```
1768+
1769+
Here, transmute is being used to convert the types of the fn arguments.
1770+
This pattern is incorrect because, because the type of `foo` is a function
1771+
**item** (`typeof(foo)`), which is zero-sized, and the target type (`fn()`)
1772+
is a function pointer, which is not zero-sized.
1773+
This pattern should be rewritten. There are a few possible ways to do this:
1774+
- change the original fn declaration to match the expected signature,
1775+
and do the cast in the fn body (the prefered option)
1776+
- cast the fn item fo a fn pointer before calling transmute, as shown here:
1777+
- `let f: extern "C" fn(*mut i32) = transmute(foo as extern "C" fn(_))`
1778+
- `let f: extern "C" fn(*mut i32) = transmute(foo as usize) /* works too */`
1779+
1780+
The same applies to transmutes to `*mut fn()`, which were observedin practice.
1781+
Note though that use of this type is generally incorrect.
1782+
The intention is typically to describe a function pointer, but just `fn()`
1783+
alone suffices for that. `*mut fn()` is a pointer to a fn pointer.
1784+
(Since these values are typically just passed to C code, however, this rarely
1785+
makes a difference in practice.)
1786+
1787+
[rfc401]: https://github.com/rust-lang/rfcs/blob/master/text/0401-coercions.md
1788+
"##,
1789+
17281790
}
17291791

17301792

src/librustc/lint/builtin.rs

-7
Original file line numberDiff line numberDiff line change
@@ -155,12 +155,6 @@ declare_lint! {
155155
"uses of #[derive] with raw pointers are rarely correct"
156156
}
157157

158-
declare_lint! {
159-
pub TRANSMUTE_FROM_FN_ITEM_TYPES,
160-
Deny,
161-
"transmute from function item type to pointer-sized type erroneously allowed"
162-
}
163-
164158
declare_lint! {
165159
pub HR_LIFETIME_IN_ASSOC_TYPE,
166160
Deny,
@@ -273,7 +267,6 @@ impl LintPass for HardwiredLints {
273267
ILLEGAL_STRUCT_OR_ENUM_CONSTANT_PATTERN,
274268
CONST_ERR,
275269
RAW_POINTER_DERIVE,
276-
TRANSMUTE_FROM_FN_ITEM_TYPES,
277270
OVERLAPPING_INHERENT_IMPLS,
278271
RENAMED_AND_REMOVED_LINTS,
279272
SUPER_OR_SELF_IN_GLOBAL_PATH,

src/librustc/middle/intrinsicck.rs

+39-9
Original file line numberDiff line numberDiff line change
@@ -17,7 +17,6 @@ use ty::{self, Ty, TyCtxt};
1717
use ty::layout::{LayoutError, Pointer, SizeSkeleton};
1818

1919
use syntax::abi::Abi::RustIntrinsic;
20-
use syntax::ast;
2120
use syntax_pos::Span;
2221
use hir::intravisit::{self, Visitor, NestedVisitorMap};
2322
use hir;
@@ -37,6 +36,35 @@ struct ExprVisitor<'a, 'gcx: 'a+'tcx, 'tcx: 'a> {
3736
infcx: &'a InferCtxt<'a, 'gcx, 'tcx>
3837
}
3938

39+
/// If the type is `Option<T>`, it will return `T`, otherwise
40+
/// the type itself. Works on most `Option`-like types.
41+
fn unpack_option_like<'a, 'tcx>(tcx: TyCtxt<'a, 'tcx, 'tcx>,
42+
ty: Ty<'tcx>)
43+
-> Ty<'tcx> {
44+
let (def, substs) = match ty.sty {
45+
ty::TyAdt(def, substs) => (def, substs),
46+
_ => return ty
47+
};
48+
49+
if def.variants.len() == 2 && !def.repr.c && def.repr.int.is_none() {
50+
let data_idx;
51+
52+
if def.variants[0].fields.is_empty() {
53+
data_idx = 1;
54+
} else if def.variants[1].fields.is_empty() {
55+
data_idx = 0;
56+
} else {
57+
return ty;
58+
}
59+
60+
if def.variants[data_idx].fields.len() == 1 {
61+
return def.variants[data_idx].fields[0].ty(tcx, substs);
62+
}
63+
}
64+
65+
ty
66+
}
67+
4068
impl<'a, 'gcx, 'tcx> ExprVisitor<'a, 'gcx, 'tcx> {
4169
fn def_id_is_transmute(&self, def_id: DefId) -> bool {
4270
let intrinsic = match self.infcx.tcx.item_type(def_id).sty {
@@ -46,7 +74,7 @@ impl<'a, 'gcx, 'tcx> ExprVisitor<'a, 'gcx, 'tcx> {
4674
intrinsic && self.infcx.tcx.item_name(def_id) == "transmute"
4775
}
4876

49-
fn check_transmute(&self, span: Span, from: Ty<'gcx>, to: Ty<'gcx>, id: ast::NodeId) {
77+
fn check_transmute(&self, span: Span, from: Ty<'gcx>, to: Ty<'gcx>) {
5078
let sk_from = SizeSkeleton::compute(from, self.infcx);
5179
let sk_to = SizeSkeleton::compute(to, self.infcx);
5280

@@ -56,15 +84,17 @@ impl<'a, 'gcx, 'tcx> ExprVisitor<'a, 'gcx, 'tcx> {
5684
return;
5785
}
5886

87+
// Special-case transmutting from `typeof(function)` and
88+
// `Option<typeof(function)>` to present a clearer error.
89+
let from = unpack_option_like(self.infcx.tcx.global_tcx(), from);
5990
match (&from.sty, sk_to) {
6091
(&ty::TyFnDef(..), SizeSkeleton::Known(size_to))
6192
if size_to == Pointer.size(&self.infcx.tcx.data_layout) => {
62-
// FIXME #19925 Remove this warning after a release cycle.
63-
let msg = format!("`{}` is now zero-sized and has to be cast \
64-
to a pointer before transmuting to `{}`",
65-
from, to);
66-
self.infcx.tcx.sess.add_lint(
67-
::lint::builtin::TRANSMUTE_FROM_FN_ITEM_TYPES, id, span, msg);
93+
struct_span_err!(self.infcx.tcx.sess, span, E0591,
94+
"`{}` is zero-sized and can't be transmuted to `{}`",
95+
from, to)
96+
.span_note(span, &format!("cast with `as` to a pointer instead"))
97+
.emit();
6898
return;
6999
}
70100
_ => {}
@@ -140,7 +170,7 @@ impl<'a, 'gcx, 'tcx> Visitor<'gcx> for ExprVisitor<'a, 'gcx, 'tcx> {
140170
ty::TyFnDef(.., sig) if sig.abi() == RustIntrinsic => {
141171
let from = sig.inputs().skip_binder()[0];
142172
let to = *sig.output().skip_binder();
143-
self.check_transmute(expr.span, from, to, expr.id);
173+
self.check_transmute(expr.span, from, to);
144174
}
145175
_ => {
146176
span_bug!(expr.span, "transmute wasn't a bare fn?!");

src/librustc_lint/lib.rs

+2-4
Original file line numberDiff line numberDiff line change
@@ -195,10 +195,6 @@ pub fn register_builtins(store: &mut lint::LintStore, sess: Option<&Session>) {
195195
id: LintId::of(SUPER_OR_SELF_IN_GLOBAL_PATH),
196196
reference: "issue #36888 <https://github.com/rust-lang/rust/issues/36888>",
197197
},
198-
FutureIncompatibleInfo {
199-
id: LintId::of(TRANSMUTE_FROM_FN_ITEM_TYPES),
200-
reference: "issue #19925 <https://github.com/rust-lang/rust/issues/19925>",
201-
},
202198
FutureIncompatibleInfo {
203199
id: LintId::of(OVERLAPPING_INHERENT_IMPLS),
204200
reference: "issue #36889 <https://github.com/rust-lang/rust/issues/36889>",
@@ -260,4 +256,6 @@ pub fn register_builtins(store: &mut lint::LintStore, sess: Option<&Session>) {
260256
store.register_removed("raw_pointer_deriving",
261257
"using derive with raw pointers is ok");
262258
store.register_removed("drop_with_repr_extern", "drop flags have been removed");
259+
store.register_removed("transmute_from_fn_item_types",
260+
"always cast functions before transmuting them");
263261
}

src/librustc_trans/mir/block.rs

+2-19
Original file line numberDiff line numberDiff line change
@@ -21,7 +21,7 @@ use builder::Builder;
2121
use common::{self, Funclet};
2222
use common::{C_bool, C_str_slice, C_struct, C_u32, C_undef};
2323
use consts;
24-
use machine::{llalign_of_min, llbitsize_of_real};
24+
use machine::llalign_of_min;
2525
use meth;
2626
use type_of::{self, align_of};
2727
use glue;
@@ -869,24 +869,7 @@ impl<'a, 'tcx> MirContext<'a, 'tcx> {
869869
fn trans_transmute_into(&mut self, bcx: &Builder<'a, 'tcx>,
870870
src: &mir::Operand<'tcx>,
871871
dst: &LvalueRef<'tcx>) {
872-
let mut val = self.trans_operand(bcx, src);
873-
if let ty::TyFnDef(def_id, substs, _) = val.ty.sty {
874-
let llouttype = type_of::type_of(bcx.ccx, dst.ty.to_ty(bcx.tcx()));
875-
let out_type_size = llbitsize_of_real(bcx.ccx, llouttype);
876-
if out_type_size != 0 {
877-
// FIXME #19925 Remove this hack after a release cycle.
878-
let f = Callee::def(bcx.ccx, def_id, substs);
879-
let ty = match f.ty.sty {
880-
ty::TyFnDef(.., f) => bcx.tcx().mk_fn_ptr(f),
881-
_ => f.ty
882-
};
883-
val = OperandRef {
884-
val: Immediate(f.reify(bcx.ccx)),
885-
ty: ty
886-
};
887-
}
888-
}
889-
872+
let val = self.trans_operand(bcx, src);
890873
let llty = type_of::type_of(bcx.ccx, val.ty);
891874
let cast_ptr = bcx.pointercast(dst.llval, llty.ptr_to());
892875
let in_type = val.ty;

src/test/compile-fail/transmute-from-fn-item-types-error.rs

+48-1
Original file line numberDiff line numberDiff line change
@@ -10,14 +10,61 @@
1010

1111
use std::mem;
1212

13+
unsafe fn foo() -> (isize, *const (), Option<fn()>) {
14+
let i = mem::transmute(bar);
15+
//~^ ERROR is zero-sized and can't be transmuted
16+
//~^^ NOTE cast with `as` to a pointer instead
17+
18+
let p = mem::transmute(foo);
19+
//~^ ERROR is zero-sized and can't be transmuted
20+
//~^^ NOTE cast with `as` to a pointer instead
21+
22+
let of = mem::transmute(main);
23+
//~^ ERROR is zero-sized and can't be transmuted
24+
//~^^ NOTE cast with `as` to a pointer instead
25+
26+
(i, p, of)
27+
}
28+
1329
unsafe fn bar() {
14-
// Error, still, if the resulting type is not pointer-sized.
30+
// Error as usual if the resulting type is not pointer-sized.
1531
mem::transmute::<_, u8>(main);
1632
//~^ ERROR transmute called with differently sized types
33+
//~^^ NOTE transmuting between 0 bits and 8 bits
34+
35+
mem::transmute::<_, *mut ()>(foo);
36+
//~^ ERROR is zero-sized and can't be transmuted
37+
//~^^ NOTE cast with `as` to a pointer instead
38+
39+
mem::transmute::<_, fn()>(bar);
40+
//~^ ERROR is zero-sized and can't be transmuted
41+
//~^^ NOTE cast with `as` to a pointer instead
42+
43+
// No error if a coercion would otherwise occur.
44+
mem::transmute::<fn(), usize>(main);
45+
}
46+
47+
unsafe fn baz() {
48+
mem::transmute::<_, *mut ()>(Some(foo));
49+
//~^ ERROR is zero-sized and can't be transmuted
50+
//~^^ NOTE cast with `as` to a pointer instead
51+
52+
mem::transmute::<_, fn()>(Some(bar));
53+
//~^ ERROR is zero-sized and can't be transmuted
54+
//~^^ NOTE cast with `as` to a pointer instead
55+
56+
mem::transmute::<_, Option<fn()>>(Some(baz));
57+
//~^ ERROR is zero-sized and can't be transmuted
58+
//~^^ NOTE cast with `as` to a pointer instead
59+
60+
// No error if a coercion would otherwise occur.
61+
mem::transmute::<Option<fn()>, usize>(Some(main));
1762
}
1863

1964
fn main() {
2065
unsafe {
66+
foo();
2167
bar();
68+
baz();
2269
}
2370
}

src/test/compile-fail/transmute-from-fn-item-types-lint.rs

-49
This file was deleted.

src/test/run-pass/transmute-from-fn-item-types.rs

-27
This file was deleted.

0 commit comments

Comments
 (0)