Skip to content

Commit f407d31

Browse files
committed
librustc: Implement arbitrary lifetimes in trait objects.
All trait objects must be annotated with a lifetime. This means that code like this breaks: fn f(x: Box<Trait>) { ... } fn g<'a>(x: &'a Trait) { ... } Change this code to: fn f(x: Box<Trait+'static>) { ... } fn g<'a>(x: &'a Trait<'a>) { ... } This will be eventually addressed by some additions that @nikomatsakis wants. However, the fundamental thrust of this change is necessary to achieve memory safety. Further additions to improve ergonomics will follow. Closes rust-lang#5723.
1 parent 87c78fd commit f407d31

File tree

151 files changed

+1016
-690
lines changed

Some content is hidden

Large Commits have some content hidden by default. Use the searchbox below for content that may be hidden.

151 files changed

+1016
-690
lines changed

src/liballoc/boxed.rs

+4-4
Original file line numberDiff line numberDiff line change
@@ -103,14 +103,14 @@ pub trait BoxAny {
103103
}
104104

105105
#[stable]
106-
impl BoxAny for Box<Any> {
106+
impl<'a> BoxAny for Box<Any+'a> {
107107
#[inline]
108-
fn downcast<T: 'static>(self) -> Result<Box<T>, Box<Any>> {
108+
fn downcast<T: 'static>(self) -> Result<Box<T>, Box<Any+'a>> {
109109
if self.is::<T>() {
110110
unsafe {
111111
// Get the raw representation of the trait object
112112
let to: TraitObject =
113-
*mem::transmute::<&Box<Any>, &TraitObject>(&self);
113+
*mem::transmute::<&Box<Any+'a>, &TraitObject>(&self);
114114

115115
// Prevent destructor on self being run
116116
intrinsics::forget(self);
@@ -130,7 +130,7 @@ impl<T: fmt::Show> fmt::Show for Box<T> {
130130
}
131131
}
132132

133-
impl fmt::Show for Box<Any> {
133+
impl<'a> fmt::Show for Box<Any+'a> {
134134
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
135135
f.pad("Box<Any>")
136136
}

src/liballoc/lib.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -69,7 +69,7 @@
6969
html_root_url = "http://doc.rust-lang.org/")]
7070

7171
#![no_std]
72-
#![feature(lang_items, phase, unsafe_destructor)]
72+
#![feature(lang_items, phase, unsafe_destructor, issue_5723_bootstrap)]
7373

7474
#[phase(plugin, link)]
7575
extern crate core;

src/libcore/any.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -132,7 +132,7 @@ pub trait AnyRefExt<'a> {
132132
}
133133

134134
#[stable]
135-
impl<'a> AnyRefExt<'a> for &'a Any {
135+
impl<'a,'b> AnyRefExt<'a> for &'a Any+'b {
136136
#[inline]
137137
#[stable]
138138
fn is<T: 'static>(self) -> bool {
@@ -181,7 +181,7 @@ pub trait AnyMutRefExt<'a> {
181181
}
182182

183183
#[stable]
184-
impl<'a> AnyMutRefExt<'a> for &'a mut Any {
184+
impl<'a,'b> AnyMutRefExt<'a> for &'a mut Any+'b {
185185
#[inline]
186186
#[unstable = "naming conventions around acquiring references may change"]
187187
fn downcast_mut<T: 'static>(self) -> Option<&'a mut T> {

src/libcore/fmt/mod.rs

+5-5
Original file line numberDiff line numberDiff line change
@@ -81,7 +81,7 @@ pub trait FormatWriter {
8181
/// A struct to represent both where to emit formatting strings to and how they
8282
/// should be formatted. A mutable version of this is passed to all formatting
8383
/// traits.
84-
pub struct Formatter<'a> {
84+
pub struct Formatter<'a,'b> {
8585
/// Flags for formatting (packed version of rt::Flag)
8686
pub flags: uint,
8787
/// Character used as 'fill' whenever there is alignment
@@ -93,7 +93,7 @@ pub struct Formatter<'a> {
9393
/// Optionally specified precision for numeric types
9494
pub precision: Option<uint>,
9595

96-
buf: &'a mut FormatWriter,
96+
buf: &'a mut FormatWriter+'b,
9797
curarg: slice::Items<'a, Argument<'a>>,
9898
args: &'a [Argument<'a>],
9999
}
@@ -281,7 +281,7 @@ pub fn write(output: &mut FormatWriter, args: &Arguments) -> Result {
281281
Ok(())
282282
}
283283

284-
impl<'a> Formatter<'a> {
284+
impl<'a,'b> Formatter<'a,'b> {
285285

286286
// First up is the collection of functions used to execute a format string
287287
// at runtime. This consumes all of the compile-time statics generated by
@@ -520,7 +520,7 @@ impl<'a, T: Show> Show for &'a T {
520520
impl<'a, T: Show> Show for &'a mut T {
521521
fn fmt(&self, f: &mut Formatter) -> Result { secret_show(&**self, f) }
522522
}
523-
impl<'a> Show for &'a Show {
523+
impl<'a,'b> Show for &'a Show+'b {
524524
fn fmt(&self, f: &mut Formatter) -> Result { (*self).fmt(f) }
525525
}
526526

@@ -686,7 +686,7 @@ macro_rules! tuple (
686686

687687
tuple! { T0, T1, T2, T3, T4, T5, T6, T7, T8, T9, T10, T11, }
688688

689-
impl<'a> Show for &'a any::Any {
689+
impl<'a,'b> Show for &'a any::Any+'b {
690690
fn fmt(&self, f: &mut Formatter) -> Result { f.pad("&Any") }
691691
}
692692

src/libcore/lib.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -58,7 +58,7 @@
5858

5959
#![no_std]
6060
#![feature(globs, intrinsics, lang_items, macro_rules, managed_boxes, phase)]
61-
#![feature(simd, unsafe_destructor)]
61+
#![feature(simd, unsafe_destructor, issue_5723_bootstrap)]
6262
#![deny(missing_doc)]
6363

6464
mod macros;

src/libdebug/lib.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -25,7 +25,7 @@
2525
html_favicon_url = "http://www.rust-lang.org/favicon.ico",
2626
html_root_url = "http://doc.rust-lang.org/master/")]
2727
#![experimental]
28-
#![feature(managed_boxes, macro_rules)]
28+
#![feature(managed_boxes, macro_rules, issue_5723_bootstrap)]
2929
#![allow(experimental)]
3030

3131
pub mod fmt;

src/libdebug/repr.rs

+7-6
Original file line numberDiff line numberDiff line change
@@ -91,15 +91,15 @@ enum VariantState {
9191
AlreadyFound
9292
}
9393

94-
pub struct ReprVisitor<'a> {
94+
pub struct ReprVisitor<'a,'b> {
9595
ptr: *const u8,
9696
ptr_stk: Vec<*const u8>,
9797
var_stk: Vec<VariantState>,
98-
writer: &'a mut io::Writer,
98+
writer: &'a mut io::Writer+'b,
9999
last_err: Option<io::IoError>,
100100
}
101101

102-
impl<'a> MovePtr for ReprVisitor<'a> {
102+
impl<'a,'b> MovePtr for ReprVisitor<'a,'b> {
103103
#[inline]
104104
fn move_ptr(&mut self, adjustment: |*const u8| -> *const u8) {
105105
self.ptr = adjustment(self.ptr);
@@ -112,9 +112,10 @@ impl<'a> MovePtr for ReprVisitor<'a> {
112112
}
113113
}
114114

115-
impl<'a> ReprVisitor<'a> {
115+
impl<'a,'b> ReprVisitor<'a,'b> {
116116
// Various helpers for the TyVisitor impl
117-
pub fn new(ptr: *const u8, writer: &'a mut io::Writer) -> ReprVisitor<'a> {
117+
pub fn new(ptr: *const u8, writer: &'a mut io::Writer+'b)
118+
-> ReprVisitor<'a,'b> {
118119
ReprVisitor {
119120
ptr: ptr,
120121
ptr_stk: vec!(),
@@ -239,7 +240,7 @@ impl<'a> ReprVisitor<'a> {
239240
}
240241
}
241242

242-
impl<'a> TyVisitor for ReprVisitor<'a> {
243+
impl<'a,'b> TyVisitor for ReprVisitor<'a,'b> {
243244
fn visit_bot(&mut self) -> bool {
244245
try!(self, self.writer.write("!".as_bytes()));
245246
true

src/libfourcc/lib.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -71,7 +71,7 @@ pub fn plugin_registrar(reg: &mut Registry) {
7171
}
7272

7373
pub fn expand_syntax_ext(cx: &mut ExtCtxt, sp: Span, tts: &[ast::TokenTree])
74-
-> Box<base::MacResult> {
74+
-> Box<base::MacResult+'static> {
7575
let (expr, endian) = parse_tts(cx, tts);
7676

7777
let little = match endian {

src/libgreen/basic.rs

+12-10
Original file line numberDiff line numberDiff line change
@@ -23,16 +23,16 @@ use std::rt::rtio::{PausableIdleCallback, Callback};
2323
use std::rt::exclusive::Exclusive;
2424

2525
/// This is the only exported function from this module.
26-
pub fn event_loop() -> Box<EventLoop + Send> {
27-
box BasicLoop::new() as Box<EventLoop + Send>
26+
pub fn event_loop() -> Box<EventLoop + Send + 'static> {
27+
box BasicLoop::new() as Box<EventLoop + Send + 'static>
2828
}
2929

3030
struct BasicLoop {
3131
work: Vec<proc(): Send>, // pending work
32-
remotes: Vec<(uint, Box<Callback + Send>)>,
32+
remotes: Vec<(uint, Box<Callback + Send + 'static>)>,
3333
next_remote: uint,
3434
messages: Arc<Exclusive<Vec<Message>>>,
35-
idle: Option<Box<Callback + Send>>,
35+
idle: Option<Box<Callback + Send + 'static>>,
3636
idle_active: Option<Arc<atomics::AtomicBool>>,
3737
}
3838

@@ -132,22 +132,24 @@ impl EventLoop for BasicLoop {
132132
}
133133

134134
// FIXME: Seems like a really weird requirement to have an event loop provide.
135-
fn pausable_idle_callback(&mut self, cb: Box<Callback + Send>)
136-
-> Box<PausableIdleCallback + Send> {
135+
fn pausable_idle_callback(&mut self, cb: Box<Callback + Send + 'static>)
136+
-> Box<PausableIdleCallback + Send + 'static> {
137137
rtassert!(self.idle.is_none());
138138
self.idle = Some(cb);
139139
let a = Arc::new(atomics::AtomicBool::new(true));
140140
self.idle_active = Some(a.clone());
141-
box BasicPausable { active: a } as Box<PausableIdleCallback + Send>
141+
box BasicPausable {
142+
active: a,
143+
} as Box<PausableIdleCallback + Send + 'static>
142144
}
143145

144-
fn remote_callback(&mut self, f: Box<Callback + Send>)
145-
-> Box<RemoteCallback + Send> {
146+
fn remote_callback(&mut self, f: Box<Callback + Send + 'static>)
147+
-> Box<RemoteCallback + Send + 'static> {
146148
let id = self.next_remote;
147149
self.next_remote += 1;
148150
self.remotes.push((id, f));
149151
box BasicRemote::new(self.messages.clone(), id) as
150-
Box<RemoteCallback + Send>
152+
Box<RemoteCallback + Send + 'static>
151153
}
152154

153155
fn io<'a>(&'a mut self) -> Option<&'a mut IoFactory> { None }

src/libgreen/lib.rs

+4-4
Original file line numberDiff line numberDiff line change
@@ -299,7 +299,7 @@ macro_rules! green_start( ($f:ident) => (
299299
/// The return value is used as the process return code. 0 on success, 101 on
300300
/// error.
301301
pub fn start(argc: int, argv: *const *const u8,
302-
event_loop_factory: fn() -> Box<rtio::EventLoop + Send>,
302+
event_loop_factory: fn() -> Box<rtio::EventLoop+Send+'static>,
303303
main: proc():Send) -> int {
304304
rt::init(argc, argv);
305305
let mut main = Some(main);
@@ -320,7 +320,7 @@ pub fn start(argc: int, argv: *const *const u8,
320320
///
321321
/// This function will not return until all schedulers in the associated pool
322322
/// have returned.
323-
pub fn run(event_loop_factory: fn() -> Box<rtio::EventLoop + Send>,
323+
pub fn run(event_loop_factory: fn() -> Box<rtio::EventLoop + Send + 'static>,
324324
main: proc():Send) -> int {
325325
// Create a scheduler pool and spawn the main task into this pool. We will
326326
// get notified over a channel when the main task exits.
@@ -351,7 +351,7 @@ pub struct PoolConfig {
351351
pub threads: uint,
352352
/// A factory function used to create new event loops. If this is not
353353
/// specified then the default event loop factory is used.
354-
pub event_loop_factory: fn() -> Box<rtio::EventLoop + Send>,
354+
pub event_loop_factory: fn() -> Box<rtio::EventLoop + Send + 'static>,
355355
}
356356

357357
impl PoolConfig {
@@ -376,7 +376,7 @@ pub struct SchedPool {
376376
stack_pool: StackPool,
377377
deque_pool: deque::BufferPool<Box<task::GreenTask>>,
378378
sleepers: SleeperList,
379-
factory: fn() -> Box<rtio::EventLoop + Send>,
379+
factory: fn() -> Box<rtio::EventLoop + Send + 'static>,
380380
task_state: TaskState,
381381
tasks_done: Receiver<()>,
382382
}

src/libgreen/sched.rs

+8-8
Original file line numberDiff line numberDiff line change
@@ -83,7 +83,7 @@ pub struct Scheduler {
8383
/// A fast XorShift rng for scheduler use
8484
rng: XorShiftRng,
8585
/// A toggleable idle callback
86-
idle_callback: Option<Box<PausableIdleCallback + Send>>,
86+
idle_callback: Option<Box<PausableIdleCallback + Send + 'static>>,
8787
/// A countdown that starts at a random value and is decremented
8888
/// every time a yield check is performed. When it hits 0 a task
8989
/// will yield.
@@ -100,7 +100,7 @@ pub struct Scheduler {
100100
// destroyed before it's actually destroyed.
101101

102102
/// The event loop used to drive the scheduler and perform I/O
103-
pub event_loop: Box<EventLoop + Send>,
103+
pub event_loop: Box<EventLoop + Send + 'static>,
104104
}
105105

106106
/// An indication of how hard to work on a given operation, the difference
@@ -123,7 +123,7 @@ impl Scheduler {
123123
// * Initialization Functions
124124

125125
pub fn new(pool_id: uint,
126-
event_loop: Box<EventLoop + Send>,
126+
event_loop: Box<EventLoop + Send + 'static>,
127127
work_queue: deque::Worker<Box<GreenTask>>,
128128
work_queues: Vec<deque::Stealer<Box<GreenTask>>>,
129129
sleeper_list: SleeperList,
@@ -136,7 +136,7 @@ impl Scheduler {
136136
}
137137

138138
pub fn new_special(pool_id: uint,
139-
event_loop: Box<EventLoop + Send>,
139+
event_loop: Box<EventLoop + Send + 'static>,
140140
work_queue: deque::Worker<Box<GreenTask>>,
141141
work_queues: Vec<deque::Stealer<Box<GreenTask>>>,
142142
sleeper_list: SleeperList,
@@ -181,9 +181,8 @@ impl Scheduler {
181181
// Take a main task to run, and a scheduler to run it in. Create a
182182
// scheduler task and bootstrap into it.
183183
pub fn bootstrap(mut self: Box<Scheduler>) {
184-
185184
// Build an Idle callback.
186-
let cb = box SchedRunner as Box<Callback + Send>;
185+
let cb = box SchedRunner as Box<Callback + Send + 'static>;
187186
self.idle_callback = Some(self.event_loop.pausable_idle_callback(cb));
188187

189188
// Create a task for the scheduler with an empty context.
@@ -232,7 +231,8 @@ impl Scheduler {
232231
// mutable reference to the event_loop to give it the "run"
233232
// command.
234233
unsafe {
235-
let event_loop: *mut Box<EventLoop + Send> = &mut self.event_loop;
234+
let event_loop: *mut Box<EventLoop + Send + 'static> =
235+
&mut self.event_loop;
236236
// Our scheduler must be in the task before the event loop
237237
// is started.
238238
stask.put_with_sched(self);
@@ -908,7 +908,7 @@ pub enum SchedMessage {
908908
}
909909

910910
pub struct SchedHandle {
911-
remote: Box<RemoteCallback + Send>,
911+
remote: Box<RemoteCallback + Send + 'static>,
912912
queue: msgq::Producer<SchedMessage>,
913913
pub sched_id: uint
914914
}

src/libgreen/simple.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -82,7 +82,7 @@ impl Runtime for SimpleTask {
8282
fn local_io<'a>(&'a mut self) -> Option<rtio::LocalIo<'a>> { None }
8383
fn stack_bounds(&self) -> (uint, uint) { fail!() }
8484
fn can_block(&self) -> bool { true }
85-
fn wrap(self: Box<SimpleTask>) -> Box<Any> { fail!() }
85+
fn wrap(self: Box<SimpleTask>) -> Box<Any+'static> { fail!() }
8686
}
8787

8888
pub fn task() -> Box<Task> {

src/libgreen/task.rs

+8-2
Original file line numberDiff line numberDiff line change
@@ -456,7 +456,11 @@ impl Runtime for GreenTask {
456456
// Local I/O is provided by the scheduler's event loop
457457
fn local_io<'a>(&'a mut self) -> Option<rtio::LocalIo<'a>> {
458458
match self.sched.get_mut_ref().event_loop.io() {
459-
Some(io) => Some(rtio::LocalIo::new(io)),
459+
Some(io) => {
460+
unsafe {
461+
Some(rtio::LocalIo::new(mem::transmute(io)))
462+
}
463+
}
460464
None => None,
461465
}
462466
}
@@ -473,7 +477,9 @@ impl Runtime for GreenTask {
473477

474478
fn can_block(&self) -> bool { false }
475479

476-
fn wrap(self: Box<GreenTask>) -> Box<Any> { self as Box<Any> }
480+
fn wrap(self: Box<GreenTask>) -> Box<Any + 'static> {
481+
self as Box<Any + 'static>
482+
}
477483
}
478484

479485
#[cfg(test)]

src/libhexfloat/lib.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -103,7 +103,7 @@ fn hex_float_lit_err(s: &str) -> Option<(uint, String)> {
103103
}
104104

105105
pub fn expand_syntax_ext(cx: &mut ExtCtxt, sp: Span, tts: &[ast::TokenTree])
106-
-> Box<base::MacResult> {
106+
-> Box<base::MacResult+'static> {
107107
let (expr, ty_lit) = parse_tts(cx, tts);
108108

109109
let ty = match ty_lit {

src/liblog/lib.rs

+6-3
Original file line numberDiff line numberDiff line change
@@ -155,7 +155,7 @@ pub static WARN: u32 = 2;
155155
/// Error log level
156156
pub static ERROR: u32 = 1;
157157

158-
local_data_key!(local_logger: Box<Logger + Send>)
158+
local_data_key!(local_logger: Box<Logger + Send + 'static>)
159159

160160
/// A trait used to represent an interface to a task-local logger. Each task
161161
/// can have its own custom logger which can respond to logging messages
@@ -226,7 +226,9 @@ pub fn log(level: u32, loc: &'static LogLocation, args: &fmt::Arguments) {
226226
// frob the slot while we're doing the logging. This will destroy any logger
227227
// set during logging.
228228
let mut logger = local_logger.replace(None).unwrap_or_else(|| {
229-
box DefaultLogger { handle: io::stderr() } as Box<Logger + Send>
229+
box DefaultLogger {
230+
handle: io::stderr(),
231+
} as Box<Logger + Send + 'static>
230232
});
231233
logger.log(&LogRecord {
232234
level: LogLevel(level),
@@ -246,7 +248,8 @@ pub fn log_level() -> u32 { unsafe { LOG_LEVEL } }
246248

247249
/// Replaces the task-local logger with the specified logger, returning the old
248250
/// logger.
249-
pub fn set_logger(logger: Box<Logger + Send>) -> Option<Box<Logger + Send>> {
251+
pub fn set_logger(logger: Box<Logger + Send + 'static>)
252+
-> Option<Box<Logger + Send + 'static>> {
250253
local_logger.replace(Some(logger))
251254
}
252255

0 commit comments

Comments
 (0)