Skip to content

Commit b9c5197

Browse files
committed
Auto merge of #39987 - japaric:used, r=arielb1
#[used] attribute (For an explanation of what this feature does, read the commit message) I'd like to propose landing this as an experimental feature (experimental as in: no clear stabilization path -- like `asm!`, `#[linkage]`) as it's low maintenance (I think) and relevant to the "Usage in resource-constrained environments" exploration area. The main use case I see is running code before `main`. This could be used, for instance, to cheaply initialize an allocator before `main` where the alternative is to use `lazy_static` to initialize the allocator on its first use which it's more expensive (atomics) and doesn't work on ARM Cortex-M0 microcontrollers (no `AtomicUsize` on that platform) Here's a `std` example of that: ``` rust unsafe extern "C" fn before_main_1() { println!("Hello"); } unsafe extern "C" fn before_main_2() { println!("World"); } #[link_section = ".init_arary"] #[used] static INIT_ARRAY: [unsafe extern "C" fn(); 2] = [before_main_1, before_main_2]; fn main() { println!("Goodbye"); } ``` ``` $ rustc -C lto -C opt-level=3 before_main.rs $ ./before_main Hello World Goodbye ``` In general, this pattern could be used to let *dependencies* run code before `main` (which sounds like it could go very wrong in some cases). There are probably other use cases; I hope that the people I have cc-ed can comment on those. Note that I'm personally unsure if the above pattern is something we want to promote / allow and that's why I'm proposing this feature as experimental. If this leads to more footguns than benefits then we can just axe the feature. cc @nikomatsakis ^ I know you have some thoughts on having a process for experimental features though I'm fine with writing an RFC before landing this. - `dead_code` lint will have to be updated to special case `#[used]` symbols. - Should we extend `#[used]` to work on non-generic functions? cc rust-lang/rfcs#1002 cc rust-lang/rfcs#1459 cc @dpc @JinShil
2 parents 2277f4b + 98037ca commit b9c5197

File tree

9 files changed

+238
-1
lines changed

9 files changed

+238
-1
lines changed

src/doc/unstable-book/src/SUMMARY.md

+1
Original file line numberDiff line numberDiff line change
@@ -205,6 +205,7 @@
205205
- [unwind_attributes](unwind-attributes.md)
206206
- [update_panic_count](update-panic-count.md)
207207
- [use_extern_macros](use-extern-macros.md)
208+
- [used](used.md)
208209
- [utf8_error_error_len](utf8-error-error-len.md)
209210
- [vec_remove_item](vec-remove-item.md)
210211
- [windows_c](windows-c.md)

src/doc/unstable-book/src/used.md

+153
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,153 @@
1+
# `used`
2+
3+
The tracking issue for this feature
4+
is: [40289](https://github.com/rust-lang/rust/issues/40289).
5+
6+
------------------------
7+
8+
The `#[used]` attribute can be applied to `static` variables to prevent the Rust
9+
compiler from optimizing them away even if they appear to be unused by the crate
10+
(appear to be "dead code").
11+
12+
``` rust
13+
#![feature(used)]
14+
15+
#[used]
16+
static FOO: i32 = 1;
17+
18+
static BAR: i32 = 2;
19+
20+
fn main() {}
21+
```
22+
23+
If you compile this program into an object file, you'll see that `FOO` makes it
24+
to the object file but `BAR` doesn't. Neither static variable is used by the
25+
program.
26+
27+
``` text
28+
$ rustc -C opt-level=3 --emit=obj used.rs
29+
30+
$ nm -C used.o
31+
0000000000000000 T main
32+
U std::rt::lang_start
33+
0000000000000000 r used::FOO
34+
0000000000000000 t used::main
35+
```
36+
37+
Note that the *linker* knows nothing about the `#[used]` attribute and will
38+
remove `#[used]` symbols if they are not referenced by other parts of the
39+
program:
40+
41+
``` text
42+
$ rustc -C opt-level=3 used.rs
43+
44+
$ nm -C used | grep FOO
45+
```
46+
47+
"This doesn't sound too useful then!" you may think but keep reading.
48+
49+
To preserve the symbols all the way to the final binary, you'll need the
50+
cooperation of the linker. Here's one example:
51+
52+
The ELF standard defines two special sections, `.init_array` and
53+
`.pre_init_array`, that may contain function pointers which will be executed
54+
*before* the `main` function is invoked. The linker will preserve symbols placed
55+
in these sections (at least when linking programs that target the `*-*-linux-*`
56+
targets).
57+
58+
``` rust,ignore
59+
#![feature(used)]
60+
61+
extern "C" fn before_main() {
62+
println!("Hello, world!");
63+
}
64+
65+
#[link_section = ".init_array"]
66+
#[used]
67+
static INIT_ARRAY: [extern "C" fn(); 1] = [before_main];
68+
69+
fn main() {}
70+
```
71+
72+
So, `#[used]` and `#[link_section]` can be combined to obtain "life before
73+
main".
74+
75+
``` text
76+
$ rustc -C opt-level=3 before-main.rs
77+
78+
$ ./before-main
79+
Hello, world!
80+
```
81+
82+
Another example: ARM Cortex-M microcontrollers need their reset handler, a
83+
pointer to the function that will executed right after the microcontroller is
84+
turned on, to be placed near the start of their FLASH memory to boot properly.
85+
86+
This condition can be met using `#[used]` and `#[link_section]` plus a linker
87+
script.
88+
89+
``` rust,ignore
90+
#![feature(lang_items)]
91+
#![feature(used)]
92+
#![no_main]
93+
#![no_std]
94+
95+
extern "C" fn reset_handler() -> ! {
96+
loop {}
97+
}
98+
99+
#[link_section = ".reset_handler"]
100+
#[used]
101+
static RESET_HANDLER: extern "C" fn() -> ! = reset_handler;
102+
103+
#[lang = "panic_fmt"]
104+
fn panic_fmt() {}
105+
```
106+
107+
``` text
108+
MEMORY
109+
{
110+
FLASH : ORIGIN = 0x08000000, LENGTH = 128K
111+
RAM : ORIGIN = 0x20000000, LENGTH = 20K
112+
}
113+
114+
SECTIONS
115+
{
116+
.text ORIGIN(FLASH) :
117+
{
118+
/* Vector table */
119+
LONG(ORIGIN(RAM) + LENGTH(RAM)); /* initial SP value */
120+
KEEP(*(.reset_handler));
121+
122+
/* Omitted: The rest of the vector table */
123+
124+
*(.text.*);
125+
} > FLASH
126+
127+
/DISCARD/ :
128+
{
129+
/* Unused unwinding stuff */
130+
*(.ARM.exidx.*)
131+
}
132+
}
133+
```
134+
135+
``` text
136+
$ xargo rustc --target thumbv7m-none-eabi --release -- \
137+
-C link-arg=-Tlink.x -C link-arg=-nostartfiles
138+
139+
$ arm-none-eabi-objdump -Cd target/thumbv7m-none-eabi/release/app
140+
./target/thumbv7m-none-eabi/release/app: file format elf32-littlearm
141+
142+
143+
Disassembly of section .text:
144+
145+
08000000 <app::RESET_HANDLER-0x4>:
146+
8000000: 20005000 .word 0x20005000
147+
148+
08000004 <app::RESET_HANDLER>:
149+
8000004: 08000009 ....
150+
151+
08000008 <app::reset_handler>:
152+
8000008: e7fe b.n 8000008 <app::reset_handler>
153+
```

src/librustc_trans/base.rs

+18-1
Original file line numberDiff line numberDiff line change
@@ -50,7 +50,7 @@ use builder::Builder;
5050
use callee;
5151
use common::{C_bool, C_bytes_in_context, C_i32, C_uint};
5252
use collector::{self, TransItemCollectionMode};
53-
use common::{C_struct_in_context, C_u64, C_undef};
53+
use common::{C_struct_in_context, C_u64, C_undef, C_array};
5454
use common::CrateContext;
5555
use common::{type_is_zero_size, val_ty};
5656
use common;
@@ -1187,6 +1187,23 @@ pub fn trans_crate<'a, 'tcx>(tcx: TyCtxt<'a, 'tcx, 'tcx>,
11871187
}
11881188
}
11891189

1190+
// Create the llvm.used variable
1191+
// This variable has type [N x i8*] and is stored in the llvm.metadata section
1192+
if !ccx.used_statics().borrow().is_empty() {
1193+
let name = CString::new("llvm.used").unwrap();
1194+
let section = CString::new("llvm.metadata").unwrap();
1195+
let array = C_array(Type::i8(&ccx).ptr_to(), &*ccx.used_statics().borrow());
1196+
1197+
unsafe {
1198+
let g = llvm::LLVMAddGlobal(ccx.llmod(),
1199+
val_ty(array).to_ref(),
1200+
name.as_ptr());
1201+
llvm::LLVMSetInitializer(g, array);
1202+
llvm::LLVMRustSetLinkage(g, llvm::Linkage::AppendingLinkage);
1203+
llvm::LLVMSetSection(g, section.as_ptr());
1204+
}
1205+
}
1206+
11901207
// Finalize debuginfo
11911208
if ccx.sess().opts.debuginfo != NoDebugInfo {
11921209
debuginfo::finalize(&ccx);

src/librustc_trans/consts.rs

+6
Original file line numberDiff line numberDiff line change
@@ -276,6 +276,12 @@ pub fn trans_static<'a, 'tcx>(ccx: &CrateContext<'a, 'tcx>,
276276

277277
base::set_link_section(ccx, g, attrs);
278278

279+
if attr::contains_name(attrs, "used") {
280+
// This static will be stored in the llvm.used variable which is an array of i8*
281+
let cast = llvm::LLVMConstPointerCast(g, Type::i8p(ccx).to_ref());
282+
ccx.used_statics().borrow_mut().push(cast);
283+
}
284+
279285
Ok(g)
280286
}
281287
}

src/librustc_trans/context.rs

+9
Original file line numberDiff line numberDiff line change
@@ -132,6 +132,10 @@ pub struct LocalCrateContext<'tcx> {
132132
/// to constants.)
133133
statics_to_rauw: RefCell<Vec<(ValueRef, ValueRef)>>,
134134

135+
/// Statics that will be placed in the llvm.used variable
136+
/// See http://llvm.org/docs/LangRef.html#the-llvm-used-global-variable for details
137+
used_statics: RefCell<Vec<ValueRef>>,
138+
135139
lltypes: RefCell<FxHashMap<Ty<'tcx>, Type>>,
136140
llsizingtypes: RefCell<FxHashMap<Ty<'tcx>, Type>>,
137141
type_hashcodes: RefCell<FxHashMap<Ty<'tcx>, String>>,
@@ -587,6 +591,7 @@ impl<'tcx> LocalCrateContext<'tcx> {
587591
impl_method_cache: RefCell::new(FxHashMap()),
588592
closure_bare_wrapper_cache: RefCell::new(FxHashMap()),
589593
statics_to_rauw: RefCell::new(Vec::new()),
594+
used_statics: RefCell::new(Vec::new()),
590595
lltypes: RefCell::new(FxHashMap()),
591596
llsizingtypes: RefCell::new(FxHashMap()),
592597
type_hashcodes: RefCell::new(FxHashMap()),
@@ -754,6 +759,10 @@ impl<'b, 'tcx> CrateContext<'b, 'tcx> {
754759
&self.local().statics_to_rauw
755760
}
756761

762+
pub fn used_statics<'a>(&'a self) -> &'a RefCell<Vec<ValueRef>> {
763+
&self.local().used_statics
764+
}
765+
757766
pub fn lltypes<'a>(&'a self) -> &'a RefCell<FxHashMap<Ty<'tcx>, Type>> {
758767
&self.local().lltypes
759768
}

src/libsyntax/feature_gate.rs

+8
Original file line numberDiff line numberDiff line change
@@ -334,11 +334,15 @@ declare_features! (
334334
// `extern "x86-interrupt" fn()`
335335
(active, abi_x86_interrupt, "1.17.0", Some(40180)),
336336

337+
337338
// Allows the `catch {...}` expression
338339
(active, catch_expr, "1.17.0", Some(31436)),
339340

340341
// See rust-lang/rfcs#1414. Allows code like `let x: &'static u32 = &42` to work.
341342
(active, rvalue_static_promotion, "1.15.1", Some(38865)),
343+
344+
// Used to preserve symbols (see llvm.used)
345+
(active, used, "1.18.0", Some(40289)),
342346
);
343347

344348
declare_features! (
@@ -746,6 +750,10 @@ pub const BUILTIN_ATTRIBUTES: &'static [(&'static str, AttributeType, AttributeG
746750
"unwind_attributes",
747751
"#[unwind] is experimental",
748752
cfg_fn!(unwind_attributes))),
753+
("used", Whitelisted, Gated(
754+
Stability::Unstable, "used",
755+
"the `#[used]` attribute is an experimental feature",
756+
cfg_fn!(used))),
749757

750758
// used in resolve
751759
("prelude_import", Whitelisted, Gated(Stability::Unstable,
+15
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,15 @@
1+
// Copyright 2017 The Rust Project Developers. See the COPYRIGHT
2+
// file at the top-level directory of this distribution and at
3+
// http://rust-lang.org/COPYRIGHT.
4+
//
5+
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6+
// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7+
// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8+
// option. This file may not be copied, modified, or distributed
9+
// except according to those terms.
10+
11+
#[used]
12+
fn foo() {}
13+
//~^^ ERROR the `#[used]` attribute is an experimental feature
14+
15+
fn main() {}

src/test/run-make/used/Makefile

+11
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,11 @@
1+
-include ../tools.mk
2+
3+
ifdef IS_WINDOWS
4+
# Do nothing on MSVC.
5+
all:
6+
exit 0
7+
else
8+
all:
9+
$(RUSTC) -C opt-level=3 --emit=obj used.rs
10+
nm $(TMPDIR)/used.o | grep FOO
11+
endif

src/test/run-make/used/used.rs

+17
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,17 @@
1+
// Copyright 2017 The Rust Project Developers. See the COPYRIGHT
2+
// file at the top-level directory of this distribution and at
3+
// http://rust-lang.org/COPYRIGHT.
4+
//
5+
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6+
// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7+
// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8+
// option. This file may not be copied, modified, or distributed
9+
// except according to those terms.
10+
11+
#![crate_type = "lib"]
12+
#![feature(used)]
13+
14+
#[used]
15+
static FOO: u32 = 0;
16+
17+
static BAR: u32 = 0;

0 commit comments

Comments
 (0)