Skip to content

Commit cd7eecf

Browse files
committed
Auto merge of #51060 - michaelwoerister:thread-safe-consts, r=<try>
WIP: Make const decoding thread-safe. This is an alternative to #50957. It's a proof of concept (e.g. it doesn't adapt metadata decoding, just the incr. comp. cache) but I think it turned out nice. It's rather simple and does not require passing around a bunch of weird closures, like we currently do. If you (@Zoxc & @oli-obk) think this approach is good then I'm happy to finish and clean this up. Note: The current version just spins when it encounters an in-progress decoding. I don't have a strong preference for this approach. Decoding concurrently is equally fine by me (or maybe even better because it doesn't require poisoning). r? @Zoxc
2 parents 4f6d9bf + 233c00c commit cd7eecf

File tree

8 files changed

+449
-115
lines changed

8 files changed

+449
-115
lines changed

src/librustc/lib.rs

+1
Original file line numberDiff line numberDiff line change
@@ -68,6 +68,7 @@
6868
#![feature(trace_macros)]
6969
#![feature(trusted_len)]
7070
#![feature(catch_expr)]
71+
#![feature(integer_atomics)]
7172
#![feature(test)]
7273
#![feature(in_band_lifetimes)]
7374
#![feature(macro_at_most_once_rep)]

src/librustc/mir/interpret/mod.rs

+167-39
Original file line numberDiff line numberDiff line change
@@ -23,10 +23,15 @@ use std::io;
2323
use std::ops::{Deref, DerefMut};
2424
use std::hash::Hash;
2525
use syntax::ast::Mutability;
26-
use rustc_serialize::{Encoder, Decoder, Decodable, Encodable};
26+
use rustc_serialize::{Encoder, Decodable, Encodable};
2727
use rustc_data_structures::sorted_map::SortedMap;
2828
use rustc_data_structures::fx::FxHashMap;
29+
use rustc_data_structures::sync::{Lock as Mutex, HashMapExt};
30+
use rustc_data_structures::tiny_list::TinyList;
2931
use byteorder::{WriteBytesExt, ReadBytesExt, LittleEndian, BigEndian};
32+
use ty::codec::TyDecoder;
33+
use std::sync::atomic::{AtomicU32, Ordering};
34+
use std::num::NonZeroU32;
3035

3136
#[derive(Clone, Debug, PartialEq, RustcEncodable, RustcDecodable)]
3237
pub enum Lock {
@@ -204,44 +209,163 @@ pub fn specialized_encode_alloc_id<
204209
Ok(())
205210
}
206211

207-
pub fn specialized_decode_alloc_id<
208-
'a, 'tcx,
209-
D: Decoder,
210-
CACHE: FnOnce(&mut D, AllocId),
211-
>(
212-
decoder: &mut D,
213-
tcx: TyCtxt<'a, 'tcx, 'tcx>,
214-
cache: CACHE,
215-
) -> Result<AllocId, D::Error> {
216-
match AllocKind::decode(decoder)? {
217-
AllocKind::Alloc => {
218-
let alloc_id = tcx.alloc_map.lock().reserve();
219-
trace!("creating alloc id {:?}", alloc_id);
220-
// insert early to allow recursive allocs
221-
cache(decoder, alloc_id);
222-
223-
let allocation = <&'tcx Allocation as Decodable>::decode(decoder)?;
224-
trace!("decoded alloc {:?} {:#?}", alloc_id, allocation);
225-
tcx.alloc_map.lock().set_id_memory(alloc_id, allocation);
226-
227-
Ok(alloc_id)
228-
},
229-
AllocKind::Fn => {
230-
trace!("creating fn alloc id");
231-
let instance = ty::Instance::decode(decoder)?;
232-
trace!("decoded fn alloc instance: {:?}", instance);
233-
let id = tcx.alloc_map.lock().create_fn_alloc(instance);
234-
trace!("created fn alloc id: {:?}", id);
235-
cache(decoder, id);
236-
Ok(id)
237-
},
238-
AllocKind::Static => {
239-
trace!("creating extern static alloc id at");
240-
let did = DefId::decode(decoder)?;
241-
let alloc_id = tcx.alloc_map.lock().intern_static(did);
242-
cache(decoder, alloc_id);
243-
Ok(alloc_id)
244-
},
212+
// Used to avoid infinite recursion when decoding cyclic allocations.
213+
type DecodingSessionId = NonZeroU32;
214+
215+
#[derive(Clone)]
216+
enum State {
217+
Empty,
218+
InProgressNonAlloc(TinyList<DecodingSessionId>),
219+
InProgress(TinyList<DecodingSessionId>, AllocId),
220+
Done(AllocId),
221+
}
222+
223+
pub struct AllocDecodingState {
224+
// For each AllocId we keep track of which decoding state it's currently in.
225+
decoding_state: Vec<Mutex<State>>,
226+
// The offsets of each allocation in the data stream.
227+
data_offsets: Vec<u32>,
228+
}
229+
230+
impl AllocDecodingState {
231+
232+
pub fn new_decoding_session(&self) -> AllocDecodingSession {
233+
static DECODER_SESSION_ID: AtomicU32 = AtomicU32::new(0);
234+
let counter = DECODER_SESSION_ID.fetch_add(1, Ordering::SeqCst);
235+
236+
// Make sure this is never zero
237+
let session_id = DecodingSessionId::new((counter & 0x7FFFFFFF) + 1).unwrap();
238+
239+
AllocDecodingSession {
240+
state: self,
241+
session_id,
242+
}
243+
}
244+
245+
pub fn new(data_offsets: Vec<u32>) -> AllocDecodingState {
246+
let decoding_state: Vec<_> = ::std::iter::repeat(Mutex::new(State::Empty))
247+
.take(data_offsets.len())
248+
.collect();
249+
250+
AllocDecodingState {
251+
decoding_state: decoding_state,
252+
data_offsets,
253+
}
254+
}
255+
}
256+
257+
#[derive(Copy, Clone)]
258+
pub struct AllocDecodingSession<'s> {
259+
state: &'s AllocDecodingState,
260+
session_id: DecodingSessionId,
261+
}
262+
263+
impl<'s> AllocDecodingSession<'s> {
264+
265+
// Decodes an AllocId in a thread-safe way.
266+
pub fn decode_alloc_id<'a, 'tcx, D>(&self,
267+
decoder: &mut D)
268+
-> Result<AllocId, D::Error>
269+
where D: TyDecoder<'a, 'tcx>,
270+
'tcx: 'a,
271+
{
272+
// Read the index of the allocation
273+
let idx = decoder.read_u32()? as usize;
274+
let pos = self.state.data_offsets[idx] as usize;
275+
276+
// Decode the AllocKind now so that we know if we have to reserve an
277+
// AllocId.
278+
let (alloc_kind, pos) = decoder.with_position(pos, |decoder| {
279+
let alloc_kind = AllocKind::decode(decoder)?;
280+
Ok((alloc_kind, decoder.position()))
281+
})?;
282+
283+
// Check the decoding state, see if it's already decoded or if we should
284+
// decode it here.
285+
let alloc_id = {
286+
let mut entry = self.state.decoding_state[idx].lock();
287+
288+
match *entry {
289+
State::Done(alloc_id) => {
290+
return Ok(alloc_id);
291+
}
292+
ref mut entry @ State::Empty => {
293+
// We are allowed to decode
294+
match alloc_kind {
295+
AllocKind::Alloc => {
296+
// If this is an allocation, we need to reserve an
297+
// AllocId so we can decode cyclic graphs.
298+
let alloc_id = decoder.tcx().alloc_map.lock().reserve();
299+
*entry = State::InProgress(
300+
TinyList::new_single(self.session_id),
301+
alloc_id);
302+
Some(alloc_id)
303+
},
304+
AllocKind::Fn | AllocKind::Static => {
305+
// Fns and statics cannot be cyclic and their AllocId
306+
// is determined later by interning
307+
*entry = State::InProgressNonAlloc(
308+
TinyList::new_single(self.session_id));
309+
None
310+
}
311+
}
312+
}
313+
State::InProgressNonAlloc(ref mut sessions) => {
314+
if sessions.contains(&self.session_id) {
315+
bug!("This should be unreachable")
316+
} else {
317+
// Start decoding concurrently
318+
sessions.insert(self.session_id);
319+
None
320+
}
321+
}
322+
State::InProgress(ref mut sessions, alloc_id) => {
323+
if sessions.contains(&self.session_id) {
324+
// Don't recurse.
325+
return Ok(alloc_id)
326+
} else {
327+
// Start decoding concurrently
328+
sessions.insert(self.session_id);
329+
Some(alloc_id)
330+
}
331+
}
332+
}
333+
};
334+
335+
// Now decode the actual data
336+
let alloc_id = decoder.with_position(pos, |decoder| {
337+
match alloc_kind {
338+
AllocKind::Alloc => {
339+
let allocation = <&'tcx Allocation as Decodable>::decode(decoder)?;
340+
// We already have a reserved AllocId.
341+
let alloc_id = alloc_id.unwrap();
342+
trace!("decoded alloc {:?} {:#?}", alloc_id, allocation);
343+
decoder.tcx().alloc_map.lock().set_id_same_memory(alloc_id, allocation);
344+
Ok(alloc_id)
345+
},
346+
AllocKind::Fn => {
347+
assert!(alloc_id.is_none());
348+
trace!("creating fn alloc id");
349+
let instance = ty::Instance::decode(decoder)?;
350+
trace!("decoded fn alloc instance: {:?}", instance);
351+
let alloc_id = decoder.tcx().alloc_map.lock().create_fn_alloc(instance);
352+
Ok(alloc_id)
353+
},
354+
AllocKind::Static => {
355+
assert!(alloc_id.is_none());
356+
trace!("creating extern static alloc id at");
357+
let did = DefId::decode(decoder)?;
358+
let alloc_id = decoder.tcx().alloc_map.lock().intern_static(did);
359+
Ok(alloc_id)
360+
}
361+
}
362+
})?;
363+
364+
self.state.decoding_state[idx].with_lock(|entry| {
365+
*entry = State::Done(alloc_id);
366+
});
367+
368+
Ok(alloc_id)
245369
}
246370
}
247371

@@ -340,6 +464,10 @@ impl<'tcx, M: fmt::Debug + Eq + Hash + Clone> AllocMap<'tcx, M> {
340464
bug!("tried to set allocation id {}, but it was already existing as {:#?}", id, old);
341465
}
342466
}
467+
468+
pub fn set_id_same_memory(&mut self, id: AllocId, mem: M) {
469+
self.id_to_type.insert_same(id, AllocType::Memory(mem));
470+
}
343471
}
344472

345473
#[derive(Clone, Debug, Eq, PartialEq, PartialOrd, Ord, Hash, RustcEncodable, RustcDecodable)]

src/librustc/ty/maps/on_disk_cache.rs

+10-41
Original file line numberDiff line numberDiff line change
@@ -16,14 +16,14 @@ use hir::def_id::{CrateNum, DefIndex, DefId, LocalDefId,
1616
use hir::map::definitions::DefPathHash;
1717
use ich::{CachingCodemapView, Fingerprint};
1818
use mir::{self, interpret};
19+
use mir::interpret::{AllocDecodingSession, AllocDecodingState};
1920
use rustc_data_structures::fx::FxHashMap;
2021
use rustc_data_structures::sync::{Lrc, Lock, HashMapExt, Once};
2122
use rustc_data_structures::indexed_vec::{IndexVec, Idx};
2223
use rustc_serialize::{Decodable, Decoder, Encodable, Encoder, opaque,
2324
SpecializedDecoder, SpecializedEncoder,
2425
UseSpecializedDecodable, UseSpecializedEncodable};
2526
use session::{CrateDisambiguator, Session};
26-
use std::cell::RefCell;
2727
use std::mem;
2828
use syntax::ast::NodeId;
2929
use syntax::codemap::{CodeMap, StableFilemapId};
@@ -77,11 +77,7 @@ pub struct OnDiskCache<'sess> {
7777
// `serialized_data`.
7878
prev_diagnostics_index: FxHashMap<SerializedDepNodeIndex, AbsoluteBytePos>,
7979

80-
// Alloc indices to memory location map
81-
prev_interpret_alloc_index: Vec<AbsoluteBytePos>,
82-
83-
/// Deserialization: A cache to ensure we don't read allocations twice
84-
interpret_alloc_cache: RefCell<FxHashMap<usize, interpret::AllocId>>,
80+
alloc_decoding_state: AllocDecodingState,
8581
}
8682

8783
// This type is used only for (de-)serialization.
@@ -92,7 +88,7 @@ struct Footer {
9288
query_result_index: EncodedQueryResultIndex,
9389
diagnostics_index: EncodedQueryResultIndex,
9490
// the location of all allocations
95-
interpret_alloc_index: Vec<AbsoluteBytePos>,
91+
interpret_alloc_index: Vec<u32>,
9692
}
9793

9894
type EncodedQueryResultIndex = Vec<(SerializedDepNodeIndex, AbsoluteBytePos)>;
@@ -149,8 +145,7 @@ impl<'sess> OnDiskCache<'sess> {
149145
query_result_index: footer.query_result_index.into_iter().collect(),
150146
prev_diagnostics_index: footer.diagnostics_index.into_iter().collect(),
151147
synthetic_expansion_infos: Lock::new(FxHashMap()),
152-
prev_interpret_alloc_index: footer.interpret_alloc_index,
153-
interpret_alloc_cache: RefCell::new(FxHashMap::default()),
148+
alloc_decoding_state: AllocDecodingState::new(footer.interpret_alloc_index),
154149
}
155150
}
156151

@@ -166,8 +161,7 @@ impl<'sess> OnDiskCache<'sess> {
166161
query_result_index: FxHashMap(),
167162
prev_diagnostics_index: FxHashMap(),
168163
synthetic_expansion_infos: Lock::new(FxHashMap()),
169-
prev_interpret_alloc_index: Vec::new(),
170-
interpret_alloc_cache: RefCell::new(FxHashMap::default()),
164+
alloc_decoding_state: AllocDecodingState::new(Vec::new()),
171165
}
172166
}
173167

@@ -291,7 +285,7 @@ impl<'sess> OnDiskCache<'sess> {
291285
}
292286
for idx in n..new_n {
293287
let id = encoder.interpret_allocs_inverse[idx];
294-
let pos = AbsoluteBytePos::new(encoder.position());
288+
let pos = encoder.position() as u32;
295289
interpret_alloc_index.push(pos);
296290
interpret::specialized_encode_alloc_id(
297291
&mut encoder,
@@ -424,8 +418,7 @@ impl<'sess> OnDiskCache<'sess> {
424418
file_index_to_file: &self.file_index_to_file,
425419
file_index_to_stable_id: &self.file_index_to_stable_id,
426420
synthetic_expansion_infos: &self.synthetic_expansion_infos,
427-
prev_interpret_alloc_index: &self.prev_interpret_alloc_index,
428-
interpret_alloc_cache: &self.interpret_alloc_cache,
421+
alloc_decoding_session: self.alloc_decoding_state.new_decoding_session(),
429422
};
430423

431424
match decode_tagged(&mut decoder, dep_node_index) {
@@ -487,9 +480,7 @@ struct CacheDecoder<'a, 'tcx: 'a, 'x> {
487480
synthetic_expansion_infos: &'x Lock<FxHashMap<AbsoluteBytePos, SyntaxContext>>,
488481
file_index_to_file: &'x Lock<FxHashMap<FileMapIndex, Lrc<FileMap>>>,
489482
file_index_to_stable_id: &'x FxHashMap<FileMapIndex, StableFilemapId>,
490-
interpret_alloc_cache: &'x RefCell<FxHashMap<usize, interpret::AllocId>>,
491-
/// maps from index in the cache file to location in the cache file
492-
prev_interpret_alloc_index: &'x [AbsoluteBytePos],
483+
alloc_decoding_session: AllocDecodingSession<'x>,
493484
}
494485

495486
impl<'a, 'tcx, 'x> CacheDecoder<'a, 'tcx, 'x> {
@@ -612,30 +603,8 @@ implement_ty_decoder!( CacheDecoder<'a, 'tcx, 'x> );
612603

613604
impl<'a, 'tcx, 'x> SpecializedDecoder<interpret::AllocId> for CacheDecoder<'a, 'tcx, 'x> {
614605
fn specialized_decode(&mut self) -> Result<interpret::AllocId, Self::Error> {
615-
let tcx = self.tcx;
616-
let idx = usize::decode(self)?;
617-
trace!("loading index {}", idx);
618-
619-
if let Some(cached) = self.interpret_alloc_cache.borrow().get(&idx).cloned() {
620-
trace!("loading alloc id {:?} from alloc_cache", cached);
621-
return Ok(cached);
622-
}
623-
let pos = self.prev_interpret_alloc_index[idx].to_usize();
624-
trace!("loading position {}", pos);
625-
self.with_position(pos, |this| {
626-
interpret::specialized_decode_alloc_id(
627-
this,
628-
tcx,
629-
|this, alloc_id| {
630-
trace!("caching idx {} for alloc id {} at position {}", idx, alloc_id, pos);
631-
assert!(this
632-
.interpret_alloc_cache
633-
.borrow_mut()
634-
.insert(idx, alloc_id)
635-
.is_none());
636-
},
637-
)
638-
})
606+
let alloc_decoding_session = self.alloc_decoding_session;
607+
alloc_decoding_session.decode_alloc_id(self)
639608
}
640609
}
641610
impl<'a, 'tcx, 'x> SpecializedDecoder<Span> for CacheDecoder<'a, 'tcx, 'x> {

src/librustc_data_structures/lib.rs

+1
Original file line numberDiff line numberDiff line change
@@ -74,6 +74,7 @@ pub mod control_flow_graph;
7474
pub mod flock;
7575
pub mod sync;
7676
pub mod owning_ref;
77+
pub mod tiny_list;
7778
pub mod sorted_map;
7879

7980
pub struct OnDrop<F: Fn()>(pub F);

0 commit comments

Comments
 (0)