Auto merge of #49836 - nikomatsakis:nll-facts-prep, r=pnkfelix
prep work for using timely dataflow with NLL Two major changes: **Two-phase borrows are overhauled.** We no longer have two bits per borrow. Instead, we track -- for each borrow -- an (optional) "activation point". Then, for each point P where the borrow is in scope, we check where P falls relative to the activation point. If P is between the reservation point and the activation point, then this is the "reservation" phase of the borrow, else the borrow is considered active. This is simpler and means that the dataflow doesn't have to care about 2-phase at all, at last not yet. **We no longer support using the MIR borrow checker without NLL.** It is going to be increasingly untenable to support lexical mode as we go forward, I think, and also of increasingly little value. This also exposed a few bugs in NLL mode due to increased testing. r? @pnkfelix cc @bobtwinkles
This commit is contained in:
commit
881a7cd86e
145 changed files with 1149 additions and 1136 deletions
|
|
@ -303,7 +303,7 @@ impl<'a, 'gcx, 'tcx> InferCtxt<'a, 'gcx, 'tcx> {
|
|||
) {
|
||||
debug!("report_region_errors(): {} errors to start", errors.len());
|
||||
|
||||
if will_later_be_reported_by_nll && self.tcx.nll() {
|
||||
if will_later_be_reported_by_nll && self.tcx.use_mir_borrowck() {
|
||||
// With `#![feature(nll)]`, we want to present a nice user
|
||||
// experience, so don't even mention the errors from the
|
||||
// AST checker.
|
||||
|
|
@ -311,20 +311,20 @@ impl<'a, 'gcx, 'tcx> InferCtxt<'a, 'gcx, 'tcx> {
|
|||
return;
|
||||
}
|
||||
|
||||
// But with -Znll, it's nice to have some note for later.
|
||||
// But with nll, it's nice to have some note for later.
|
||||
for error in errors {
|
||||
match *error {
|
||||
RegionResolutionError::ConcreteFailure(ref origin, ..)
|
||||
| RegionResolutionError::GenericBoundFailure(ref origin, ..) => {
|
||||
self.tcx
|
||||
.sess
|
||||
.span_warn(origin.span(), "not reporting region error due to -Znll");
|
||||
.span_warn(origin.span(), "not reporting region error due to nll");
|
||||
}
|
||||
|
||||
RegionResolutionError::SubSupConflict(ref rvo, ..) => {
|
||||
self.tcx
|
||||
.sess
|
||||
.span_warn(rvo.span(), "not reporting region error due to -Znll");
|
||||
.span_warn(rvo.span(), "not reporting region error due to nll");
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
|||
|
|
@ -1991,7 +1991,7 @@ impl Location {
|
|||
Location { block: self.block, statement_index: self.statement_index + 1 }
|
||||
}
|
||||
|
||||
pub fn dominates(&self, other: &Location, dominators: &Dominators<BasicBlock>) -> bool {
|
||||
pub fn dominates(&self, other: Location, dominators: &Dominators<BasicBlock>) -> bool {
|
||||
if self.block == other.block {
|
||||
self.statement_index <= other.statement_index
|
||||
} else {
|
||||
|
|
|
|||
|
|
@ -1259,8 +1259,6 @@ options! {DebuggingOptions, DebuggingSetter, basic_debugging_options,
|
|||
useful for profiling / PGO."),
|
||||
relro_level: Option<RelroLevel> = (None, parse_relro_level, [TRACKED],
|
||||
"choose which RELRO level to use"),
|
||||
nll: bool = (false, parse_bool, [UNTRACKED],
|
||||
"run the non-lexical lifetimes MIR pass"),
|
||||
disable_nll_user_type_assert: bool = (false, parse_bool, [UNTRACKED],
|
||||
"disable user provided type assertion in NLL"),
|
||||
trans_time_graph: bool = (false, parse_bool, [UNTRACKED],
|
||||
|
|
|
|||
|
|
@ -1459,15 +1459,9 @@ impl<'a, 'gcx, 'tcx> TyCtxt<'a, 'gcx, 'tcx> {
|
|||
self.on_disk_query_result_cache.serialize(self.global_tcx(), encoder)
|
||||
}
|
||||
|
||||
/// If true, we should use NLL-style region checking instead of
|
||||
/// lexical style.
|
||||
pub fn nll(self) -> bool {
|
||||
self.features().nll || self.sess.opts.debugging_opts.nll
|
||||
}
|
||||
|
||||
/// If true, we should use the MIR-based borrowck (we may *also* use
|
||||
/// the AST-based borrowck).
|
||||
pub fn use_mir(self) -> bool {
|
||||
pub fn use_mir_borrowck(self) -> bool {
|
||||
self.borrowck_mode().use_mir()
|
||||
}
|
||||
|
||||
|
|
@ -1486,7 +1480,7 @@ impl<'a, 'gcx, 'tcx> TyCtxt<'a, 'gcx, 'tcx> {
|
|||
mode @ BorrowckMode::Compare => mode,
|
||||
|
||||
mode @ BorrowckMode::Ast => {
|
||||
if self.nll() {
|
||||
if self.features().nll {
|
||||
BorrowckMode::Mir
|
||||
} else {
|
||||
mode
|
||||
|
|
@ -1500,11 +1494,9 @@ impl<'a, 'gcx, 'tcx> TyCtxt<'a, 'gcx, 'tcx> {
|
|||
/// MIR borrowck, but not when NLL is used. They are also consumed
|
||||
/// by the validation stuff.
|
||||
pub fn emit_end_regions(self) -> bool {
|
||||
// FIXME(#46875) -- we should not emit end regions when NLL is enabled,
|
||||
// but for now we can't stop doing so because it causes false positives
|
||||
self.sess.opts.debugging_opts.emit_end_regions ||
|
||||
self.sess.opts.debugging_opts.mir_emit_validate > 0 ||
|
||||
self.use_mir()
|
||||
self.use_mir_borrowck()
|
||||
}
|
||||
|
||||
#[inline]
|
||||
|
|
|
|||
328
src/librustc_mir/borrow_check/borrow_set.rs
Normal file
328
src/librustc_mir/borrow_check/borrow_set.rs
Normal file
|
|
@ -0,0 +1,328 @@
|
|||
// Copyright 2012-2017 The Rust Project Developers. See the COPYRIGHT
|
||||
// file at the top-level directory of this distribution and at
|
||||
// http://rust-lang.org/COPYRIGHT.
|
||||
//
|
||||
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
|
||||
// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
|
||||
// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
|
||||
// option. This file may not be copied, modified, or distributed
|
||||
// except according to those terms.
|
||||
|
||||
use borrow_check::place_ext::PlaceExt;
|
||||
use dataflow::indexes::BorrowIndex;
|
||||
use rustc::mir::traversal;
|
||||
use rustc::mir::visit::{PlaceContext, Visitor};
|
||||
use rustc::mir::{self, Location, Mir, Place};
|
||||
use rustc::ty::{Region, TyCtxt};
|
||||
use rustc::util::nodemap::{FxHashMap, FxHashSet};
|
||||
use rustc_data_structures::indexed_vec::IndexVec;
|
||||
use std::fmt;
|
||||
use std::hash::Hash;
|
||||
use std::ops::Index;
|
||||
|
||||
crate struct BorrowSet<'tcx> {
|
||||
/// The fundamental map relating bitvector indexes to the borrows
|
||||
/// in the MIR.
|
||||
crate borrows: IndexVec<BorrowIndex, BorrowData<'tcx>>,
|
||||
|
||||
/// Each borrow is also uniquely identified in the MIR by the
|
||||
/// `Location` of the assignment statement in which it appears on
|
||||
/// the right hand side; we map each such location to the
|
||||
/// corresponding `BorrowIndex`.
|
||||
crate location_map: FxHashMap<Location, BorrowIndex>,
|
||||
|
||||
/// Locations which activate borrows.
|
||||
/// NOTE: A given location may activate more than one borrow in the future
|
||||
/// when more general two-phase borrow support is introduced, but for now we
|
||||
/// only need to store one borrow index
|
||||
crate activation_map: FxHashMap<Location, Vec<BorrowIndex>>,
|
||||
|
||||
/// Every borrow has a region; this maps each such regions back to
|
||||
/// its borrow-indexes.
|
||||
crate region_map: FxHashMap<Region<'tcx>, FxHashSet<BorrowIndex>>,
|
||||
|
||||
/// Map from local to all the borrows on that local
|
||||
crate local_map: FxHashMap<mir::Local, FxHashSet<BorrowIndex>>,
|
||||
}
|
||||
|
||||
impl<'tcx> Index<BorrowIndex> for BorrowSet<'tcx> {
|
||||
type Output = BorrowData<'tcx>;
|
||||
|
||||
fn index(&self, index: BorrowIndex) -> &BorrowData<'tcx> {
|
||||
&self.borrows[index]
|
||||
}
|
||||
}
|
||||
|
||||
#[derive(Debug)]
|
||||
crate struct BorrowData<'tcx> {
|
||||
/// Location where the borrow reservation starts.
|
||||
/// In many cases, this will be equal to the activation location but not always.
|
||||
crate reserve_location: Location,
|
||||
/// Location where the borrow is activated. None if this is not a
|
||||
/// 2-phase borrow.
|
||||
crate activation_location: Option<Location>,
|
||||
/// What kind of borrow this is
|
||||
crate kind: mir::BorrowKind,
|
||||
/// The region for which this borrow is live
|
||||
crate region: Region<'tcx>,
|
||||
/// Place from which we are borrowing
|
||||
crate borrowed_place: mir::Place<'tcx>,
|
||||
/// Place to which the borrow was stored
|
||||
crate assigned_place: mir::Place<'tcx>,
|
||||
}
|
||||
|
||||
impl<'tcx> fmt::Display for BorrowData<'tcx> {
|
||||
fn fmt(&self, w: &mut fmt::Formatter) -> fmt::Result {
|
||||
let kind = match self.kind {
|
||||
mir::BorrowKind::Shared => "",
|
||||
mir::BorrowKind::Unique => "uniq ",
|
||||
mir::BorrowKind::Mut { .. } => "mut ",
|
||||
};
|
||||
let region = format!("{}", self.region);
|
||||
let region = if region.len() > 0 {
|
||||
format!("{} ", region)
|
||||
} else {
|
||||
region
|
||||
};
|
||||
write!(w, "&{}{}{:?}", region, kind, self.borrowed_place)
|
||||
}
|
||||
}
|
||||
|
||||
impl<'tcx> BorrowSet<'tcx> {
|
||||
pub fn build(tcx: TyCtxt<'_, '_, 'tcx>, mir: &Mir<'tcx>) -> Self {
|
||||
let mut visitor = GatherBorrows {
|
||||
tcx,
|
||||
mir,
|
||||
idx_vec: IndexVec::new(),
|
||||
location_map: FxHashMap(),
|
||||
activation_map: FxHashMap(),
|
||||
region_map: FxHashMap(),
|
||||
local_map: FxHashMap(),
|
||||
pending_activations: FxHashMap(),
|
||||
};
|
||||
|
||||
for (block, block_data) in traversal::preorder(mir) {
|
||||
visitor.visit_basic_block_data(block, block_data);
|
||||
}
|
||||
|
||||
// Double check: We should have found an activation for every pending
|
||||
// activation.
|
||||
assert_eq!(
|
||||
visitor
|
||||
.pending_activations
|
||||
.iter()
|
||||
.find(|&(_local, &borrow_index)| visitor.idx_vec[borrow_index]
|
||||
.activation_location
|
||||
.is_none()),
|
||||
None,
|
||||
"never found an activation for this borrow!",
|
||||
);
|
||||
|
||||
BorrowSet {
|
||||
borrows: visitor.idx_vec,
|
||||
location_map: visitor.location_map,
|
||||
activation_map: visitor.activation_map,
|
||||
region_map: visitor.region_map,
|
||||
local_map: visitor.local_map,
|
||||
}
|
||||
}
|
||||
|
||||
crate fn activations_at_location(&self, location: Location) -> &[BorrowIndex] {
|
||||
self.activation_map
|
||||
.get(&location)
|
||||
.map(|activations| &activations[..])
|
||||
.unwrap_or(&[])
|
||||
}
|
||||
}
|
||||
|
||||
struct GatherBorrows<'a, 'gcx: 'tcx, 'tcx: 'a> {
|
||||
tcx: TyCtxt<'a, 'gcx, 'tcx>,
|
||||
mir: &'a Mir<'tcx>,
|
||||
idx_vec: IndexVec<BorrowIndex, BorrowData<'tcx>>,
|
||||
location_map: FxHashMap<Location, BorrowIndex>,
|
||||
activation_map: FxHashMap<Location, Vec<BorrowIndex>>,
|
||||
region_map: FxHashMap<Region<'tcx>, FxHashSet<BorrowIndex>>,
|
||||
local_map: FxHashMap<mir::Local, FxHashSet<BorrowIndex>>,
|
||||
|
||||
/// When we encounter a 2-phase borrow statement, it will always
|
||||
/// be assigning into a temporary TEMP:
|
||||
///
|
||||
/// TEMP = &foo
|
||||
///
|
||||
/// We add TEMP into this map with `b`, where `b` is the index of
|
||||
/// the borrow. When we find a later use of this activation, we
|
||||
/// remove from the map (and add to the "tombstone" set below).
|
||||
pending_activations: FxHashMap<mir::Local, BorrowIndex>,
|
||||
}
|
||||
|
||||
impl<'a, 'gcx, 'tcx> Visitor<'tcx> for GatherBorrows<'a, 'gcx, 'tcx> {
|
||||
fn visit_assign(
|
||||
&mut self,
|
||||
block: mir::BasicBlock,
|
||||
assigned_place: &mir::Place<'tcx>,
|
||||
rvalue: &mir::Rvalue<'tcx>,
|
||||
location: mir::Location,
|
||||
) {
|
||||
if let mir::Rvalue::Ref(region, kind, ref borrowed_place) = *rvalue {
|
||||
if borrowed_place.is_unsafe_place(self.tcx, self.mir) {
|
||||
return;
|
||||
}
|
||||
|
||||
let borrow = BorrowData {
|
||||
kind,
|
||||
region,
|
||||
reserve_location: location,
|
||||
activation_location: None,
|
||||
borrowed_place: borrowed_place.clone(),
|
||||
assigned_place: assigned_place.clone(),
|
||||
};
|
||||
let idx = self.idx_vec.push(borrow);
|
||||
self.location_map.insert(location, idx);
|
||||
|
||||
self.insert_as_pending_if_two_phase(location, &assigned_place, region, kind, idx);
|
||||
|
||||
insert(&mut self.region_map, ®ion, idx);
|
||||
if let Some(local) = borrowed_place.root_local() {
|
||||
insert(&mut self.local_map, &local, idx);
|
||||
}
|
||||
}
|
||||
|
||||
return self.super_assign(block, assigned_place, rvalue, location);
|
||||
|
||||
fn insert<'a, K, V>(map: &'a mut FxHashMap<K, FxHashSet<V>>, k: &K, v: V)
|
||||
where
|
||||
K: Clone + Eq + Hash,
|
||||
V: Eq + Hash,
|
||||
{
|
||||
map.entry(k.clone()).or_insert(FxHashSet()).insert(v);
|
||||
}
|
||||
}
|
||||
|
||||
fn visit_place(
|
||||
&mut self,
|
||||
place: &mir::Place<'tcx>,
|
||||
context: PlaceContext<'tcx>,
|
||||
location: Location,
|
||||
) {
|
||||
self.super_place(place, context, location);
|
||||
|
||||
// We found a use of some temporary TEMP...
|
||||
if let Place::Local(temp) = place {
|
||||
// ... check whether we (earlier) saw a 2-phase borrow like
|
||||
//
|
||||
// TMP = &mut place
|
||||
match self.pending_activations.get(temp) {
|
||||
Some(&borrow_index) => {
|
||||
let borrow_data = &mut self.idx_vec[borrow_index];
|
||||
|
||||
// Watch out: the use of TMP in the borrow
|
||||
// itself doesn't count as an
|
||||
// activation. =)
|
||||
if borrow_data.reserve_location == location && context == PlaceContext::Store {
|
||||
return;
|
||||
}
|
||||
|
||||
if let Some(other_activation) = borrow_data.activation_location {
|
||||
span_bug!(
|
||||
self.mir.source_info(location).span,
|
||||
"found two activations for 2-phase borrow temporary {:?}: \
|
||||
{:?} and {:?}",
|
||||
temp,
|
||||
location,
|
||||
other_activation,
|
||||
);
|
||||
}
|
||||
|
||||
// Otherwise, this is the unique later use
|
||||
// that we expect.
|
||||
borrow_data.activation_location = Some(location);
|
||||
self.activation_map
|
||||
.entry(location)
|
||||
.or_insert(Vec::new())
|
||||
.push(borrow_index);
|
||||
}
|
||||
|
||||
None => {}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
fn visit_rvalue(&mut self, rvalue: &mir::Rvalue<'tcx>, location: mir::Location) {
|
||||
if let mir::Rvalue::Ref(region, kind, ref place) = *rvalue {
|
||||
// double-check that we already registered a BorrowData for this
|
||||
|
||||
let borrow_index = self.location_map[&location];
|
||||
let borrow_data = &self.idx_vec[borrow_index];
|
||||
assert_eq!(borrow_data.reserve_location, location);
|
||||
assert_eq!(borrow_data.kind, kind);
|
||||
assert_eq!(borrow_data.region, region);
|
||||
assert_eq!(borrow_data.borrowed_place, *place);
|
||||
}
|
||||
|
||||
return self.super_rvalue(rvalue, location);
|
||||
}
|
||||
|
||||
fn visit_statement(
|
||||
&mut self,
|
||||
block: mir::BasicBlock,
|
||||
statement: &mir::Statement<'tcx>,
|
||||
location: Location,
|
||||
) {
|
||||
return self.super_statement(block, statement, location);
|
||||
}
|
||||
}
|
||||
|
||||
impl<'a, 'gcx, 'tcx> GatherBorrows<'a, 'gcx, 'tcx> {
|
||||
/// Returns true if the borrow represented by `kind` is
|
||||
/// allowed to be split into separate Reservation and
|
||||
/// Activation phases.
|
||||
fn allow_two_phase_borrow(&self, kind: mir::BorrowKind) -> bool {
|
||||
self.tcx.two_phase_borrows()
|
||||
&& (kind.allows_two_phase_borrow()
|
||||
|| self.tcx.sess.opts.debugging_opts.two_phase_beyond_autoref)
|
||||
}
|
||||
|
||||
/// If this is a two-phase borrow, then we will record it
|
||||
/// as "pending" until we find the activating use.
|
||||
fn insert_as_pending_if_two_phase(
|
||||
&mut self,
|
||||
start_location: Location,
|
||||
assigned_place: &mir::Place<'tcx>,
|
||||
region: Region<'tcx>,
|
||||
kind: mir::BorrowKind,
|
||||
borrow_index: BorrowIndex,
|
||||
) {
|
||||
debug!(
|
||||
"Borrows::insert_as_pending_if_two_phase({:?}, {:?}, {:?}, {:?})",
|
||||
start_location, assigned_place, region, borrow_index,
|
||||
);
|
||||
|
||||
if !self.allow_two_phase_borrow(kind) {
|
||||
debug!(" -> {:?}", start_location);
|
||||
return;
|
||||
}
|
||||
|
||||
// When we encounter a 2-phase borrow statement, it will always
|
||||
// be assigning into a temporary TEMP:
|
||||
//
|
||||
// TEMP = &foo
|
||||
//
|
||||
// so extract `temp`.
|
||||
let temp = if let &mir::Place::Local(temp) = assigned_place {
|
||||
temp
|
||||
} else {
|
||||
span_bug!(
|
||||
self.mir.source_info(start_location).span,
|
||||
"expected 2-phase borrow to assign to a local, not `{:?}`",
|
||||
assigned_place,
|
||||
);
|
||||
};
|
||||
|
||||
// Insert `temp` into the list of pending activations. From
|
||||
// now on, we'll be on the lookout for a use of it. Note that
|
||||
// we are guaranteed that this use will come after the
|
||||
// assignment.
|
||||
let old_value = self.pending_activations.insert(temp, borrow_index);
|
||||
assert!(old_value.is_none());
|
||||
}
|
||||
}
|
||||
|
|
@ -18,7 +18,9 @@ use rustc_data_structures::sync::Lrc;
|
|||
|
||||
use super::{Context, MirBorrowckCtxt};
|
||||
use super::{InitializationRequiringAction, PrefixSet};
|
||||
use dataflow::{Borrows, BorrowData, FlowAtLocation, MovingOutStatements};
|
||||
use super::borrow_set::BorrowData;
|
||||
|
||||
use dataflow::{FlowAtLocation, MovingOutStatements};
|
||||
use dataflow::move_paths::MovePathIndex;
|
||||
use util::borrowck_errors::{BorrowckErrors, Origin};
|
||||
|
||||
|
|
@ -261,7 +263,6 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
(place, span): (&Place<'tcx>, Span),
|
||||
gen_borrow_kind: BorrowKind,
|
||||
issued_borrow: &BorrowData<'tcx>,
|
||||
end_issued_loan_span: Option<Span>,
|
||||
) {
|
||||
let issued_span = self.retrieve_borrow_span(issued_borrow);
|
||||
|
||||
|
|
@ -295,7 +296,7 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
"it",
|
||||
rgt,
|
||||
"",
|
||||
end_issued_loan_span,
|
||||
None,
|
||||
Origin::Mir,
|
||||
)
|
||||
}
|
||||
|
|
@ -307,7 +308,7 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
"",
|
||||
issued_span,
|
||||
"",
|
||||
end_issued_loan_span,
|
||||
None,
|
||||
Origin::Mir,
|
||||
)
|
||||
}
|
||||
|
|
@ -317,7 +318,7 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
span,
|
||||
&desc_place,
|
||||
issued_span,
|
||||
end_issued_loan_span,
|
||||
None,
|
||||
Origin::Mir,
|
||||
)
|
||||
}
|
||||
|
|
@ -329,7 +330,7 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
issued_span,
|
||||
"it",
|
||||
"",
|
||||
end_issued_loan_span,
|
||||
None,
|
||||
Origin::Mir,
|
||||
),
|
||||
|
||||
|
|
@ -341,7 +342,7 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
lft,
|
||||
issued_span,
|
||||
"",
|
||||
end_issued_loan_span,
|
||||
None,
|
||||
Origin::Mir,
|
||||
)
|
||||
}
|
||||
|
|
@ -354,7 +355,7 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
lft,
|
||||
issued_span,
|
||||
"",
|
||||
end_issued_loan_span,
|
||||
None,
|
||||
Origin::Mir,
|
||||
)
|
||||
}
|
||||
|
|
@ -389,10 +390,8 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
context: Context,
|
||||
borrow: &BorrowData<'tcx>,
|
||||
drop_span: Span,
|
||||
borrows: &Borrows<'cx, 'gcx, 'tcx>
|
||||
) {
|
||||
let end_span = borrows.opt_region_end_span(&borrow.region);
|
||||
let scope_tree = borrows.scope_tree();
|
||||
let scope_tree = self.tcx.region_scope_tree(self.mir_def_id);
|
||||
let root_place = self.prefixes(&borrow.borrowed_place, PrefixSet::All)
|
||||
.last()
|
||||
.unwrap();
|
||||
|
|
@ -426,7 +425,6 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
drop_span,
|
||||
borrow_span,
|
||||
proper_span,
|
||||
end_span,
|
||||
);
|
||||
}
|
||||
(RegionKind::ReScope(_), None) => {
|
||||
|
|
@ -437,7 +435,6 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
drop_span,
|
||||
borrow_span,
|
||||
proper_span,
|
||||
end_span,
|
||||
);
|
||||
}
|
||||
(RegionKind::ReEarlyBound(_), Some(name))
|
||||
|
|
@ -453,7 +450,6 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
drop_span,
|
||||
borrow_span,
|
||||
proper_span,
|
||||
end_span,
|
||||
);
|
||||
}
|
||||
(RegionKind::ReEarlyBound(_), None)
|
||||
|
|
@ -468,7 +464,6 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
drop_span,
|
||||
borrow_span,
|
||||
proper_span,
|
||||
end_span,
|
||||
);
|
||||
}
|
||||
(RegionKind::ReLateBound(_, _), _)
|
||||
|
|
@ -490,7 +485,6 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
drop_span: Span,
|
||||
borrow_span: Span,
|
||||
_proper_span: Span,
|
||||
end_span: Option<Span>,
|
||||
) {
|
||||
let tcx = self.tcx;
|
||||
let mut err =
|
||||
|
|
@ -500,9 +494,6 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
drop_span,
|
||||
format!("`{}` dropped here while still borrowed", name),
|
||||
);
|
||||
if let Some(end) = end_span {
|
||||
err.span_label(end, "borrowed value needs to live until here");
|
||||
}
|
||||
self.explain_why_borrow_contains_point(context, borrow, &mut err);
|
||||
err.emit();
|
||||
}
|
||||
|
|
@ -515,7 +506,6 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
drop_span: Span,
|
||||
_borrow_span: Span,
|
||||
proper_span: Span,
|
||||
end_span: Option<Span>,
|
||||
) {
|
||||
let tcx = self.tcx;
|
||||
let mut err =
|
||||
|
|
@ -526,9 +516,6 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
"temporary value dropped here while still borrowed",
|
||||
);
|
||||
err.note("consider using a `let` binding to increase its lifetime");
|
||||
if let Some(end) = end_span {
|
||||
err.span_label(end, "temporary value needs to live until here");
|
||||
}
|
||||
self.explain_why_borrow_contains_point(context, borrow, &mut err);
|
||||
err.emit();
|
||||
}
|
||||
|
|
@ -542,7 +529,6 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
drop_span: Span,
|
||||
borrow_span: Span,
|
||||
_proper_span: Span,
|
||||
_end_span: Option<Span>,
|
||||
) {
|
||||
debug!(
|
||||
"report_unscoped_local_value_does_not_live_long_enough(\
|
||||
|
|
@ -557,16 +543,6 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
err.span_label(borrow_span, "borrowed value does not live long enough");
|
||||
err.span_label(drop_span, "borrowed value only lives until here");
|
||||
|
||||
if !tcx.nll() {
|
||||
tcx.note_and_explain_region(
|
||||
scope_tree,
|
||||
&mut err,
|
||||
"borrowed value must be valid for ",
|
||||
borrow.region,
|
||||
"...",
|
||||
);
|
||||
}
|
||||
|
||||
self.explain_why_borrow_contains_point(context, borrow, &mut err);
|
||||
err.emit();
|
||||
}
|
||||
|
|
@ -579,7 +555,6 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
drop_span: Span,
|
||||
_borrow_span: Span,
|
||||
proper_span: Span,
|
||||
_end_span: Option<Span>,
|
||||
) {
|
||||
debug!(
|
||||
"report_unscoped_temporary_value_does_not_live_long_enough(\
|
||||
|
|
@ -594,16 +569,6 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
err.span_label(proper_span, "temporary value does not live long enough");
|
||||
err.span_label(drop_span, "temporary value only lives until here");
|
||||
|
||||
if !tcx.nll() {
|
||||
tcx.note_and_explain_region(
|
||||
scope_tree,
|
||||
&mut err,
|
||||
"borrowed value must be valid for ",
|
||||
borrow.region,
|
||||
"...",
|
||||
);
|
||||
}
|
||||
|
||||
self.explain_why_borrow_contains_point(context, borrow, &mut err);
|
||||
err.emit();
|
||||
}
|
||||
|
|
@ -834,7 +799,7 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
}
|
||||
|
||||
// Retrieve span of given borrow from the current MIR representation
|
||||
pub fn retrieve_borrow_span(&self, borrow: &BorrowData) -> Span {
|
||||
crate fn retrieve_borrow_span(&self, borrow: &BorrowData) -> Span {
|
||||
self.mir.source_info(borrow.reserve_location).span
|
||||
}
|
||||
|
||||
|
|
|
|||
|
|
@ -14,17 +14,19 @@
|
|||
//! but is not as ugly as it is right now.
|
||||
|
||||
use rustc::mir::{BasicBlock, Location};
|
||||
use rustc_data_structures::indexed_set::Iter;
|
||||
|
||||
use dataflow::{MaybeInitializedPlaces, MaybeUninitializedPlaces};
|
||||
use dataflow::{EverInitializedPlaces, MovingOutStatements};
|
||||
use dataflow::{Borrows};
|
||||
use dataflow::{FlowAtLocation, FlowsAtLocation};
|
||||
use dataflow::move_paths::HasMoveData;
|
||||
use dataflow::move_paths::indexes::BorrowIndex;
|
||||
use std::fmt;
|
||||
|
||||
// (forced to be `pub` due to its use as an associated type below.)
|
||||
pub(crate) struct Flows<'b, 'gcx: 'tcx, 'tcx: 'b> {
|
||||
pub borrows: FlowAtLocation<Borrows<'b, 'gcx, 'tcx>>,
|
||||
crate struct Flows<'b, 'gcx: 'tcx, 'tcx: 'b> {
|
||||
borrows: FlowAtLocation<Borrows<'b, 'gcx, 'tcx>>,
|
||||
pub inits: FlowAtLocation<MaybeInitializedPlaces<'b, 'gcx, 'tcx>>,
|
||||
pub uninits: FlowAtLocation<MaybeUninitializedPlaces<'b, 'gcx, 'tcx>>,
|
||||
pub move_outs: FlowAtLocation<MovingOutStatements<'b, 'gcx, 'tcx>>,
|
||||
|
|
@ -32,7 +34,7 @@ pub(crate) struct Flows<'b, 'gcx: 'tcx, 'tcx: 'b> {
|
|||
}
|
||||
|
||||
impl<'b, 'gcx, 'tcx> Flows<'b, 'gcx, 'tcx> {
|
||||
pub fn new(
|
||||
crate fn new(
|
||||
borrows: FlowAtLocation<Borrows<'b, 'gcx, 'tcx>>,
|
||||
inits: FlowAtLocation<MaybeInitializedPlaces<'b, 'gcx, 'tcx>>,
|
||||
uninits: FlowAtLocation<MaybeUninitializedPlaces<'b, 'gcx, 'tcx>>,
|
||||
|
|
@ -47,6 +49,14 @@ impl<'b, 'gcx, 'tcx> Flows<'b, 'gcx, 'tcx> {
|
|||
ever_inits,
|
||||
}
|
||||
}
|
||||
|
||||
crate fn borrows_in_scope(&self) -> impl Iterator<Item = BorrowIndex> + '_ {
|
||||
self.borrows.iter_incoming()
|
||||
}
|
||||
|
||||
crate fn with_outgoing_borrows(&self, op: impl FnOnce(Iter<BorrowIndex>)) {
|
||||
self.borrows.with_iter_outgoing(op)
|
||||
}
|
||||
}
|
||||
|
||||
macro_rules! each_flow {
|
||||
|
|
@ -88,9 +98,8 @@ impl<'b, 'gcx, 'tcx> fmt::Display for Flows<'b, 'gcx, 'tcx> {
|
|||
s.push_str(", ");
|
||||
};
|
||||
saw_one = true;
|
||||
let borrow_data = &self.borrows.operator().borrows()[borrow.borrow_index()];
|
||||
s.push_str(&format!("{}{}", borrow_data,
|
||||
if borrow.is_activation() { "@active" } else { "" }));
|
||||
let borrow_data = &self.borrows.operator().borrows()[borrow];
|
||||
s.push_str(&format!("{}", borrow_data));
|
||||
});
|
||||
s.push_str("] ");
|
||||
|
||||
|
|
@ -101,7 +110,7 @@ impl<'b, 'gcx, 'tcx> fmt::Display for Flows<'b, 'gcx, 'tcx> {
|
|||
s.push_str(", ");
|
||||
};
|
||||
saw_one = true;
|
||||
let borrow_data = &self.borrows.operator().borrows()[borrow.borrow_index()];
|
||||
let borrow_data = &self.borrows.operator().borrows()[borrow];
|
||||
s.push_str(&format!("{}", borrow_data));
|
||||
});
|
||||
s.push_str("] ");
|
||||
|
|
|
|||
|
|
@ -22,13 +22,13 @@ use rustc::mir::{Mir, Mutability, Operand, Projection, ProjectionElem, Rvalue};
|
|||
use rustc::mir::{Field, Statement, StatementKind, Terminator, TerminatorKind};
|
||||
use rustc::mir::ClosureRegionRequirements;
|
||||
|
||||
use rustc_data_structures::control_flow_graph::dominators::Dominators;
|
||||
use rustc_data_structures::fx::FxHashSet;
|
||||
use rustc_data_structures::indexed_set::IdxSetBuf;
|
||||
use rustc_data_structures::indexed_vec::Idx;
|
||||
|
||||
use std::rc::Rc;
|
||||
|
||||
use syntax::ast;
|
||||
use syntax_pos::Span;
|
||||
|
||||
use dataflow::{do_dataflow, DebugFormatted};
|
||||
|
|
@ -37,7 +37,7 @@ use dataflow::MoveDataParamEnv;
|
|||
use dataflow::{DataflowResultsConsumer};
|
||||
use dataflow::{MaybeInitializedPlaces, MaybeUninitializedPlaces};
|
||||
use dataflow::{EverInitializedPlaces, MovingOutStatements};
|
||||
use dataflow::{BorrowData, Borrows, ReserveOrActivateIndex};
|
||||
use dataflow::Borrows;
|
||||
use dataflow::indexes::BorrowIndex;
|
||||
use dataflow::move_paths::{IllegalMoveOriginKind, MoveError};
|
||||
use dataflow::move_paths::{HasMoveData, LookupResult, MoveData, MovePathIndex};
|
||||
|
|
@ -46,12 +46,15 @@ use util::collect_writes::FindAssignments;
|
|||
|
||||
use std::iter;
|
||||
|
||||
use self::borrow_set::{BorrowSet, BorrowData};
|
||||
use self::flows::Flows;
|
||||
use self::prefixes::PrefixSet;
|
||||
use self::MutateMode::{JustWrite, WriteAndRead};
|
||||
|
||||
crate mod borrow_set;
|
||||
mod error_reporting;
|
||||
mod flows;
|
||||
crate mod place_ext;
|
||||
mod prefixes;
|
||||
|
||||
pub(crate) mod nll;
|
||||
|
|
@ -70,7 +73,7 @@ fn mir_borrowck<'a, 'tcx>(
|
|||
let input_mir = tcx.mir_validated(def_id);
|
||||
debug!("run query mir_borrowck: {}", tcx.item_path_str(def_id));
|
||||
|
||||
if !tcx.has_attr(def_id, "rustc_mir_borrowck") && !tcx.use_mir() {
|
||||
if !tcx.has_attr(def_id, "rustc_mir_borrowck") && !tcx.use_mir_borrowck() {
|
||||
return None;
|
||||
}
|
||||
|
||||
|
|
@ -95,19 +98,13 @@ fn do_mir_borrowck<'a, 'gcx, 'tcx>(
|
|||
.as_local_node_id(def_id)
|
||||
.expect("do_mir_borrowck: non-local DefId");
|
||||
|
||||
// Make our own copy of the MIR. This copy will be modified (in place) to
|
||||
// contain non-lexical lifetimes. It will have a lifetime tied
|
||||
// to the inference context.
|
||||
// Replace all regions with fresh inference variables. This
|
||||
// requires first making our own copy of the MIR. This copy will
|
||||
// be modified (in place) to contain non-lexical lifetimes. It
|
||||
// will have a lifetime tied to the inference context.
|
||||
let mut mir: Mir<'tcx> = input_mir.clone();
|
||||
let free_regions = if !tcx.nll() {
|
||||
None
|
||||
} else {
|
||||
let mir = &mut mir;
|
||||
|
||||
// Replace all regions with fresh inference variables.
|
||||
Some(nll::replace_regions_in_mir(infcx, def_id, param_env, mir))
|
||||
};
|
||||
let mir = &mir;
|
||||
let free_regions = nll::replace_regions_in_mir(infcx, def_id, param_env, &mut mir);
|
||||
let mir = &mir; // no further changes
|
||||
|
||||
let move_data: MoveData<'tcx> = match MoveData::gather_moves(mir, tcx) {
|
||||
Ok(move_data) => move_data,
|
||||
|
|
@ -189,22 +186,20 @@ fn do_mir_borrowck<'a, 'gcx, 'tcx>(
|
|||
|bd, i| DebugFormatted::new(&bd.move_data().inits[i]),
|
||||
));
|
||||
|
||||
let borrow_set = Rc::new(BorrowSet::build(tcx, mir));
|
||||
|
||||
// If we are in non-lexical mode, compute the non-lexical lifetimes.
|
||||
let (opt_regioncx, opt_closure_req) = if let Some(free_regions) = free_regions {
|
||||
let (regioncx, opt_closure_req) = nll::compute_regions(
|
||||
infcx,
|
||||
def_id,
|
||||
free_regions,
|
||||
mir,
|
||||
param_env,
|
||||
&mut flow_inits,
|
||||
&mdpe.move_data,
|
||||
);
|
||||
(Some(Rc::new(regioncx)), opt_closure_req)
|
||||
} else {
|
||||
assert!(!tcx.nll());
|
||||
(None, None)
|
||||
};
|
||||
let (regioncx, opt_closure_req) = nll::compute_regions(
|
||||
infcx,
|
||||
def_id,
|
||||
free_regions,
|
||||
mir,
|
||||
param_env,
|
||||
&mut flow_inits,
|
||||
&mdpe.move_data,
|
||||
&borrow_set,
|
||||
);
|
||||
let regioncx = Rc::new(regioncx);
|
||||
let flow_inits = flow_inits; // remove mut
|
||||
|
||||
let flow_borrows = FlowAtLocation::new(do_dataflow(
|
||||
|
|
@ -213,24 +208,24 @@ fn do_mir_borrowck<'a, 'gcx, 'tcx>(
|
|||
id,
|
||||
&attributes,
|
||||
&dead_unwinds,
|
||||
Borrows::new(tcx, mir, opt_regioncx.clone(), def_id, body_id),
|
||||
|rs, i| {
|
||||
DebugFormatted::new(&(i.kind(), rs.location(i.borrow_index())))
|
||||
}
|
||||
Borrows::new(tcx, mir, regioncx.clone(), def_id, body_id, &borrow_set),
|
||||
|rs, i| DebugFormatted::new(&rs.location(i)),
|
||||
));
|
||||
|
||||
let movable_generator = !match tcx.hir.get(id) {
|
||||
let movable_generator = match tcx.hir.get(id) {
|
||||
hir::map::Node::NodeExpr(&hir::Expr {
|
||||
node: hir::ExprClosure(.., Some(hir::GeneratorMovability::Static)),
|
||||
..
|
||||
}) => true,
|
||||
_ => false,
|
||||
}) => false,
|
||||
_ => true,
|
||||
};
|
||||
|
||||
let dominators = mir.dominators();
|
||||
|
||||
let mut mbcx = MirBorrowckCtxt {
|
||||
tcx: tcx,
|
||||
mir: mir,
|
||||
node_id: id,
|
||||
mir_def_id: def_id,
|
||||
move_data: &mdpe.move_data,
|
||||
param_env: param_env,
|
||||
movable_generator,
|
||||
|
|
@ -241,8 +236,10 @@ fn do_mir_borrowck<'a, 'gcx, 'tcx>(
|
|||
access_place_error_reported: FxHashSet(),
|
||||
reservation_error_reported: FxHashSet(),
|
||||
moved_error_reported: FxHashSet(),
|
||||
nonlexical_regioncx: opt_regioncx,
|
||||
nonlexical_regioncx: regioncx,
|
||||
nonlexical_cause_info: None,
|
||||
borrow_set,
|
||||
dominators,
|
||||
};
|
||||
|
||||
let mut state = Flows::new(
|
||||
|
|
@ -262,7 +259,7 @@ fn do_mir_borrowck<'a, 'gcx, 'tcx>(
|
|||
pub struct MirBorrowckCtxt<'cx, 'gcx: 'tcx, 'tcx: 'cx> {
|
||||
tcx: TyCtxt<'cx, 'gcx, 'tcx>,
|
||||
mir: &'cx Mir<'tcx>,
|
||||
node_id: ast::NodeId,
|
||||
mir_def_id: DefId,
|
||||
move_data: &'cx MoveData<'tcx>,
|
||||
param_env: ParamEnv<'gcx>,
|
||||
movable_generator: bool,
|
||||
|
|
@ -293,8 +290,14 @@ pub struct MirBorrowckCtxt<'cx, 'gcx: 'tcx, 'tcx: 'cx> {
|
|||
/// Non-lexical region inference context, if NLL is enabled. This
|
||||
/// contains the results from region inference and lets us e.g.
|
||||
/// find out which CFG points are contained in each borrow region.
|
||||
nonlexical_regioncx: Option<Rc<RegionInferenceContext<'tcx>>>,
|
||||
nonlexical_regioncx: Rc<RegionInferenceContext<'tcx>>,
|
||||
nonlexical_cause_info: Option<RegionCausalInfo>,
|
||||
|
||||
/// The set of borrows extracted from the MIR
|
||||
borrow_set: Rc<BorrowSet<'tcx>>,
|
||||
|
||||
/// Dominators for MIR
|
||||
dominators: Dominators<BasicBlock>,
|
||||
}
|
||||
|
||||
// Check that:
|
||||
|
|
@ -535,11 +538,10 @@ impl<'cx, 'gcx, 'tcx> DataflowResultsConsumer<'cx, 'tcx> for MirBorrowckCtxt<'cx
|
|||
|
||||
if self.movable_generator {
|
||||
// Look for any active borrows to locals
|
||||
let domain = flow_state.borrows.operator();
|
||||
let data = domain.borrows();
|
||||
flow_state.borrows.with_iter_outgoing(|borrows| {
|
||||
let borrow_set = self.borrow_set.clone();
|
||||
flow_state.with_outgoing_borrows(|borrows| {
|
||||
for i in borrows {
|
||||
let borrow = &data[i.borrow_index()];
|
||||
let borrow = &borrow_set[i];
|
||||
self.check_for_local_borrow(borrow, span);
|
||||
}
|
||||
});
|
||||
|
|
@ -551,13 +553,12 @@ impl<'cx, 'gcx, 'tcx> DataflowResultsConsumer<'cx, 'tcx> for MirBorrowckCtxt<'cx
|
|||
// Often, the storage will already have been killed by an explicit
|
||||
// StorageDead, but we don't always emit those (notably on unwind paths),
|
||||
// so this "extra check" serves as a kind of backup.
|
||||
let domain = flow_state.borrows.operator();
|
||||
let data = domain.borrows();
|
||||
flow_state.borrows.with_iter_outgoing(|borrows| {
|
||||
let borrow_set = self.borrow_set.clone();
|
||||
flow_state.with_outgoing_borrows(|borrows| {
|
||||
for i in borrows {
|
||||
let borrow = &data[i.borrow_index()];
|
||||
let borrow = &borrow_set[i];
|
||||
let context = ContextKind::StorageDead.new(loc);
|
||||
self.check_for_invalidation_at_exit(context, borrow, span, flow_state);
|
||||
self.check_for_invalidation_at_exit(context, borrow, span);
|
||||
}
|
||||
});
|
||||
}
|
||||
|
|
@ -836,27 +837,34 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
rw: ReadOrWrite,
|
||||
flow_state: &Flows<'cx, 'gcx, 'tcx>,
|
||||
) -> bool {
|
||||
debug!(
|
||||
"check_access_for_conflict(context={:?}, place_span={:?}, sd={:?}, rw={:?})",
|
||||
context,
|
||||
place_span,
|
||||
sd,
|
||||
rw,
|
||||
);
|
||||
|
||||
let mut error_reported = false;
|
||||
self.each_borrow_involving_path(
|
||||
context,
|
||||
(sd, place_span.0),
|
||||
flow_state,
|
||||
|this, index, borrow| match (rw, borrow.kind) {
|
||||
|this, borrow_index, borrow| match (rw, borrow.kind) {
|
||||
// Obviously an activation is compatible with its own
|
||||
// reservation (or even prior activating uses of same
|
||||
// borrow); so don't check if they interfere.
|
||||
//
|
||||
// NOTE: *reservations* do conflict with themselves;
|
||||
// thus aren't injecting unsoundenss w/ this check.)
|
||||
(Activation(_, activating), _) if activating == index.borrow_index() => {
|
||||
(Activation(_, activating), _) if activating == borrow_index => {
|
||||
debug!(
|
||||
"check_access_for_conflict place_span: {:?} sd: {:?} rw: {:?} \
|
||||
skipping {:?} b/c activation of same borrow_index: {:?}",
|
||||
skipping {:?} b/c activation of same borrow_index",
|
||||
place_span,
|
||||
sd,
|
||||
rw,
|
||||
(index, borrow),
|
||||
index.borrow_index()
|
||||
(borrow_index, borrow),
|
||||
);
|
||||
Control::Continue
|
||||
}
|
||||
|
|
@ -867,7 +875,8 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
|
||||
(Read(kind), BorrowKind::Unique) | (Read(kind), BorrowKind::Mut { .. }) => {
|
||||
// Reading from mere reservations of mutable-borrows is OK.
|
||||
if this.allow_two_phase_borrow(borrow.kind) && index.is_reservation() {
|
||||
if !this.is_active(borrow, context.loc) {
|
||||
assert!(this.allow_two_phase_borrow(borrow.kind));
|
||||
return Control::Continue;
|
||||
}
|
||||
|
||||
|
|
@ -877,17 +886,12 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
this.report_use_while_mutably_borrowed(context, place_span, borrow)
|
||||
}
|
||||
ReadKind::Borrow(bk) => {
|
||||
let end_issued_loan_span = flow_state
|
||||
.borrows
|
||||
.operator()
|
||||
.opt_region_end_span(&borrow.region);
|
||||
error_reported = true;
|
||||
this.report_conflicting_borrow(
|
||||
context,
|
||||
place_span,
|
||||
bk,
|
||||
&borrow,
|
||||
end_issued_loan_span,
|
||||
)
|
||||
}
|
||||
}
|
||||
|
|
@ -919,18 +923,12 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
|
||||
match kind {
|
||||
WriteKind::MutableBorrow(bk) => {
|
||||
let end_issued_loan_span = flow_state
|
||||
.borrows
|
||||
.operator()
|
||||
.opt_region_end_span(&borrow.region);
|
||||
|
||||
error_reported = true;
|
||||
this.report_conflicting_borrow(
|
||||
context,
|
||||
place_span,
|
||||
bk,
|
||||
&borrow,
|
||||
end_issued_loan_span,
|
||||
)
|
||||
}
|
||||
WriteKind::StorageDeadOrDrop => {
|
||||
|
|
@ -939,7 +937,6 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
context,
|
||||
borrow,
|
||||
place_span.1,
|
||||
flow_state.borrows.operator(),
|
||||
);
|
||||
}
|
||||
WriteKind::Mutate => {
|
||||
|
|
@ -1141,7 +1138,6 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
context: Context,
|
||||
borrow: &BorrowData<'tcx>,
|
||||
span: Span,
|
||||
flow_state: &Flows<'cx, 'gcx, 'tcx>,
|
||||
) {
|
||||
debug!("check_for_invalidation_at_exit({:?})", borrow);
|
||||
let place = &borrow.borrowed_place;
|
||||
|
|
@ -1194,7 +1190,6 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
context,
|
||||
borrow,
|
||||
span,
|
||||
flow_state.borrows.operator(),
|
||||
)
|
||||
}
|
||||
}
|
||||
|
|
@ -1249,36 +1244,30 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
// Two-phase borrow support: For each activation that is newly
|
||||
// generated at this statement, check if it interferes with
|
||||
// another borrow.
|
||||
let domain = flow_state.borrows.operator();
|
||||
let data = domain.borrows();
|
||||
flow_state.borrows.each_gen_bit(|gen| {
|
||||
if gen.is_activation() {
|
||||
let borrow_index = gen.borrow_index();
|
||||
let borrow = &data[borrow_index];
|
||||
// currently the flow analysis registers
|
||||
// activations for both mutable and immutable
|
||||
// borrows. So make sure we are talking about a
|
||||
// mutable borrow before we check it.
|
||||
match borrow.kind {
|
||||
BorrowKind::Shared => return,
|
||||
BorrowKind::Unique | BorrowKind::Mut { .. } => {}
|
||||
}
|
||||
let borrow_set = self.borrow_set.clone();
|
||||
for &borrow_index in borrow_set.activations_at_location(location) {
|
||||
let borrow = &borrow_set[borrow_index];
|
||||
|
||||
self.access_place(
|
||||
ContextKind::Activation.new(location),
|
||||
(&borrow.borrowed_place, span),
|
||||
(
|
||||
Deep,
|
||||
Activation(WriteKind::MutableBorrow(borrow.kind), borrow_index),
|
||||
),
|
||||
LocalMutationIsAllowed::No,
|
||||
flow_state,
|
||||
);
|
||||
// We do not need to call `check_if_path_or_subpath_is_moved`
|
||||
// again, as we already called it when we made the
|
||||
// initial reservation.
|
||||
}
|
||||
});
|
||||
// only mutable borrows should be 2-phase
|
||||
assert!(match borrow.kind {
|
||||
BorrowKind::Shared => false,
|
||||
BorrowKind::Unique | BorrowKind::Mut { .. } => true,
|
||||
});
|
||||
|
||||
self.access_place(
|
||||
ContextKind::Activation.new(location),
|
||||
(&borrow.borrowed_place, span),
|
||||
(
|
||||
Deep,
|
||||
Activation(WriteKind::MutableBorrow(borrow.kind), borrow_index),
|
||||
),
|
||||
LocalMutationIsAllowed::No,
|
||||
flow_state,
|
||||
);
|
||||
// We do not need to call `check_if_path_or_subpath_is_moved`
|
||||
// again, as we already called it when we made the
|
||||
// initial reservation.
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
|
|
@ -2217,18 +2206,15 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
unreachable!("iter::repeat returned None")
|
||||
}
|
||||
|
||||
/// This function iterates over all of the current borrows
|
||||
/// (represented by 1-bits in `flow_state.borrows`) that conflict
|
||||
/// with an access to a place, invoking the `op` callback for each
|
||||
/// one.
|
||||
/// This function iterates over all of the in-scope borrows that
|
||||
/// conflict with an access to a place, invoking the `op` callback
|
||||
/// for each one.
|
||||
///
|
||||
/// "Current borrow" here means a borrow that reaches the point in
|
||||
/// the control-flow where the access occurs.
|
||||
///
|
||||
/// The borrow's phase is represented by the ReserveOrActivateIndex
|
||||
/// passed to the callback: one can call `is_reservation()` and
|
||||
/// `is_activation()` to determine what phase the borrow is
|
||||
/// currently in, when such distinction matters.
|
||||
/// The borrow's phase is represented by the IsActive parameter
|
||||
/// passed to the callback.
|
||||
fn each_borrow_involving_path<F>(
|
||||
&mut self,
|
||||
_context: Context,
|
||||
|
|
@ -2236,20 +2222,18 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
flow_state: &Flows<'cx, 'gcx, 'tcx>,
|
||||
mut op: F,
|
||||
) where
|
||||
F: FnMut(&mut Self, ReserveOrActivateIndex, &BorrowData<'tcx>) -> Control,
|
||||
F: FnMut(&mut Self, BorrowIndex, &BorrowData<'tcx>) -> Control,
|
||||
{
|
||||
let (access, place) = access_place;
|
||||
|
||||
// FIXME: analogous code in check_loans first maps `place` to
|
||||
// its base_path.
|
||||
|
||||
let data = flow_state.borrows.operator().borrows();
|
||||
|
||||
// check for loan restricting path P being used. Accounts for
|
||||
// borrows of P, P.a.b, etc.
|
||||
let mut iter_incoming = flow_state.borrows.iter_incoming();
|
||||
while let Some(i) = iter_incoming.next() {
|
||||
let borrowed = &data[i.borrow_index()];
|
||||
let borrow_set = self.borrow_set.clone();
|
||||
for i in flow_state.borrows_in_scope() {
|
||||
let borrowed = &borrow_set[i];
|
||||
|
||||
if self.places_conflict(&borrowed.borrowed_place, place, access) {
|
||||
debug!(
|
||||
|
|
@ -2263,6 +2247,65 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
}
|
||||
}
|
||||
}
|
||||
|
||||
fn is_active(
|
||||
&self,
|
||||
borrow_data: &BorrowData<'tcx>,
|
||||
location: Location
|
||||
) -> bool {
|
||||
debug!("is_active(borrow_data={:?}, location={:?})", borrow_data, location);
|
||||
|
||||
// If this is not a 2-phase borrow, it is always active.
|
||||
let activation_location = match borrow_data.activation_location {
|
||||
Some(v) => v,
|
||||
None => return true,
|
||||
};
|
||||
|
||||
// Otherwise, it is active for every location *except* in between
|
||||
// the reservation and the activation:
|
||||
//
|
||||
// X
|
||||
// /
|
||||
// R <--+ Except for this
|
||||
// / \ | diamond
|
||||
// \ / |
|
||||
// A <------+
|
||||
// |
|
||||
// Z
|
||||
//
|
||||
// Note that we assume that:
|
||||
// - the reservation R dominates the activation A
|
||||
// - the activation A post-dominates the reservation R (ignoring unwinding edges).
|
||||
//
|
||||
// This means that there can't be an edge that leaves A and
|
||||
// comes back into that diamond unless it passes through R.
|
||||
//
|
||||
// Suboptimal: In some cases, this code walks the dominator
|
||||
// tree twice when it only has to be walked once. I am
|
||||
// lazy. -nmatsakis
|
||||
|
||||
// If dominated by the activation A, then it is active. The
|
||||
// activation occurs upon entering the point A, so this is
|
||||
// also true if location == activation_location.
|
||||
if activation_location.dominates(location, &self.dominators) {
|
||||
return true;
|
||||
}
|
||||
|
||||
// The reservation starts *on exiting* the reservation block,
|
||||
// so check if the location is dominated by R.successor. If so,
|
||||
// this point falls in between the reservation and location.
|
||||
let reserve_location = borrow_data.reserve_location.successor_within_block();
|
||||
if reserve_location.dominates(location, &self.dominators) {
|
||||
false
|
||||
} else {
|
||||
// Otherwise, this point is outside the diamond, so
|
||||
// consider the borrow active. This could happen for
|
||||
// example if the borrow remains active around a loop (in
|
||||
// which case it would be active also for the point R,
|
||||
// which would generate an error).
|
||||
true
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
||||
|
|
|
|||
|
|
@ -10,7 +10,7 @@
|
|||
|
||||
use borrow_check::nll::region_infer::{Cause, RegionInferenceContext};
|
||||
use borrow_check::{Context, MirBorrowckCtxt};
|
||||
use dataflow::BorrowData;
|
||||
use borrow_check::borrow_set::BorrowData;
|
||||
use rustc::mir::visit::{MirVisitable, PlaceContext, Visitor};
|
||||
use rustc::mir::{Local, Location, Mir};
|
||||
use rustc_data_structures::fx::FxHashSet;
|
||||
|
|
@ -29,82 +29,81 @@ impl<'cx, 'gcx, 'tcx> MirBorrowckCtxt<'cx, 'gcx, 'tcx> {
|
|||
borrow: &BorrowData<'tcx>,
|
||||
err: &mut DiagnosticBuilder<'_>,
|
||||
) {
|
||||
if let Some(regioncx) = &self.nonlexical_regioncx {
|
||||
let mir = self.mir;
|
||||
let regioncx = &&self.nonlexical_regioncx;
|
||||
let mir = self.mir;
|
||||
|
||||
if self.nonlexical_cause_info.is_none() {
|
||||
self.nonlexical_cause_info = Some(regioncx.compute_causal_info(mir));
|
||||
}
|
||||
if self.nonlexical_cause_info.is_none() {
|
||||
self.nonlexical_cause_info = Some(regioncx.compute_causal_info(mir));
|
||||
}
|
||||
|
||||
let cause_info = self.nonlexical_cause_info.as_ref().unwrap();
|
||||
if let Some(cause) = cause_info.why_region_contains_point(borrow.region, context.loc) {
|
||||
match *cause.root_cause() {
|
||||
Cause::LiveVar(local, location) => {
|
||||
match find_regular_use(mir, regioncx, borrow, location, local) {
|
||||
Some(p) => {
|
||||
err.span_label(
|
||||
mir.source_info(p).span,
|
||||
format!("borrow later used here"),
|
||||
);
|
||||
}
|
||||
|
||||
None => {
|
||||
span_bug!(
|
||||
mir.source_info(context.loc).span,
|
||||
"Cause should end in a LiveVar"
|
||||
);
|
||||
}
|
||||
let cause_info = self.nonlexical_cause_info.as_ref().unwrap();
|
||||
if let Some(cause) = cause_info.why_region_contains_point(borrow.region, context.loc) {
|
||||
match *cause.root_cause() {
|
||||
Cause::LiveVar(local, location) => {
|
||||
match find_regular_use(mir, regioncx, borrow, location, local) {
|
||||
Some(p) => {
|
||||
err.span_label(
|
||||
mir.source_info(p).span,
|
||||
format!("borrow later used here"),
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
Cause::DropVar(local, location) => {
|
||||
match find_drop_use(mir, regioncx, borrow, location, local) {
|
||||
Some(p) => match &mir.local_decls[local].name {
|
||||
Some(local_name) => {
|
||||
err.span_label(
|
||||
mir.source_info(p).span,
|
||||
format!(
|
||||
"borrow later used here, when `{}` is dropped",
|
||||
local_name
|
||||
),
|
||||
);
|
||||
}
|
||||
None => {
|
||||
err.span_label(
|
||||
mir.local_decls[local].source_info.span,
|
||||
"borrow may end up in a temporary, created here",
|
||||
);
|
||||
|
||||
err.span_label(
|
||||
mir.source_info(p).span,
|
||||
"temporary later dropped here, \
|
||||
potentially using the reference",
|
||||
);
|
||||
}
|
||||
},
|
||||
|
||||
None => {
|
||||
span_bug!(
|
||||
mir.source_info(context.loc).span,
|
||||
"Cause should end in a DropVar"
|
||||
);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
Cause::UniversalRegion(region_vid) => {
|
||||
if let Some(region) = regioncx.to_error_region(region_vid) {
|
||||
self.tcx.note_and_explain_free_region(
|
||||
err,
|
||||
"borrowed value must be valid for ",
|
||||
region,
|
||||
"...",
|
||||
None => {
|
||||
span_bug!(
|
||||
mir.source_info(context.loc).span,
|
||||
"Cause should end in a LiveVar"
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
_ => {}
|
||||
}
|
||||
|
||||
Cause::DropVar(local, location) => {
|
||||
match find_drop_use(mir, regioncx, borrow, location, local) {
|
||||
Some(p) => match &mir.local_decls[local].name {
|
||||
Some(local_name) => {
|
||||
err.span_label(
|
||||
mir.source_info(p).span,
|
||||
format!(
|
||||
"borrow later used here, when `{}` is dropped",
|
||||
local_name
|
||||
),
|
||||
);
|
||||
}
|
||||
None => {
|
||||
err.span_label(
|
||||
mir.local_decls[local].source_info.span,
|
||||
"borrow may end up in a temporary, created here",
|
||||
);
|
||||
|
||||
err.span_label(
|
||||
mir.source_info(p).span,
|
||||
"temporary later dropped here, \
|
||||
potentially using the reference",
|
||||
);
|
||||
}
|
||||
},
|
||||
|
||||
None => {
|
||||
span_bug!(
|
||||
mir.source_info(context.loc).span,
|
||||
"Cause should end in a DropVar"
|
||||
);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
Cause::UniversalRegion(region_vid) => {
|
||||
if let Some(region) = regioncx.to_error_region(region_vid) {
|
||||
self.tcx.note_and_explain_free_region(
|
||||
err,
|
||||
"borrowed value must be valid for ",
|
||||
region,
|
||||
"...",
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
_ => {}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
|||
|
|
@ -8,6 +8,7 @@
|
|||
// option. This file may not be copied, modified, or distributed
|
||||
// except according to those terms.
|
||||
|
||||
use borrow_check::borrow_set::BorrowSet;
|
||||
use rustc::hir::def_id::DefId;
|
||||
use rustc::mir::{ClosureRegionRequirements, ClosureOutlivesSubject, Mir};
|
||||
use rustc::infer::InferCtxt;
|
||||
|
|
@ -73,6 +74,7 @@ pub(in borrow_check) fn compute_regions<'cx, 'gcx, 'tcx>(
|
|||
param_env: ty::ParamEnv<'gcx>,
|
||||
flow_inits: &mut FlowAtLocation<MaybeInitializedPlaces<'cx, 'gcx, 'tcx>>,
|
||||
move_data: &MoveData<'tcx>,
|
||||
_borrow_set: &BorrowSet<'tcx>,
|
||||
) -> (
|
||||
RegionInferenceContext<'tcx>,
|
||||
Option<ClosureRegionRequirements<'gcx>>,
|
||||
|
|
|
|||
|
|
@ -1611,7 +1611,7 @@ impl MirPass for TypeckMir {
|
|||
|
||||
// When NLL is enabled, the borrow checker runs the typeck
|
||||
// itself, so we don't need this MIR pass anymore.
|
||||
if tcx.nll() {
|
||||
if tcx.use_mir_borrowck() {
|
||||
return;
|
||||
}
|
||||
|
||||
|
|
|
|||
60
src/librustc_mir/borrow_check/place_ext.rs
Normal file
60
src/librustc_mir/borrow_check/place_ext.rs
Normal file
|
|
@ -0,0 +1,60 @@
|
|||
// Copyright 2012-2014 The Rust Project Developers. See the COPYRIGHT
|
||||
// file at the top-level directory of this distribution and at
|
||||
// http://rust-lang.org/COPYRIGHT.
|
||||
//
|
||||
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
|
||||
// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
|
||||
// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
|
||||
// option. This file may not be copied, modified, or distributed
|
||||
// except according to those terms.
|
||||
|
||||
use rustc::hir;
|
||||
use rustc::mir::ProjectionElem;
|
||||
use rustc::mir::{Local, Mir, Place};
|
||||
use rustc::ty::{self, TyCtxt};
|
||||
|
||||
/// Extension methods for the `Place` type.
|
||||
crate trait PlaceExt<'tcx> {
|
||||
/// True if this is a deref of a raw pointer.
|
||||
fn is_unsafe_place(&self, tcx: TyCtxt<'_, '_, 'tcx>, mir: &Mir<'tcx>) -> bool;
|
||||
|
||||
/// If this is a place like `x.f.g`, returns the local
|
||||
/// `x`. Returns `None` if this is based in a static.
|
||||
fn root_local(&self) -> Option<Local>;
|
||||
}
|
||||
|
||||
impl<'tcx> PlaceExt<'tcx> for Place<'tcx> {
|
||||
fn is_unsafe_place(&self, tcx: TyCtxt<'_, '_, 'tcx>, mir: &Mir<'tcx>) -> bool {
|
||||
match self {
|
||||
Place::Local(_) => false,
|
||||
Place::Static(static_) => {
|
||||
tcx.is_static(static_.def_id) == Some(hir::Mutability::MutMutable)
|
||||
}
|
||||
Place::Projection(proj) => match proj.elem {
|
||||
ProjectionElem::Field(..)
|
||||
| ProjectionElem::Downcast(..)
|
||||
| ProjectionElem::Subslice { .. }
|
||||
| ProjectionElem::ConstantIndex { .. }
|
||||
| ProjectionElem::Index(_) => proj.base.is_unsafe_place(tcx, mir),
|
||||
ProjectionElem::Deref => {
|
||||
let ty = proj.base.ty(mir, tcx).to_ty(tcx);
|
||||
match ty.sty {
|
||||
ty::TyRawPtr(..) => true,
|
||||
_ => proj.base.is_unsafe_place(tcx, mir),
|
||||
}
|
||||
}
|
||||
},
|
||||
}
|
||||
}
|
||||
|
||||
fn root_local(&self) -> Option<Local> {
|
||||
let mut p = self;
|
||||
loop {
|
||||
match p {
|
||||
Place::Projection(pi) => p = &pi.base,
|
||||
Place::Static(_) => return None,
|
||||
Place::Local(l) => return Some(*l),
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
@ -8,31 +8,28 @@
|
|||
// option. This file may not be copied, modified, or distributed
|
||||
// except according to those terms.
|
||||
|
||||
use borrow_check::borrow_set::{BorrowSet, BorrowData};
|
||||
use borrow_check::place_ext::PlaceExt;
|
||||
|
||||
use rustc;
|
||||
use rustc::hir;
|
||||
use rustc::hir::def_id::DefId;
|
||||
use rustc::middle::region;
|
||||
use rustc::mir::{self, Location, Place, Mir};
|
||||
use rustc::mir::visit::{PlaceContext, Visitor};
|
||||
use rustc::ty::{self, Region, TyCtxt};
|
||||
use rustc::ty::TyCtxt;
|
||||
use rustc::ty::RegionKind;
|
||||
use rustc::ty::RegionKind::ReScope;
|
||||
use rustc::util::nodemap::{FxHashMap, FxHashSet};
|
||||
|
||||
use rustc_data_structures::bitslice::{BitwiseOperator};
|
||||
use rustc_data_structures::indexed_set::{IdxSet};
|
||||
use rustc_data_structures::indexed_vec::{Idx, IndexVec};
|
||||
use rustc_data_structures::bitslice::BitwiseOperator;
|
||||
use rustc_data_structures::indexed_set::IdxSet;
|
||||
use rustc_data_structures::indexed_vec::IndexVec;
|
||||
use rustc_data_structures::sync::Lrc;
|
||||
|
||||
use dataflow::{BitDenotation, BlockSets, InitialFlow};
|
||||
pub use dataflow::indexes::{BorrowIndex, ReserveOrActivateIndex};
|
||||
pub use dataflow::indexes::BorrowIndex;
|
||||
use borrow_check::nll::region_infer::RegionInferenceContext;
|
||||
use borrow_check::nll::ToRegionVid;
|
||||
|
||||
use syntax_pos::Span;
|
||||
|
||||
use std::fmt;
|
||||
use std::hash::Hash;
|
||||
use std::rc::Rc;
|
||||
|
||||
/// `Borrows` stores the data used in the analyses that track the flow
|
||||
|
|
@ -48,534 +45,102 @@ pub struct Borrows<'a, 'gcx: 'tcx, 'tcx: 'a> {
|
|||
scope_tree: Lrc<region::ScopeTree>,
|
||||
root_scope: Option<region::Scope>,
|
||||
|
||||
/// The fundamental map relating bitvector indexes to the borrows
|
||||
/// in the MIR.
|
||||
borrows: IndexVec<BorrowIndex, BorrowData<'tcx>>,
|
||||
|
||||
/// Each borrow is also uniquely identified in the MIR by the
|
||||
/// `Location` of the assignment statement in which it appears on
|
||||
/// the right hand side; we map each such location to the
|
||||
/// corresponding `BorrowIndex`.
|
||||
location_map: FxHashMap<Location, BorrowIndex>,
|
||||
|
||||
/// Every borrow in MIR is immediately stored into a place via an
|
||||
/// assignment statement. This maps each such assigned place back
|
||||
/// to its borrow-indexes.
|
||||
assigned_map: FxHashMap<Place<'tcx>, FxHashSet<BorrowIndex>>,
|
||||
|
||||
/// Locations which activate borrows.
|
||||
activation_map: FxHashMap<Location, FxHashSet<BorrowIndex>>,
|
||||
|
||||
/// Every borrow has a region; this maps each such regions back to
|
||||
/// its borrow-indexes.
|
||||
region_map: FxHashMap<Region<'tcx>, FxHashSet<BorrowIndex>>,
|
||||
|
||||
/// Map from local to all the borrows on that local
|
||||
local_map: FxHashMap<mir::Local, FxHashSet<BorrowIndex>>,
|
||||
|
||||
/// Maps regions to their corresponding source spans
|
||||
/// Only contains ReScope()s as keys
|
||||
region_span_map: FxHashMap<RegionKind, Span>,
|
||||
borrow_set: Rc<BorrowSet<'tcx>>,
|
||||
|
||||
/// NLL region inference context with which NLL queries should be resolved
|
||||
nonlexical_regioncx: Option<Rc<RegionInferenceContext<'tcx>>>,
|
||||
}
|
||||
|
||||
// temporarily allow some dead fields: `kind` and `region` will be
|
||||
// needed by borrowck; `borrowed_place` will probably be a MovePathIndex when
|
||||
// that is extended to include borrowed data paths.
|
||||
#[allow(dead_code)]
|
||||
#[derive(Debug)]
|
||||
pub struct BorrowData<'tcx> {
|
||||
/// Location where the borrow reservation starts.
|
||||
/// In many cases, this will be equal to the activation location but not always.
|
||||
pub(crate) reserve_location: Location,
|
||||
/// What kind of borrow this is
|
||||
pub(crate) kind: mir::BorrowKind,
|
||||
/// The region for which this borrow is live
|
||||
pub(crate) region: Region<'tcx>,
|
||||
/// Place from which we are borrowing
|
||||
pub(crate) borrowed_place: mir::Place<'tcx>,
|
||||
/// Place to which the borrow was stored
|
||||
pub(crate) assigned_place: mir::Place<'tcx>,
|
||||
}
|
||||
|
||||
impl<'tcx> fmt::Display for BorrowData<'tcx> {
|
||||
fn fmt(&self, w: &mut fmt::Formatter) -> fmt::Result {
|
||||
let kind = match self.kind {
|
||||
mir::BorrowKind::Shared => "",
|
||||
mir::BorrowKind::Unique => "uniq ",
|
||||
mir::BorrowKind::Mut { .. } => "mut ",
|
||||
};
|
||||
let region = format!("{}", self.region);
|
||||
let region = if region.len() > 0 { format!("{} ", region) } else { region };
|
||||
write!(w, "&{}{}{:?}", region, kind, self.borrowed_place)
|
||||
}
|
||||
}
|
||||
|
||||
impl ReserveOrActivateIndex {
|
||||
fn reserved(i: BorrowIndex) -> Self { ReserveOrActivateIndex::new(i.index() * 2) }
|
||||
fn active(i: BorrowIndex) -> Self { ReserveOrActivateIndex::new((i.index() * 2) + 1) }
|
||||
|
||||
pub(crate) fn is_reservation(self) -> bool { self.index() % 2 == 0 }
|
||||
pub(crate) fn is_activation(self) -> bool { self.index() % 2 == 1}
|
||||
|
||||
pub(crate) fn kind(self) -> &'static str {
|
||||
if self.is_reservation() { "reserved" } else { "active" }
|
||||
}
|
||||
pub(crate) fn borrow_index(self) -> BorrowIndex {
|
||||
BorrowIndex::new(self.index() / 2)
|
||||
}
|
||||
nonlexical_regioncx: Rc<RegionInferenceContext<'tcx>>,
|
||||
}
|
||||
|
||||
impl<'a, 'gcx, 'tcx> Borrows<'a, 'gcx, 'tcx> {
|
||||
pub fn new(tcx: TyCtxt<'a, 'gcx, 'tcx>,
|
||||
mir: &'a Mir<'tcx>,
|
||||
nonlexical_regioncx: Option<Rc<RegionInferenceContext<'tcx>>>,
|
||||
def_id: DefId,
|
||||
body_id: Option<hir::BodyId>)
|
||||
-> Self {
|
||||
crate fn new(
|
||||
tcx: TyCtxt<'a, 'gcx, 'tcx>,
|
||||
mir: &'a Mir<'tcx>,
|
||||
nonlexical_regioncx: Rc<RegionInferenceContext<'tcx>>,
|
||||
def_id: DefId,
|
||||
body_id: Option<hir::BodyId>,
|
||||
borrow_set: &Rc<BorrowSet<'tcx>>
|
||||
) -> Self {
|
||||
let scope_tree = tcx.region_scope_tree(def_id);
|
||||
let root_scope = body_id.map(|body_id| {
|
||||
region::Scope::CallSite(tcx.hir.body(body_id).value.hir_id.local_id)
|
||||
});
|
||||
let mut visitor = GatherBorrows {
|
||||
tcx,
|
||||
mir,
|
||||
idx_vec: IndexVec::new(),
|
||||
location_map: FxHashMap(),
|
||||
assigned_map: FxHashMap(),
|
||||
activation_map: FxHashMap(),
|
||||
region_map: FxHashMap(),
|
||||
local_map: FxHashMap(),
|
||||
region_span_map: FxHashMap(),
|
||||
nonlexical_regioncx: nonlexical_regioncx.clone()
|
||||
};
|
||||
visitor.visit_mir(mir);
|
||||
return Borrows { tcx: tcx,
|
||||
mir: mir,
|
||||
borrows: visitor.idx_vec,
|
||||
scope_tree,
|
||||
root_scope,
|
||||
location_map: visitor.location_map,
|
||||
assigned_map: visitor.assigned_map,
|
||||
activation_map: visitor.activation_map,
|
||||
region_map: visitor.region_map,
|
||||
local_map: visitor.local_map,
|
||||
region_span_map: visitor.region_span_map,
|
||||
nonlexical_regioncx };
|
||||
|
||||
struct GatherBorrows<'a, 'gcx: 'tcx, 'tcx: 'a> {
|
||||
tcx: TyCtxt<'a, 'gcx, 'tcx>,
|
||||
mir: &'a Mir<'tcx>,
|
||||
idx_vec: IndexVec<BorrowIndex, BorrowData<'tcx>>,
|
||||
location_map: FxHashMap<Location, BorrowIndex>,
|
||||
assigned_map: FxHashMap<Place<'tcx>, FxHashSet<BorrowIndex>>,
|
||||
activation_map: FxHashMap<Location, FxHashSet<BorrowIndex>>,
|
||||
region_map: FxHashMap<Region<'tcx>, FxHashSet<BorrowIndex>>,
|
||||
local_map: FxHashMap<mir::Local, FxHashSet<BorrowIndex>>,
|
||||
region_span_map: FxHashMap<RegionKind, Span>,
|
||||
nonlexical_regioncx: Option<Rc<RegionInferenceContext<'tcx>>>,
|
||||
}
|
||||
|
||||
impl<'a, 'gcx, 'tcx> Visitor<'tcx> for GatherBorrows<'a, 'gcx, 'tcx> {
|
||||
fn visit_assign(&mut self,
|
||||
block: mir::BasicBlock,
|
||||
assigned_place: &mir::Place<'tcx>,
|
||||
rvalue: &mir::Rvalue<'tcx>,
|
||||
location: mir::Location) {
|
||||
fn root_local(mut p: &mir::Place<'_>) -> Option<mir::Local> {
|
||||
loop { match p {
|
||||
mir::Place::Projection(pi) => p = &pi.base,
|
||||
mir::Place::Static(_) => return None,
|
||||
mir::Place::Local(l) => return Some(*l)
|
||||
}}
|
||||
}
|
||||
|
||||
if let mir::Rvalue::Ref(region, kind, ref borrowed_place) = *rvalue {
|
||||
if is_unsafe_place(self.tcx, self.mir, borrowed_place) { return; }
|
||||
|
||||
let activate_location = self.compute_activation_location(location,
|
||||
&assigned_place,
|
||||
region,
|
||||
kind);
|
||||
let borrow = BorrowData {
|
||||
kind, region,
|
||||
reserve_location: location,
|
||||
borrowed_place: borrowed_place.clone(),
|
||||
assigned_place: assigned_place.clone(),
|
||||
};
|
||||
let idx = self.idx_vec.push(borrow);
|
||||
self.location_map.insert(location, idx);
|
||||
|
||||
insert(&mut self.activation_map, &activate_location, idx);
|
||||
insert(&mut self.assigned_map, assigned_place, idx);
|
||||
insert(&mut self.region_map, ®ion, idx);
|
||||
if let Some(local) = root_local(borrowed_place) {
|
||||
insert(&mut self.local_map, &local, idx);
|
||||
}
|
||||
}
|
||||
|
||||
return self.super_assign(block, assigned_place, rvalue, location);
|
||||
|
||||
fn insert<'a, K, V>(map: &'a mut FxHashMap<K, FxHashSet<V>>,
|
||||
k: &K,
|
||||
v: V)
|
||||
where K: Clone+Eq+Hash, V: Eq+Hash
|
||||
{
|
||||
map.entry(k.clone())
|
||||
.or_insert(FxHashSet())
|
||||
.insert(v);
|
||||
}
|
||||
}
|
||||
|
||||
fn visit_rvalue(&mut self,
|
||||
rvalue: &mir::Rvalue<'tcx>,
|
||||
location: mir::Location) {
|
||||
if let mir::Rvalue::Ref(region, kind, ref place) = *rvalue {
|
||||
// double-check that we already registered a BorrowData for this
|
||||
|
||||
let mut found_it = false;
|
||||
for idx in &self.region_map[region] {
|
||||
let bd = &self.idx_vec[*idx];
|
||||
if bd.reserve_location == location &&
|
||||
bd.kind == kind &&
|
||||
bd.region == region &&
|
||||
bd.borrowed_place == *place
|
||||
{
|
||||
found_it = true;
|
||||
break;
|
||||
}
|
||||
}
|
||||
assert!(found_it, "Ref {:?} at {:?} missing BorrowData", rvalue, location);
|
||||
}
|
||||
|
||||
return self.super_rvalue(rvalue, location);
|
||||
}
|
||||
|
||||
fn visit_statement(&mut self,
|
||||
block: mir::BasicBlock,
|
||||
statement: &mir::Statement<'tcx>,
|
||||
location: Location) {
|
||||
if let mir::StatementKind::EndRegion(region_scope) = statement.kind {
|
||||
self.region_span_map.insert(ReScope(region_scope), statement.source_info.span);
|
||||
}
|
||||
return self.super_statement(block, statement, location);
|
||||
}
|
||||
}
|
||||
|
||||
/// A MIR visitor that determines if a specific place is used in a two-phase activating
|
||||
/// manner in a given chunk of MIR.
|
||||
struct ContainsUseOfPlace<'b, 'tcx: 'b> {
|
||||
target: &'b Place<'tcx>,
|
||||
use_found: bool,
|
||||
}
|
||||
|
||||
impl<'b, 'tcx: 'b> ContainsUseOfPlace<'b, 'tcx> {
|
||||
fn new(place: &'b Place<'tcx>) -> Self {
|
||||
Self { target: place, use_found: false }
|
||||
}
|
||||
|
||||
/// return whether `context` should be considered a "use" of a
|
||||
/// place found in that context. "Uses" activate associated
|
||||
/// borrows (at least when such uses occur while the borrow also
|
||||
/// has a reservation at the time).
|
||||
fn is_potential_use(context: PlaceContext) -> bool {
|
||||
match context {
|
||||
// storage effects on a place do not activate it
|
||||
PlaceContext::StorageLive | PlaceContext::StorageDead => false,
|
||||
|
||||
// validation effects do not activate a place
|
||||
//
|
||||
// FIXME: Should they? Is it just another read? Or can we
|
||||
// guarantee it won't dereference the stored address? How
|
||||
// "deep" does validation go?
|
||||
PlaceContext::Validate => false,
|
||||
|
||||
// FIXME: This is here to not change behaviour from before
|
||||
// AsmOutput existed, but it's not necessarily a pure overwrite.
|
||||
// so it's possible this should activate the place.
|
||||
PlaceContext::AsmOutput |
|
||||
// pure overwrites of a place do not activate it. (note
|
||||
// PlaceContext::Call is solely about dest place)
|
||||
PlaceContext::Store | PlaceContext::Call => false,
|
||||
|
||||
// reads of a place *do* activate it
|
||||
PlaceContext::Move |
|
||||
PlaceContext::Copy |
|
||||
PlaceContext::Drop |
|
||||
PlaceContext::Inspect |
|
||||
PlaceContext::Borrow { .. } |
|
||||
PlaceContext::Projection(..) => true,
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
impl<'b, 'tcx: 'b> Visitor<'tcx> for ContainsUseOfPlace<'b, 'tcx> {
|
||||
fn visit_place(&mut self,
|
||||
place: &mir::Place<'tcx>,
|
||||
context: PlaceContext<'tcx>,
|
||||
location: Location) {
|
||||
if Self::is_potential_use(context) && place == self.target {
|
||||
self.use_found = true;
|
||||
return;
|
||||
// There is no need to keep checking the statement, we already found a use
|
||||
}
|
||||
|
||||
self.super_place(place, context, location);
|
||||
}
|
||||
}
|
||||
|
||||
impl<'a, 'gcx, 'tcx> GatherBorrows<'a, 'gcx, 'tcx> {
|
||||
/// Returns true if the borrow represented by `kind` is
|
||||
/// allowed to be split into separate Reservation and
|
||||
/// Activation phases.
|
||||
fn allow_two_phase_borrow(&self, kind: mir::BorrowKind) -> bool {
|
||||
self.tcx.two_phase_borrows() &&
|
||||
(kind.allows_two_phase_borrow() ||
|
||||
self.tcx.sess.opts.debugging_opts.two_phase_beyond_autoref)
|
||||
}
|
||||
|
||||
/// Returns true if the given location contains an NLL-activating use of the given place
|
||||
fn location_contains_use(&self, location: Location, place: &Place) -> bool {
|
||||
let mut use_checker = ContainsUseOfPlace::new(place);
|
||||
let block = &self.mir.basic_blocks().get(location.block).unwrap_or_else(|| {
|
||||
panic!("could not find block at location {:?}", location);
|
||||
});
|
||||
if location.statement_index != block.statements.len() {
|
||||
// This is a statement
|
||||
let stmt = block.statements.get(location.statement_index).unwrap_or_else(|| {
|
||||
panic!("could not find statement at location {:?}");
|
||||
});
|
||||
use_checker.visit_statement(location.block, stmt, location);
|
||||
} else {
|
||||
// This is a terminator
|
||||
match block.terminator {
|
||||
Some(ref term) => {
|
||||
use_checker.visit_terminator(location.block, term, location);
|
||||
}
|
||||
None => {
|
||||
// There is no way for Place to be used by the terminator if there is no
|
||||
// terminator
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
use_checker.use_found
|
||||
}
|
||||
|
||||
/// Determines if the provided region is terminated after the provided location.
|
||||
/// EndRegion statements terminate their enclosed region::Scope.
|
||||
/// We also consult with the NLL region inference engine, should one be available
|
||||
fn region_terminated_after(&self, region: Region<'tcx>, location: Location) -> bool {
|
||||
let block_data = &self.mir[location.block];
|
||||
if location.statement_index != block_data.statements.len() {
|
||||
let stmt = &block_data.statements[location.statement_index];
|
||||
if let mir::StatementKind::EndRegion(region_scope) = stmt.kind {
|
||||
if &ReScope(region_scope) == region {
|
||||
// We encountered an EndRegion statement that terminates the provided
|
||||
// region
|
||||
return true;
|
||||
}
|
||||
}
|
||||
}
|
||||
if let Some(ref regioncx) = self.nonlexical_regioncx {
|
||||
if !regioncx.region_contains_point(region, location) {
|
||||
// NLL says the region has ended already
|
||||
return true;
|
||||
}
|
||||
}
|
||||
|
||||
false
|
||||
}
|
||||
|
||||
/// Computes the activation location of a borrow.
|
||||
/// The general idea is to start at the beginning of the region and perform a DFS
|
||||
/// until we exit the region, either via an explicit EndRegion or because NLL tells
|
||||
/// us so. If we find more than one valid activation point, we currently panic the
|
||||
/// compiler since two-phase borrows are only currently supported for compiler-
|
||||
/// generated code. More precisely, we only allow two-phase borrows for:
|
||||
/// - Function calls (fn some_func(&mut self, ....))
|
||||
/// - *Assign operators (a += b -> fn add_assign(&mut self, other: Self))
|
||||
/// See
|
||||
/// - https://github.com/rust-lang/rust/issues/48431
|
||||
/// for detailed design notes.
|
||||
/// See the FIXME in the body of the function for notes on extending support to more
|
||||
/// general two-phased borrows.
|
||||
fn compute_activation_location(&self,
|
||||
start_location: Location,
|
||||
assigned_place: &mir::Place<'tcx>,
|
||||
region: Region<'tcx>,
|
||||
kind: mir::BorrowKind) -> Location {
|
||||
debug!("Borrows::compute_activation_location({:?}, {:?}, {:?})",
|
||||
start_location,
|
||||
assigned_place,
|
||||
region);
|
||||
if !self.allow_two_phase_borrow(kind) {
|
||||
debug!(" -> {:?}", start_location);
|
||||
return start_location;
|
||||
}
|
||||
|
||||
// Perform the DFS.
|
||||
// `stack` is the stack of locations still under consideration
|
||||
// `visited` is the set of points we have already visited
|
||||
// `found_use` is an Option that becomes Some when we find a use
|
||||
let mut stack = vec![start_location];
|
||||
let mut visited = FxHashSet();
|
||||
let mut found_use = None;
|
||||
while let Some(curr_loc) = stack.pop() {
|
||||
let block_data = &self.mir.basic_blocks()
|
||||
.get(curr_loc.block)
|
||||
.unwrap_or_else(|| {
|
||||
panic!("could not find block at location {:?}", curr_loc);
|
||||
});
|
||||
|
||||
if self.region_terminated_after(region, curr_loc) {
|
||||
// No need to process this statement.
|
||||
// It's either an EndRegion (and thus couldn't use assigned_place) or not
|
||||
// contained in the NLL region and thus a use would be invalid
|
||||
continue;
|
||||
}
|
||||
|
||||
if !visited.insert(curr_loc) {
|
||||
debug!(" Already visited {:?}", curr_loc);
|
||||
continue;
|
||||
}
|
||||
|
||||
if self.location_contains_use(curr_loc, assigned_place) {
|
||||
// FIXME: Handle this case a little more gracefully. Perhaps collect
|
||||
// all uses in a vector, and find the point in the CFG that dominates
|
||||
// all of them?
|
||||
// Right now this is sufficient though since there should only be exactly
|
||||
// one borrow-activating use of the borrow.
|
||||
assert!(found_use.is_none(), "Found secondary use of place");
|
||||
found_use = Some(curr_loc);
|
||||
}
|
||||
|
||||
// Push the points we should consider next.
|
||||
if curr_loc.statement_index < block_data.statements.len() {
|
||||
stack.push(curr_loc.successor_within_block());
|
||||
} else {
|
||||
stack.extend(block_data.terminator().successors().iter().map(
|
||||
|&basic_block| {
|
||||
Location {
|
||||
statement_index: 0,
|
||||
block: basic_block
|
||||
}
|
||||
}
|
||||
))
|
||||
}
|
||||
}
|
||||
|
||||
let found_use = found_use.expect("Did not find use of two-phase place");
|
||||
debug!(" -> {:?}", found_use);
|
||||
found_use
|
||||
}
|
||||
Borrows {
|
||||
tcx: tcx,
|
||||
mir: mir,
|
||||
borrow_set: borrow_set.clone(),
|
||||
scope_tree,
|
||||
root_scope,
|
||||
nonlexical_regioncx,
|
||||
}
|
||||
}
|
||||
|
||||
/// Returns the span for the "end point" given region. This will
|
||||
/// return `None` if NLL is enabled, since that concept has no
|
||||
/// meaning there. Otherwise, return region span if it exists and
|
||||
/// span for end of the function if it doesn't exist.
|
||||
pub(crate) fn opt_region_end_span(&self, region: &Region) -> Option<Span> {
|
||||
match self.nonlexical_regioncx {
|
||||
Some(_) => None,
|
||||
None => {
|
||||
match self.region_span_map.get(region) {
|
||||
Some(span) => Some(self.tcx.sess.codemap().end_point(*span)),
|
||||
None => Some(self.tcx.sess.codemap().end_point(self.mir.span))
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
pub fn borrows(&self) -> &IndexVec<BorrowIndex, BorrowData<'tcx>> { &self.borrows }
|
||||
crate fn borrows(&self) -> &IndexVec<BorrowIndex, BorrowData<'tcx>> { &self.borrow_set.borrows }
|
||||
|
||||
pub fn scope_tree(&self) -> &Lrc<region::ScopeTree> { &self.scope_tree }
|
||||
|
||||
pub fn location(&self, idx: BorrowIndex) -> &Location {
|
||||
&self.borrows[idx].reserve_location
|
||||
&self.borrow_set.borrows[idx].reserve_location
|
||||
}
|
||||
|
||||
/// Add all borrows to the kill set, if those borrows are out of scope at `location`.
|
||||
/// That means either they went out of either a nonlexical scope, if we care about those
|
||||
/// at the moment, or the location represents a lexical EndRegion
|
||||
fn kill_loans_out_of_scope_at_location(&self,
|
||||
sets: &mut BlockSets<ReserveOrActivateIndex>,
|
||||
sets: &mut BlockSets<BorrowIndex>,
|
||||
location: Location) {
|
||||
if let Some(ref regioncx) = self.nonlexical_regioncx {
|
||||
// NOTE: The state associated with a given `location`
|
||||
// reflects the dataflow on entry to the statement. If it
|
||||
// does not contain `borrow_region`, then then that means
|
||||
// that the statement at `location` kills the borrow.
|
||||
//
|
||||
// We are careful always to call this function *before* we
|
||||
// set up the gen-bits for the statement or
|
||||
// termanator. That way, if the effect of the statement or
|
||||
// terminator *does* introduce a new loan of the same
|
||||
// region, then setting that gen-bit will override any
|
||||
// potential kill introduced here.
|
||||
for (borrow_index, borrow_data) in self.borrows.iter_enumerated() {
|
||||
let borrow_region = borrow_data.region.to_region_vid();
|
||||
if !regioncx.region_contains_point(borrow_region, location) {
|
||||
sets.kill(&ReserveOrActivateIndex::reserved(borrow_index));
|
||||
sets.kill(&ReserveOrActivateIndex::active(borrow_index));
|
||||
}
|
||||
let regioncx = &self.nonlexical_regioncx;
|
||||
|
||||
// NOTE: The state associated with a given `location`
|
||||
// reflects the dataflow on entry to the statement. If it
|
||||
// does not contain `borrow_region`, then then that means
|
||||
// that the statement at `location` kills the borrow.
|
||||
//
|
||||
// We are careful always to call this function *before* we
|
||||
// set up the gen-bits for the statement or
|
||||
// termanator. That way, if the effect of the statement or
|
||||
// terminator *does* introduce a new loan of the same
|
||||
// region, then setting that gen-bit will override any
|
||||
// potential kill introduced here.
|
||||
for (borrow_index, borrow_data) in self.borrow_set.borrows.iter_enumerated() {
|
||||
let borrow_region = borrow_data.region.to_region_vid();
|
||||
if !regioncx.region_contains_point(borrow_region, location) {
|
||||
sets.kill(&borrow_index);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
fn kill_borrows_on_local(&self,
|
||||
sets: &mut BlockSets<ReserveOrActivateIndex>,
|
||||
sets: &mut BlockSets<BorrowIndex>,
|
||||
local: &rustc::mir::Local)
|
||||
{
|
||||
if let Some(borrow_indexes) = self.local_map.get(local) {
|
||||
sets.kill_all(borrow_indexes.iter()
|
||||
.map(|b| ReserveOrActivateIndex::reserved(*b)));
|
||||
sets.kill_all(borrow_indexes.iter()
|
||||
.map(|b| ReserveOrActivateIndex::active(*b)));
|
||||
}
|
||||
}
|
||||
|
||||
/// Performs the activations for a given location
|
||||
fn perform_activations_at_location(&self,
|
||||
sets: &mut BlockSets<ReserveOrActivateIndex>,
|
||||
location: Location) {
|
||||
// Handle activations
|
||||
match self.activation_map.get(&location) {
|
||||
Some(activations) => {
|
||||
for activated in activations {
|
||||
debug!("activating borrow {:?}", activated);
|
||||
sets.gen(&ReserveOrActivateIndex::active(*activated))
|
||||
}
|
||||
}
|
||||
None => {}
|
||||
if let Some(borrow_indexes) = self.borrow_set.local_map.get(local) {
|
||||
sets.kill_all(borrow_indexes);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
impl<'a, 'gcx, 'tcx> BitDenotation for Borrows<'a, 'gcx, 'tcx> {
|
||||
type Idx = ReserveOrActivateIndex;
|
||||
type Idx = BorrowIndex;
|
||||
fn name() -> &'static str { "borrows" }
|
||||
fn bits_per_block(&self) -> usize {
|
||||
self.borrows.len() * 2
|
||||
self.borrow_set.borrows.len() * 2
|
||||
}
|
||||
|
||||
fn start_block_effect(&self, _entry_set: &mut IdxSet<ReserveOrActivateIndex>) {
|
||||
fn start_block_effect(&self, _entry_set: &mut IdxSet<BorrowIndex>) {
|
||||
// no borrows of code region_scopes have been taken prior to
|
||||
// function execution, so this method has no effect on
|
||||
// `_sets`.
|
||||
}
|
||||
|
||||
fn before_statement_effect(&self,
|
||||
sets: &mut BlockSets<ReserveOrActivateIndex>,
|
||||
sets: &mut BlockSets<BorrowIndex>,
|
||||
location: Location) {
|
||||
debug!("Borrows::before_statement_effect sets: {:?} location: {:?}", sets, location);
|
||||
self.kill_loans_out_of_scope_at_location(sets, location);
|
||||
}
|
||||
|
||||
fn statement_effect(&self, sets: &mut BlockSets<ReserveOrActivateIndex>, location: Location) {
|
||||
fn statement_effect(&self, sets: &mut BlockSets<BorrowIndex>, location: Location) {
|
||||
debug!("Borrows::statement_effect sets: {:?} location: {:?}", sets, location);
|
||||
|
||||
let block = &self.mir.basic_blocks().get(location.block).unwrap_or_else(|| {
|
||||
|
|
@ -585,21 +150,10 @@ impl<'a, 'gcx, 'tcx> BitDenotation for Borrows<'a, 'gcx, 'tcx> {
|
|||
panic!("could not find statement at location {:?}");
|
||||
});
|
||||
|
||||
self.perform_activations_at_location(sets, location);
|
||||
self.kill_loans_out_of_scope_at_location(sets, location);
|
||||
|
||||
match stmt.kind {
|
||||
// EndRegion kills any borrows (reservations and active borrows both)
|
||||
mir::StatementKind::EndRegion(region_scope) => {
|
||||
if let Some(borrow_indexes) = self.region_map.get(&ReScope(region_scope)) {
|
||||
assert!(self.nonlexical_regioncx.is_none());
|
||||
for idx in borrow_indexes {
|
||||
sets.kill(&ReserveOrActivateIndex::reserved(*idx));
|
||||
sets.kill(&ReserveOrActivateIndex::active(*idx));
|
||||
}
|
||||
} else {
|
||||
// (if there is no entry, then there are no borrows to be tracked)
|
||||
}
|
||||
mir::StatementKind::EndRegion(_) => {
|
||||
}
|
||||
|
||||
mir::StatementKind::Assign(ref lhs, ref rhs) => {
|
||||
|
|
@ -617,22 +171,22 @@ impl<'a, 'gcx, 'tcx> BitDenotation for Borrows<'a, 'gcx, 'tcx> {
|
|||
// propagate_call_return method.
|
||||
|
||||
if let mir::Rvalue::Ref(region, _, ref place) = *rhs {
|
||||
if is_unsafe_place(self.tcx, self.mir, place) { return; }
|
||||
let index = self.location_map.get(&location).unwrap_or_else(|| {
|
||||
if place.is_unsafe_place(self.tcx, self.mir) { return; }
|
||||
let index = self.borrow_set.location_map.get(&location).unwrap_or_else(|| {
|
||||
panic!("could not find BorrowIndex for location {:?}", location);
|
||||
});
|
||||
|
||||
if let RegionKind::ReEmpty = region {
|
||||
// If the borrowed value dies before the borrow is used, the region for
|
||||
// the borrow can be empty. Don't track the borrow in that case.
|
||||
sets.kill(&ReserveOrActivateIndex::active(*index));
|
||||
sets.kill(&index);
|
||||
return
|
||||
}
|
||||
|
||||
assert!(self.region_map.get(region).unwrap_or_else(|| {
|
||||
assert!(self.borrow_set.region_map.get(region).unwrap_or_else(|| {
|
||||
panic!("could not find BorrowIndexs for region {:?}", region);
|
||||
}).contains(&index));
|
||||
sets.gen(&ReserveOrActivateIndex::reserved(*index));
|
||||
sets.gen(&index);
|
||||
|
||||
// Issue #46746: Two-phase borrows handles
|
||||
// stmts of form `Tmp = &mut Borrow` ...
|
||||
|
|
@ -643,7 +197,7 @@ impl<'a, 'gcx, 'tcx> BitDenotation for Borrows<'a, 'gcx, 'tcx> {
|
|||
// e.g. `box (&mut _)`. Current
|
||||
// conservative solution: force
|
||||
// immediate activation here.
|
||||
sets.gen(&ReserveOrActivateIndex::active(*index));
|
||||
sets.gen(&index);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
@ -679,13 +233,13 @@ impl<'a, 'gcx, 'tcx> BitDenotation for Borrows<'a, 'gcx, 'tcx> {
|
|||
}
|
||||
|
||||
fn before_terminator_effect(&self,
|
||||
sets: &mut BlockSets<ReserveOrActivateIndex>,
|
||||
sets: &mut BlockSets<BorrowIndex>,
|
||||
location: Location) {
|
||||
debug!("Borrows::before_terminator_effect sets: {:?} location: {:?}", sets, location);
|
||||
self.kill_loans_out_of_scope_at_location(sets, location);
|
||||
}
|
||||
|
||||
fn terminator_effect(&self, sets: &mut BlockSets<ReserveOrActivateIndex>, location: Location) {
|
||||
fn terminator_effect(&self, sets: &mut BlockSets<BorrowIndex>, location: Location) {
|
||||
debug!("Borrows::terminator_effect sets: {:?} location: {:?}", sets, location);
|
||||
|
||||
let block = &self.mir.basic_blocks().get(location.block).unwrap_or_else(|| {
|
||||
|
|
@ -693,7 +247,6 @@ impl<'a, 'gcx, 'tcx> BitDenotation for Borrows<'a, 'gcx, 'tcx> {
|
|||
});
|
||||
|
||||
let term = block.terminator();
|
||||
self.perform_activations_at_location(sets, location);
|
||||
self.kill_loans_out_of_scope_at_location(sets, location);
|
||||
|
||||
|
||||
|
|
@ -707,7 +260,7 @@ impl<'a, 'gcx, 'tcx> BitDenotation for Borrows<'a, 'gcx, 'tcx> {
|
|||
// and hence most of these loans will already be dead -- but, in some cases
|
||||
// like unwind paths, we do not always emit `EndRegion` statements, so we
|
||||
// add some kills here as a "backup" and to avoid spurious error messages.
|
||||
for (borrow_index, borrow_data) in self.borrows.iter_enumerated() {
|
||||
for (borrow_index, borrow_data) in self.borrow_set.borrows.iter_enumerated() {
|
||||
if let ReScope(scope) = borrow_data.region {
|
||||
// Check that the scope is not actually a scope from a function that is
|
||||
// a parent of our closure. Note that the CallSite scope itself is
|
||||
|
|
@ -716,8 +269,7 @@ impl<'a, 'gcx, 'tcx> BitDenotation for Borrows<'a, 'gcx, 'tcx> {
|
|||
if *scope != root_scope &&
|
||||
self.scope_tree.is_subscope_of(*scope, root_scope)
|
||||
{
|
||||
sets.kill(&ReserveOrActivateIndex::reserved(borrow_index));
|
||||
sets.kill(&ReserveOrActivateIndex::active(borrow_index));
|
||||
sets.kill(&borrow_index);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
@ -738,7 +290,7 @@ impl<'a, 'gcx, 'tcx> BitDenotation for Borrows<'a, 'gcx, 'tcx> {
|
|||
}
|
||||
|
||||
fn propagate_call_return(&self,
|
||||
_in_out: &mut IdxSet<ReserveOrActivateIndex>,
|
||||
_in_out: &mut IdxSet<BorrowIndex>,
|
||||
_call_bb: mir::BasicBlock,
|
||||
_dest_bb: mir::BasicBlock,
|
||||
_dest_place: &mir::Place) {
|
||||
|
|
@ -764,34 +316,3 @@ impl<'a, 'gcx, 'tcx> InitialFlow for Borrows<'a, 'gcx, 'tcx> {
|
|||
}
|
||||
}
|
||||
|
||||
fn is_unsafe_place<'a, 'gcx: 'tcx, 'tcx: 'a>(
|
||||
tcx: TyCtxt<'a, 'gcx, 'tcx>,
|
||||
mir: &'a Mir<'tcx>,
|
||||
place: &mir::Place<'tcx>
|
||||
) -> bool {
|
||||
use self::mir::Place::*;
|
||||
use self::mir::ProjectionElem;
|
||||
|
||||
match *place {
|
||||
Local(_) => false,
|
||||
Static(ref static_) => tcx.is_static(static_.def_id) == Some(hir::Mutability::MutMutable),
|
||||
Projection(ref proj) => {
|
||||
match proj.elem {
|
||||
ProjectionElem::Field(..) |
|
||||
ProjectionElem::Downcast(..) |
|
||||
ProjectionElem::Subslice { .. } |
|
||||
ProjectionElem::ConstantIndex { .. } |
|
||||
ProjectionElem::Index(_) => {
|
||||
is_unsafe_place(tcx, mir, &proj.base)
|
||||
}
|
||||
ProjectionElem::Deref => {
|
||||
let ty = proj.base.ty(mir, tcx).to_ty(tcx);
|
||||
match ty.sty {
|
||||
ty::TyRawPtr(..) => true,
|
||||
_ => is_unsafe_place(tcx, mir, &proj.base),
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
|||
|
|
@ -19,6 +19,7 @@ use rustc_data_structures::indexed_set::{IdxSet};
|
|||
use rustc_data_structures::indexed_vec::Idx;
|
||||
|
||||
use super::MoveDataParamEnv;
|
||||
|
||||
use util::elaborate_drops::DropFlagState;
|
||||
|
||||
use super::move_paths::{HasMoveData, MoveData, MoveOutIndex, MovePathIndex, InitIndex};
|
||||
|
|
@ -37,7 +38,6 @@ mod borrowed_locals;
|
|||
|
||||
pub use self::borrowed_locals::*;
|
||||
|
||||
#[allow(dead_code)]
|
||||
pub(super) mod borrows;
|
||||
|
||||
/// `MaybeInitializedPlaces` tracks all places that might be
|
||||
|
|
|
|||
|
|
@ -29,9 +29,8 @@ pub use self::impls::{MaybeStorageLive};
|
|||
pub use self::impls::{MaybeInitializedPlaces, MaybeUninitializedPlaces};
|
||||
pub use self::impls::{DefinitelyInitializedPlaces, MovingOutStatements};
|
||||
pub use self::impls::EverInitializedPlaces;
|
||||
pub use self::impls::borrows::{Borrows, BorrowData};
|
||||
pub use self::impls::borrows::Borrows;
|
||||
pub use self::impls::HaveBeenBorrowedLocals;
|
||||
pub(crate) use self::impls::borrows::{ReserveOrActivateIndex};
|
||||
pub use self::at_location::{FlowAtLocation, FlowsAtLocation};
|
||||
pub(crate) use self::drop_flag_effects::*;
|
||||
|
||||
|
|
|
|||
|
|
@ -65,9 +65,6 @@ pub(crate) mod indexes {
|
|||
|
||||
/// Index into Borrows.locations
|
||||
new_index!(BorrowIndex, "bw");
|
||||
|
||||
/// Index into Reservations/Activations bitvector
|
||||
new_index!(ReserveOrActivateIndex, "ra");
|
||||
}
|
||||
|
||||
pub use self::indexes::MovePathIndex;
|
||||
|
|
|
|||
|
|
@ -20,6 +20,7 @@ Rust MIR: a lowered representation of Rust. Also: an experiment!
|
|||
#![feature(box_patterns)]
|
||||
#![feature(box_syntax)]
|
||||
#![feature(catch_expr)]
|
||||
#![feature(crate_visibility_modifier)]
|
||||
#![feature(const_fn)]
|
||||
#![feature(core_intrinsics)]
|
||||
#![feature(decl_macro)]
|
||||
|
|
|
|||
|
|
@ -26,10 +26,12 @@ fn foo(a: &mut i32) {
|
|||
inside_closure(a)
|
||||
};
|
||||
outside_closure_1(a); //[ast]~ ERROR cannot borrow `*a` as mutable because previous closure requires unique access
|
||||
//[mir]~^ ERROR cannot borrow `*a` as mutable because previous closure requires unique access
|
||||
//[mir]~^ ERROR cannot borrow `*a` as mutable because previous closure requires unique access
|
||||
|
||||
outside_closure_2(a); //[ast]~ ERROR cannot borrow `*a` as immutable because previous closure requires unique access
|
||||
//[mir]~^ ERROR cannot borrow `*a` as immutable because previous closure requires unique access
|
||||
//[mir]~^ ERROR cannot borrow `*a` as immutable because previous closure requires unique access
|
||||
|
||||
drop(bar);
|
||||
}
|
||||
|
||||
fn main() {
|
||||
|
|
|
|||
|
|
@ -14,7 +14,7 @@
|
|||
// ignore-sparc
|
||||
|
||||
// revisions: ast mir
|
||||
//[mir]compile-flags: -Z borrowck=mir -Z nll
|
||||
//[mir]compile-flags: -Z borrowck=mir
|
||||
|
||||
#![feature(asm)]
|
||||
|
||||
|
|
|
|||
|
|
@ -29,7 +29,8 @@ fn a() {
|
|||
let mut x = 3;
|
||||
let c1 = || x = 4;
|
||||
let c2 = || x * 5; //[ast]~ ERROR cannot borrow `x`
|
||||
//[mir]~^ ERROR cannot borrow `x` as immutable because it is also borrowed as mutable
|
||||
//[mir]~^ ERROR cannot borrow `x` as immutable because it is also borrowed as mutable
|
||||
drop(c1);
|
||||
}
|
||||
|
||||
fn b() {
|
||||
|
|
@ -37,6 +38,7 @@ fn b() {
|
|||
let c1 = || set(&mut x);
|
||||
let c2 = || get(&x); //[ast]~ ERROR cannot borrow `x`
|
||||
//[mir]~^ ERROR cannot borrow `x` as immutable because it is also borrowed as mutable
|
||||
drop(c1);
|
||||
}
|
||||
|
||||
fn c() {
|
||||
|
|
@ -44,6 +46,7 @@ fn c() {
|
|||
let c1 = || set(&mut x);
|
||||
let c2 = || x * 5; //[ast]~ ERROR cannot borrow `x`
|
||||
//[mir]~^ ERROR cannot borrow `x` as immutable because it is also borrowed as mutable
|
||||
drop(c1);
|
||||
}
|
||||
|
||||
fn d() {
|
||||
|
|
@ -51,6 +54,7 @@ fn d() {
|
|||
let c2 = || x * 5;
|
||||
x = 5; //[ast]~ ERROR cannot assign
|
||||
//[mir]~^ ERROR cannot assign to `x` because it is borrowed
|
||||
drop(c2);
|
||||
}
|
||||
|
||||
fn e() {
|
||||
|
|
@ -58,6 +62,7 @@ fn e() {
|
|||
let c1 = || get(&x);
|
||||
x = 5; //[ast]~ ERROR cannot assign
|
||||
//[mir]~^ ERROR cannot assign to `x` because it is borrowed
|
||||
drop(c1);
|
||||
}
|
||||
|
||||
fn f() {
|
||||
|
|
@ -65,6 +70,7 @@ fn f() {
|
|||
let c1 = || get(&*x);
|
||||
*x = 5; //[ast]~ ERROR cannot assign to `*x`
|
||||
//[mir]~^ ERROR cannot assign to `*x` because it is borrowed
|
||||
drop(c1);
|
||||
}
|
||||
|
||||
fn g() {
|
||||
|
|
@ -76,6 +82,7 @@ fn g() {
|
|||
let c1 = || get(&*x.f);
|
||||
*x.f = 5; //[ast]~ ERROR cannot assign to `*x.f`
|
||||
//[mir]~^ ERROR cannot assign to `*x.f` because it is borrowed
|
||||
drop(c1);
|
||||
}
|
||||
|
||||
fn h() {
|
||||
|
|
@ -87,6 +94,7 @@ fn h() {
|
|||
let c1 = || get(&*x.f);
|
||||
let c2 = || *x.f = 5; //[ast]~ ERROR cannot borrow `x` as mutable
|
||||
//[mir]~^ ERROR cannot borrow `x` as mutable because it is also borrowed as immutable
|
||||
drop(c1);
|
||||
}
|
||||
|
||||
fn main() {
|
||||
|
|
|
|||
|
|
@ -49,83 +49,93 @@ fn main() {
|
|||
// Local and field from struct
|
||||
{
|
||||
let mut f = Foo { x: 22 };
|
||||
let _x = f.x();
|
||||
let x = f.x();
|
||||
f.x; //[ast]~ ERROR cannot use `f.x` because it was mutably borrowed
|
||||
//[mir]~^ ERROR cannot use `f.x` because it was mutably borrowed
|
||||
//[mir]~^ ERROR cannot use `f.x` because it was mutably borrowed
|
||||
drop(x);
|
||||
}
|
||||
// Local and field from tuple-struct
|
||||
{
|
||||
let mut g = Bar(22);
|
||||
let _0 = g.x();
|
||||
let x = g.x();
|
||||
g.0; //[ast]~ ERROR cannot use `g.0` because it was mutably borrowed
|
||||
//[mir]~^ ERROR cannot use `g.0` because it was mutably borrowed
|
||||
drop(x);
|
||||
}
|
||||
// Local and field from tuple
|
||||
{
|
||||
let mut h = (22, 23);
|
||||
let _0 = &mut h.0;
|
||||
let x = &mut h.0;
|
||||
h.0; //[ast]~ ERROR cannot use `h.0` because it was mutably borrowed
|
||||
//[mir]~^ ERROR cannot use `h.0` because it was mutably borrowed
|
||||
drop(x);
|
||||
}
|
||||
// Local and field from enum
|
||||
{
|
||||
let mut e = Baz::X(2);
|
||||
let _e0 = e.x();
|
||||
let x = e.x();
|
||||
match e { //[mir]~ ERROR cannot use `e` because it was mutably borrowed
|
||||
Baz::X(value) => value
|
||||
//[ast]~^ ERROR cannot use `e.0` because it was mutably borrowed
|
||||
//[mir]~^^ ERROR cannot use `e.0` because it was mutably borrowed
|
||||
};
|
||||
drop(x);
|
||||
}
|
||||
// Local and field from union
|
||||
unsafe {
|
||||
let mut u = U { b: 0 };
|
||||
let _ra = &mut u.a;
|
||||
let x = &mut u.a;
|
||||
u.a; //[ast]~ ERROR cannot use `u.a` because it was mutably borrowed
|
||||
//[mir]~^ ERROR cannot use `u.a` because it was mutably borrowed
|
||||
drop(x);
|
||||
}
|
||||
// Deref and field from struct
|
||||
{
|
||||
let mut f = Box::new(Foo { x: 22 });
|
||||
let _x = f.x();
|
||||
let x = f.x();
|
||||
f.x; //[ast]~ ERROR cannot use `f.x` because it was mutably borrowed
|
||||
//[mir]~^ ERROR cannot use `f.x` because it was mutably borrowed
|
||||
drop(x);
|
||||
}
|
||||
// Deref and field from tuple-struct
|
||||
{
|
||||
let mut g = Box::new(Bar(22));
|
||||
let _0 = g.x();
|
||||
let x = g.x();
|
||||
g.0; //[ast]~ ERROR cannot use `g.0` because it was mutably borrowed
|
||||
//[mir]~^ ERROR cannot use `g.0` because it was mutably borrowed
|
||||
drop(x);
|
||||
}
|
||||
// Deref and field from tuple
|
||||
{
|
||||
let mut h = Box::new((22, 23));
|
||||
let _0 = &mut h.0;
|
||||
let x = &mut h.0;
|
||||
h.0; //[ast]~ ERROR cannot use `h.0` because it was mutably borrowed
|
||||
//[mir]~^ ERROR cannot use `h.0` because it was mutably borrowed
|
||||
drop(x);
|
||||
}
|
||||
// Deref and field from enum
|
||||
{
|
||||
let mut e = Box::new(Baz::X(3));
|
||||
let _e0 = e.x();
|
||||
let x = e.x();
|
||||
match *e { //[mir]~ ERROR cannot use `*e` because it was mutably borrowed
|
||||
Baz::X(value) => value
|
||||
//[ast]~^ ERROR cannot use `e.0` because it was mutably borrowed
|
||||
//[mir]~^^ ERROR cannot use `e.0` because it was mutably borrowed
|
||||
};
|
||||
drop(x);
|
||||
}
|
||||
// Deref and field from union
|
||||
unsafe {
|
||||
let mut u = Box::new(U { b: 0 });
|
||||
let _ra = &mut u.a;
|
||||
let x = &mut u.a;
|
||||
u.a; //[ast]~ ERROR cannot use `u.a` because it was mutably borrowed
|
||||
//[mir]~^ ERROR cannot use `u.a` because it was mutably borrowed
|
||||
drop(x);
|
||||
}
|
||||
// Constant index
|
||||
{
|
||||
let mut v = &[1, 2, 3, 4, 5, 6, 7, 8, 9, 10];
|
||||
let _v = &mut v;
|
||||
let x = &mut v;
|
||||
match v { //[mir]~ ERROR cannot use `v` because it was mutably borrowed
|
||||
&[x, _, .., _, _] => println!("{}", x),
|
||||
//[ast]~^ ERROR cannot use `v[..]` because it was mutably borrowed
|
||||
|
|
@ -150,11 +160,12 @@ fn main() {
|
|||
//[mir]~^^ ERROR cannot use `v[..]` because it was mutably borrowed
|
||||
_ => panic!("other case"),
|
||||
}
|
||||
drop(x);
|
||||
}
|
||||
// Subslices
|
||||
{
|
||||
let mut v = &[1, 2, 3, 4, 5];
|
||||
let _v = &mut v;
|
||||
let x = &mut v;
|
||||
match v { //[mir]~ ERROR cannot use `v` because it was mutably borrowed
|
||||
&[x..] => println!("{:?}", x),
|
||||
//[ast]~^ ERROR cannot use `v[..]` because it was mutably borrowed
|
||||
|
|
@ -179,13 +190,14 @@ fn main() {
|
|||
//[mir]~^^ ERROR cannot use `v[..]` because it was mutably borrowed
|
||||
_ => panic!("other case"),
|
||||
}
|
||||
drop(x);
|
||||
}
|
||||
// Downcasted field
|
||||
{
|
||||
enum E<X> { A(X), B { x: X } }
|
||||
|
||||
let mut e = E::A(3);
|
||||
let _e = &mut e;
|
||||
let x = &mut e;
|
||||
match e { //[mir]~ ERROR cannot use `e` because it was mutably borrowed
|
||||
E::A(ref ax) =>
|
||||
//[ast]~^ ERROR cannot borrow `e.0` as immutable because `e` is also borrowed as mutable
|
||||
|
|
@ -197,13 +209,14 @@ fn main() {
|
|||
//[mir]~^^ ERROR cannot borrow `e.x` as immutable because it is also borrowed as mutable
|
||||
println!("e.bx: {:?}", bx),
|
||||
}
|
||||
drop(x);
|
||||
}
|
||||
// Field in field
|
||||
{
|
||||
struct F { x: u32, y: u32 };
|
||||
struct S { x: F, y: (u32, u32), };
|
||||
let mut s = S { x: F { x: 1, y: 2}, y: (999, 998) };
|
||||
let _s = &mut s;
|
||||
let x = &mut s;
|
||||
match s { //[mir]~ ERROR cannot use `s` because it was mutably borrowed
|
||||
S { y: (ref y0, _), .. } =>
|
||||
//[ast]~^ ERROR cannot borrow `s.y.0` as immutable because `s` is also borrowed as mutable
|
||||
|
|
@ -218,6 +231,7 @@ fn main() {
|
|||
println!("x0: {:?}", x0),
|
||||
_ => panic!("other case"),
|
||||
}
|
||||
drop(x);
|
||||
}
|
||||
// Field of ref
|
||||
{
|
||||
|
|
@ -231,6 +245,7 @@ fn main() {
|
|||
let p: &'a u8 = &*block.current;
|
||||
//[mir]~^ ERROR cannot borrow `*block.current` as immutable because it is also borrowed as mutable
|
||||
// No errors in AST because of issue rust#38899
|
||||
drop(x);
|
||||
}
|
||||
}
|
||||
// Field of ptr
|
||||
|
|
@ -245,29 +260,32 @@ fn main() {
|
|||
let p : *const u8 = &*(*block).current;
|
||||
//[mir]~^ ERROR cannot borrow `*block.current` as immutable because it is also borrowed as mutable
|
||||
// No errors in AST because of issue rust#38899
|
||||
drop(x);
|
||||
}
|
||||
}
|
||||
// Field of index
|
||||
{
|
||||
struct F {x: u32, y: u32};
|
||||
let mut v = &[F{x: 1, y: 2}, F{x: 3, y: 4}];
|
||||
let _v = &mut v;
|
||||
let x = &mut v;
|
||||
v[0].y;
|
||||
//[ast]~^ ERROR cannot use `v[..].y` because it was mutably borrowed
|
||||
//[mir]~^^ ERROR cannot use `v[..].y` because it was mutably borrowed
|
||||
//[mir]~| ERROR cannot use `*v` because it was mutably borrowed
|
||||
drop(x);
|
||||
}
|
||||
// Field of constant index
|
||||
{
|
||||
struct F {x: u32, y: u32};
|
||||
let mut v = &[F{x: 1, y: 2}, F{x: 3, y: 4}];
|
||||
let _v = &mut v;
|
||||
let x = &mut v;
|
||||
match v { //[mir]~ ERROR cannot use `v` because it was mutably borrowed
|
||||
&[_, F {x: ref xf, ..}] => println!("{}", xf),
|
||||
//[mir]~^ ERROR cannot borrow `v[..].x` as immutable because it is also borrowed as mutable
|
||||
// No errors in AST
|
||||
_ => panic!("other case")
|
||||
}
|
||||
drop(x);
|
||||
}
|
||||
// Field from upvar
|
||||
{
|
||||
|
|
@ -281,13 +299,15 @@ fn main() {
|
|||
}
|
||||
// Field from upvar nested
|
||||
{
|
||||
// FIXME(#49824) -- the free region error below should probably not be there
|
||||
let mut x = 0;
|
||||
|| {
|
||||
|| {
|
||||
let y = &mut x;
|
||||
&mut x; //[ast]~ ERROR cannot borrow `**x` as mutable more than once at a time
|
||||
//[mir]~^ ERROR cannot borrow `x` as mutable more than once at a time
|
||||
*y = 1;
|
||||
|| { //[mir]~ ERROR free region `` does not outlive
|
||||
let y = &mut x;
|
||||
&mut x; //[ast]~ ERROR cannot borrow `**x` as mutable more than once at a time
|
||||
//[mir]~^ ERROR cannot borrow `x` as mutable more than once at a time
|
||||
*y = 1;
|
||||
drop(y);
|
||||
}
|
||||
};
|
||||
}
|
||||
|
|
|
|||
|
|
@ -13,10 +13,12 @@
|
|||
|
||||
fn main() {
|
||||
let mut _a = 3;
|
||||
let _b = &mut _a;
|
||||
let b = &mut _a;
|
||||
{
|
||||
let _c = &*_b;
|
||||
let c = &*b;
|
||||
_a = 4; //[ast]~ ERROR cannot assign to `_a`
|
||||
//[mir]~^ ERROR cannot assign to `_a` because it is borrowed
|
||||
//[mir]~^ ERROR cannot assign to `_a` because it is borrowed
|
||||
drop(c);
|
||||
}
|
||||
drop(b);
|
||||
}
|
||||
|
|
|
|||
|
|
@ -24,9 +24,10 @@ fn separate_arms() {
|
|||
// fact no outstanding loan of x!
|
||||
x = Some(0);
|
||||
}
|
||||
Some(ref __isize) => {
|
||||
Some(ref r) => {
|
||||
x = Some(1); //[ast]~ ERROR cannot assign
|
||||
//[mir]~^ ERROR cannot assign to `x` because it is borrowed
|
||||
//[mir]~^ ERROR cannot assign to `x` because it is borrowed
|
||||
drop(r);
|
||||
}
|
||||
}
|
||||
x.clone(); // just to prevent liveness warnings
|
||||
|
|
|
|||
|
|
@ -25,16 +25,18 @@ fn match_enum() {
|
|||
Foo::A(x) => x //[ast]~ ERROR [E0503]
|
||||
//[mir]~^ ERROR [E0503]
|
||||
};
|
||||
drop(p);
|
||||
}
|
||||
|
||||
|
||||
fn main() {
|
||||
let mut x = 1;
|
||||
let _x = &mut x;
|
||||
let r = &mut x;
|
||||
let _ = match x { //[mir]~ ERROR [E0503]
|
||||
x => x + 1, //[ast]~ ERROR [E0503]
|
||||
//[mir]~^ ERROR [E0503]
|
||||
y => y + 2, //[ast]~ ERROR [E0503]
|
||||
//[mir]~^ ERROR [E0503]
|
||||
};
|
||||
drop(r);
|
||||
}
|
||||
|
|
|
|||
|
|
@ -17,14 +17,14 @@
|
|||
|
||||
fn main() {
|
||||
let mut x = 1;
|
||||
let mut addr;
|
||||
let mut addr = vec![];
|
||||
loop {
|
||||
match 1 {
|
||||
1 => { addr = &mut x; } //[ast]~ ERROR [E0499]
|
||||
1 => { addr.push(&mut x); } //[ast]~ ERROR [E0499]
|
||||
//[mir]~^ ERROR [E0499]
|
||||
2 => { addr = &mut x; } //[ast]~ ERROR [E0499]
|
||||
2 => { addr.push(&mut x); } //[ast]~ ERROR [E0499]
|
||||
//[mir]~^ ERROR [E0499]
|
||||
_ => { addr = &mut x; } //[ast]~ ERROR [E0499]
|
||||
_ => { addr.push(&mut x); } //[ast]~ ERROR [E0499]
|
||||
//[mir]~^ ERROR [E0499]
|
||||
}
|
||||
}
|
||||
|
|
|
|||
|
|
@ -71,4 +71,5 @@ fn main() {
|
|||
s[2] = 20;
|
||||
//[ast]~^ ERROR cannot assign to immutable indexed content
|
||||
//[mir]~^^ ERROR cannot assign to immutable item
|
||||
drop(rs);
|
||||
}
|
||||
|
|
|
|||
|
|
@ -21,7 +21,8 @@ fn main() {
|
|||
Some(ref i) => {
|
||||
// But on this branch, `i` is an outstanding borrow
|
||||
x = Some(*i+1); //[ast]~ ERROR cannot assign to `x`
|
||||
//[mir]~^ ERROR cannot assign to `x` because it is borrowed
|
||||
//[mir]~^ ERROR cannot assign to `x` because it is borrowed
|
||||
drop(i);
|
||||
}
|
||||
}
|
||||
x.clone(); // just to prevent liveness warnings
|
||||
|
|
|
|||
|
|
@ -25,82 +25,98 @@ fn main() {
|
|||
{
|
||||
let ra = &u.a;
|
||||
let ra2 = &u.a; // OK
|
||||
drop(ra);
|
||||
}
|
||||
{
|
||||
let ra = &u.a;
|
||||
let a = u.a; // OK
|
||||
drop(ra);
|
||||
}
|
||||
{
|
||||
let ra = &u.a;
|
||||
let rma = &mut u.a; //[ast]~ ERROR cannot borrow `u.a` as mutable because it is also borrowed as immutable
|
||||
//[mir]~^ ERROR cannot borrow `u.a` as mutable because it is also borrowed as immutable
|
||||
drop(ra);
|
||||
}
|
||||
{
|
||||
let ra = &u.a;
|
||||
u.a = 1; //[ast]~ ERROR cannot assign to `u.a` because it is borrowed
|
||||
//[mir]~^ ERROR cannot assign to `u.a` because it is borrowed
|
||||
drop(ra);
|
||||
}
|
||||
// Imm borrow, other field
|
||||
{
|
||||
let ra = &u.a;
|
||||
let rb = &u.b; // OK
|
||||
drop(ra);
|
||||
}
|
||||
{
|
||||
let ra = &u.a;
|
||||
let b = u.b; // OK
|
||||
drop(ra);
|
||||
}
|
||||
{
|
||||
let ra = &u.a;
|
||||
let rmb = &mut u.b; //[ast]~ ERROR cannot borrow `u` (via `u.b`) as mutable because `u` is also borrowed as immutable (via `u.a`)
|
||||
//[mir]~^ ERROR cannot borrow `u.b` as mutable because it is also borrowed as immutable
|
||||
drop(ra);
|
||||
}
|
||||
{
|
||||
let ra = &u.a;
|
||||
u.b = 1; //[ast]~ ERROR cannot assign to `u.b` because it is borrowed
|
||||
//[mir]~^ ERROR cannot assign to `u.b` because it is borrowed
|
||||
drop(ra);
|
||||
}
|
||||
// Mut borrow, same field
|
||||
{
|
||||
let rma = &mut u.a;
|
||||
let ra = &u.a; //[ast]~ ERROR cannot borrow `u.a` as immutable because it is also borrowed as mutable
|
||||
//[mir]~^ ERROR cannot borrow `u.a` as immutable because it is also borrowed as mutable
|
||||
drop(rma);
|
||||
}
|
||||
{
|
||||
let ra = &mut u.a;
|
||||
let a = u.a; //[ast]~ ERROR cannot use `u.a` because it was mutably borrowed
|
||||
//[mir]~^ ERROR cannot use `u.a` because it was mutably borrowed
|
||||
drop(ra);
|
||||
}
|
||||
{
|
||||
let rma = &mut u.a;
|
||||
let rma2 = &mut u.a; //[ast]~ ERROR cannot borrow `u.a` as mutable more than once at a time
|
||||
//[mir]~^ ERROR cannot borrow `u.a` as mutable more than once at a time
|
||||
drop(rma);
|
||||
}
|
||||
{
|
||||
let rma = &mut u.a;
|
||||
u.a = 1; //[ast]~ ERROR cannot assign to `u.a` because it is borrowed
|
||||
//[mir]~^ ERROR cannot assign to `u.a` because it is borrowed
|
||||
drop(rma);
|
||||
}
|
||||
// Mut borrow, other field
|
||||
{
|
||||
let rma = &mut u.a;
|
||||
let rb = &u.b; //[ast]~ ERROR cannot borrow `u` (via `u.b`) as immutable because `u` is also borrowed as mutable (via `u.a`)
|
||||
//[mir]~^ ERROR cannot borrow `u.b` as immutable because it is also borrowed as mutable
|
||||
drop(rma);
|
||||
}
|
||||
{
|
||||
let ra = &mut u.a;
|
||||
let b = u.b; //[ast]~ ERROR cannot use `u.b` because it was mutably borrowed
|
||||
//[mir]~^ ERROR cannot use `u.b` because it was mutably borrowed
|
||||
|
||||
drop(ra);
|
||||
}
|
||||
{
|
||||
let rma = &mut u.a;
|
||||
let rmb2 = &mut u.b; //[ast]~ ERROR cannot borrow `u` (via `u.b`) as mutable more than once at a time
|
||||
//[mir]~^ ERROR cannot borrow `u.b` as mutable more than once at a time
|
||||
drop(rma);
|
||||
}
|
||||
{
|
||||
let rma = &mut u.a;
|
||||
u.b = 1; //[ast]~ ERROR cannot assign to `u.b` because it is borrowed
|
||||
//[mir]~^ ERROR cannot assign to `u.b` because it is borrowed
|
||||
drop(rma);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
|||
34
src/test/compile-fail/borrowck/two-phase-across-loop.rs
Normal file
34
src/test/compile-fail/borrowck/two-phase-across-loop.rs
Normal file
|
|
@ -0,0 +1,34 @@
|
|||
// Copyright 2016 The Rust Project Developers. See the COPYRIGHT
|
||||
// file at the top-level directory of this distribution and at
|
||||
// http://rust-lang.org/COPYRIGHT.
|
||||
//
|
||||
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
|
||||
// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
|
||||
// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
|
||||
// option. This file may not be copied, modified, or distributed
|
||||
// except according to those terms.
|
||||
|
||||
// Test that a borrow which starts as a 2-phase borrow and gets
|
||||
// carried around a loop winds up conflicting with itself.
|
||||
|
||||
#![feature(nll)]
|
||||
|
||||
struct Foo { x: String }
|
||||
|
||||
impl Foo {
|
||||
fn get_string(&mut self) -> &str {
|
||||
&self.x
|
||||
}
|
||||
}
|
||||
|
||||
fn main() {
|
||||
let mut foo = Foo { x: format!("Hello, world") };
|
||||
let mut strings = vec![];
|
||||
|
||||
loop {
|
||||
strings.push(foo.get_string()); //~ ERROR cannot borrow `foo` as mutable
|
||||
if strings.len() > 2 { break; }
|
||||
}
|
||||
|
||||
println!("{:?}", strings);
|
||||
}
|
||||
|
|
@ -13,10 +13,9 @@
|
|||
// revisions: nll_target
|
||||
|
||||
// The following revisions are disabled due to missing support from two-phase beyond autorefs
|
||||
//[lxl_beyond] compile-flags: -Z borrowck=mir -Z two-phase-borrows -Z two-phase-beyond-autoref
|
||||
//[nll_beyond] compile-flags: -Z borrowck=mir -Z two-phase-borrows -Z two-phase-beyond-autoref -Z nll
|
||||
//[nll_beyond] compile-flags: -Z borrowck=mir -Z two-phase-borrows -Z two-phase-beyond-autoref
|
||||
|
||||
//[nll_target] compile-flags: -Z borrowck=mir -Z two-phase-borrows -Z nll
|
||||
//[nll_target] compile-flags: -Z borrowck=mir -Z two-phase-borrows
|
||||
|
||||
// This is an important corner case pointed out by Niko: one is
|
||||
// allowed to initiate a shared borrow during a reservation, but it
|
||||
|
|
|
|||
|
|
@ -13,11 +13,9 @@
|
|||
// revisions: nll_target
|
||||
|
||||
// The following revisions are disabled due to missing support for two_phase_beyond_autoref
|
||||
//[lxl_beyond] compile-flags: -Z borrowck=mir -Z two-phase-borrows -Z two_phase_beyond_autoref
|
||||
//[nll_beyond] compile-flags: -Z borrowck=mir -Z two-phase-borrows -Z two_phase_beyond_autoref -Z nll
|
||||
//[nll_beyond] compile-flags: -Z borrowck=mir -Z two-phase-borrows -Z two_phase_beyond_autoref
|
||||
|
||||
|
||||
//[nll_target] compile-flags: -Z borrowck=mir -Z two-phase-borrows -Z nll
|
||||
//[nll_target] compile-flags: -Z borrowck=mir -Z two-phase-borrows
|
||||
|
||||
// This is the second counter-example from Niko's blog post
|
||||
// smallcultfollowing.com/babysteps/blog/2017/03/01/nested-method-calls-via-two-phase-borrowing/
|
||||
|
|
@ -44,9 +42,8 @@ fn main() {
|
|||
|
||||
/*3*/ *p += 1; // (mutable borrow of `i` starts here, since `p` is used)
|
||||
|
||||
/*4*/ let k = i; //[lxl_beyond]~ ERROR cannot use `i` because it was mutably borrowed [E0503]
|
||||
//[nll_beyond]~^ ERROR cannot use `i` because it was mutably borrowed [E0503]
|
||||
//[nll_target]~^^ ERROR cannot use `i` because it was mutably borrowed [E0503]
|
||||
/*4*/ let k = i; //[nll_beyond]~ ERROR cannot use `i` because it was mutably borrowed [E0503]
|
||||
//[nll_target]~^ ERROR cannot use `i` because it was mutably borrowed [E0503]
|
||||
|
||||
/*5*/ *p += 1;
|
||||
|
||||
|
|
|
|||
|
|
@ -8,9 +8,7 @@
|
|||
// option. This file may not be copied, modified, or distributed
|
||||
// except according to those terms.
|
||||
|
||||
// revisions: lxl nll
|
||||
//[lxl]compile-flags: -Z borrowck=mir -Z two-phase-borrows
|
||||
//[nll]compile-flags: -Z borrowck=mir -Z two-phase-borrows -Z nll
|
||||
// compile-flags: -Z borrowck=mir -Z two-phase-borrows
|
||||
|
||||
// This is the third counter-example from Niko's blog post
|
||||
// smallcultfollowing.com/babysteps/blog/2017/03/01/nested-method-calls-via-two-phase-borrowing/
|
||||
|
|
@ -26,8 +24,7 @@ fn main() {
|
|||
vec.get({
|
||||
|
||||
vec.push(2);
|
||||
//[lxl]~^ ERROR cannot borrow `vec` as mutable because it is also borrowed as immutable
|
||||
//[nll]~^^ ERROR cannot borrow `vec` as mutable because it is also borrowed as immutable
|
||||
//~^ ERROR cannot borrow `vec` as mutable because it is also borrowed as immutable
|
||||
|
||||
0
|
||||
});
|
||||
|
|
|
|||
|
|
@ -8,12 +8,11 @@
|
|||
// option. This file may not be copied, modified, or distributed
|
||||
// except according to those terms.
|
||||
|
||||
// revisions: ast lxl nll
|
||||
// revisions: ast nll
|
||||
//[ast]compile-flags:
|
||||
//[lxl]compile-flags: -Z borrowck=mir -Z two-phase-borrows
|
||||
//[nll]compile-flags: -Z borrowck=mir -Z two-phase-borrows -Z nll
|
||||
//[nll]compile-flags: -Z borrowck=mir -Z two-phase-borrows
|
||||
|
||||
//[g2p]compile-flags: -Z borrowck=mir -Z two-phase-borrows -Z nll -Z two-phase-beyond-autoref
|
||||
//[g2p]compile-flags: -Z borrowck=mir -Z two-phase-borrows -Z two-phase-beyond-autoref
|
||||
// the above revision is disabled until two-phase-beyond-autoref support is better
|
||||
|
||||
// This is a test checking that when we limit two-phase borrows to
|
||||
|
|
@ -69,44 +68,38 @@ fn overloaded_call_traits() {
|
|||
|
||||
fn twice_ten_sm<F: FnMut(i32) -> i32>(f: &mut F) {
|
||||
f(f(10));
|
||||
//[lxl]~^ ERROR cannot borrow `*f` as mutable more than once at a time
|
||||
//[nll]~^^ ERROR cannot borrow `*f` as mutable more than once at a time
|
||||
//[g2p]~^^^ ERROR cannot borrow `*f` as mutable more than once at a time
|
||||
//[ast]~^^^^ ERROR cannot borrow `*f` as mutable more than once at a time
|
||||
//[nll]~^ ERROR cannot borrow `*f` as mutable more than once at a time
|
||||
//[g2p]~^^ ERROR cannot borrow `*f` as mutable more than once at a time
|
||||
//[ast]~^^^ ERROR cannot borrow `*f` as mutable more than once at a time
|
||||
}
|
||||
fn twice_ten_si<F: Fn(i32) -> i32>(f: &mut F) {
|
||||
f(f(10));
|
||||
}
|
||||
fn twice_ten_so<F: FnOnce(i32) -> i32>(f: Box<F>) {
|
||||
f(f(10));
|
||||
//[lxl]~^ ERROR use of moved value: `*f`
|
||||
//[nll]~^^ ERROR use of moved value: `*f`
|
||||
//[g2p]~^^^ ERROR use of moved value: `*f`
|
||||
//[ast]~^^^^ ERROR use of moved value: `*f`
|
||||
//[nll]~^ ERROR use of moved value: `*f`
|
||||
//[g2p]~^^ ERROR use of moved value: `*f`
|
||||
//[ast]~^^^ ERROR use of moved value: `*f`
|
||||
}
|
||||
|
||||
fn twice_ten_om(f: &mut FnMut(i32) -> i32) {
|
||||
f(f(10));
|
||||
//[lxl]~^ ERROR cannot borrow `*f` as mutable more than once at a time
|
||||
//[nll]~^^ ERROR cannot borrow `*f` as mutable more than once at a time
|
||||
//[g2p]~^^^ ERROR cannot borrow `*f` as mutable more than once at a time
|
||||
//[ast]~^^^^ ERROR cannot borrow `*f` as mutable more than once at a time
|
||||
//[nll]~^ ERROR cannot borrow `*f` as mutable more than once at a time
|
||||
//[g2p]~^^ ERROR cannot borrow `*f` as mutable more than once at a time
|
||||
//[ast]~^^^ ERROR cannot borrow `*f` as mutable more than once at a time
|
||||
}
|
||||
fn twice_ten_oi(f: &mut Fn(i32) -> i32) {
|
||||
f(f(10));
|
||||
}
|
||||
fn twice_ten_oo(f: Box<FnOnce(i32) -> i32>) {
|
||||
f(f(10));
|
||||
//[lxl]~^ ERROR cannot move a value of type
|
||||
//[lxl]~^^ ERROR cannot move a value of type
|
||||
//[lxl]~^^^ ERROR use of moved value: `*f`
|
||||
//[nll]~^^^^ ERROR cannot move a value of type
|
||||
//[nll]~^^^^^ ERROR cannot move a value of type
|
||||
//[nll]~^^^^^^ ERROR use of moved value: `*f`
|
||||
//[g2p]~^^^^^^^ ERROR cannot move a value of type
|
||||
//[g2p]~^^^^^^^^ ERROR cannot move a value of type
|
||||
//[g2p]~^^^^^^^^^ ERROR use of moved value: `*f`
|
||||
//[ast]~^^^^^^^^^^ ERROR use of moved value: `*f`
|
||||
//[nll]~^ ERROR cannot move a value of type
|
||||
//[nll]~^^ ERROR cannot move a value of type
|
||||
//[nll]~^^^ ERROR use of moved value: `*f`
|
||||
//[g2p]~^^^^ ERROR cannot move a value of type
|
||||
//[g2p]~^^^^^ ERROR cannot move a value of type
|
||||
//[g2p]~^^^^^^ ERROR use of moved value: `*f`
|
||||
//[ast]~^^^^^^^ ERROR use of moved value: `*f`
|
||||
}
|
||||
|
||||
twice_ten_sm(&mut |x| x + 1);
|
||||
|
|
@ -144,10 +137,9 @@ fn coerce_unsized() {
|
|||
|
||||
// This is not okay.
|
||||
double_access(&mut a, &a);
|
||||
//[lxl]~^ ERROR cannot borrow `a` as immutable because it is also borrowed as mutable [E0502]
|
||||
//[nll]~^^ ERROR cannot borrow `a` as immutable because it is also borrowed as mutable [E0502]
|
||||
//[g2p]~^^^ ERROR cannot borrow `a` as immutable because it is also borrowed as mutable [E0502]
|
||||
//[ast]~^^^^ ERROR cannot borrow `a` as immutable because it is also borrowed as mutable [E0502]
|
||||
//[nll]~^ ERROR cannot borrow `a` as immutable because it is also borrowed as mutable [E0502]
|
||||
//[g2p]~^^ ERROR cannot borrow `a` as immutable because it is also borrowed as mutable [E0502]
|
||||
//[ast]~^^^ ERROR cannot borrow `a` as immutable because it is also borrowed as mutable [E0502]
|
||||
|
||||
// But this is okay.
|
||||
a.m(a.i(10));
|
||||
|
|
@ -173,16 +165,14 @@ impl IndexMut<i32> for I {
|
|||
fn coerce_index_op() {
|
||||
let mut i = I(10);
|
||||
i[i[3]] = 4;
|
||||
//[lxl]~^ ERROR cannot borrow `i` as immutable because it is also borrowed as mutable [E0502]
|
||||
//[nll]~^^ ERROR cannot borrow `i` as immutable because it is also borrowed as mutable [E0502]
|
||||
//[ast]~^^^ ERROR cannot borrow `i` as immutable because it is also borrowed as mutable [E0502]
|
||||
//[nll]~^ ERROR cannot borrow `i` as immutable because it is also borrowed as mutable [E0502]
|
||||
//[ast]~^^ ERROR cannot borrow `i` as immutable because it is also borrowed as mutable [E0502]
|
||||
|
||||
i[3] = i[4];
|
||||
|
||||
i[i[3]] = i[4];
|
||||
//[lxl]~^ ERROR cannot borrow `i` as immutable because it is also borrowed as mutable [E0502]
|
||||
//[nll]~^^ ERROR cannot borrow `i` as immutable because it is also borrowed as mutable [E0502]
|
||||
//[ast]~^^^ ERROR cannot borrow `i` as immutable because it is also borrowed as mutable [E0502]
|
||||
//[nll]~^ ERROR cannot borrow `i` as immutable because it is also borrowed as mutable [E0502]
|
||||
//[ast]~^^ ERROR cannot borrow `i` as immutable because it is also borrowed as mutable [E0502]
|
||||
}
|
||||
|
||||
fn main() {
|
||||
|
|
|
|||
|
|
@ -8,9 +8,7 @@
|
|||
// option. This file may not be copied, modified, or distributed
|
||||
// except according to those terms.
|
||||
|
||||
// revisions: lxl nll
|
||||
//[lxl]compile-flags: -Z borrowck=mir -Z two-phase-borrows
|
||||
//[nll]compile-flags: -Z borrowck=mir -Z two-phase-borrows -Z nll
|
||||
// compile-flags: -Z borrowck=mir -Z two-phase-borrows
|
||||
|
||||
// This is similar to two-phase-reservation-sharing-interference.rs
|
||||
// in that it shows a reservation that overlaps with a shared borrow.
|
||||
|
|
@ -26,12 +24,11 @@
|
|||
#![feature(rustc_attrs)]
|
||||
|
||||
#[rustc_error]
|
||||
fn main() { //[nll]~ ERROR compilation successful
|
||||
fn main() { //~ ERROR compilation successful
|
||||
let mut v = vec![0, 1, 2];
|
||||
let shared = &v;
|
||||
|
||||
v.push(shared.len());
|
||||
//[lxl]~^ ERROR cannot borrow `v` as mutable because it is also borrowed as immutable [E0502]
|
||||
|
||||
assert_eq!(v, [0, 1, 2, 3]);
|
||||
}
|
||||
|
|
|
|||
|
|
@ -10,15 +10,13 @@
|
|||
|
||||
// ignore-tidy-linelength
|
||||
|
||||
// revisions: lxl_beyond nll_beyond nll_target
|
||||
// revisions: nll_beyond nll_target
|
||||
|
||||
// The following revisions are disabled due to missing support from two-phase beyond autorefs
|
||||
//[lxl_beyond]compile-flags: -Z borrowck=mir -Z two-phase-borrows -Z two-phase-beyond-autoref
|
||||
//[lxl_beyond] should-fail
|
||||
//[nll_beyond]compile-flags: -Z borrowck=mir -Z two-phase-borrows -Z two-phase-beyond-autoref -Z nll
|
||||
//[nll_beyond]compile-flags: -Z borrowck=mir -Z two-phase-borrows -Z two-phase-beyond-autoref
|
||||
//[nll_beyond] should-fail
|
||||
|
||||
//[nll_target]compile-flags: -Z borrowck=mir -Z two-phase-borrows -Z nll
|
||||
//[nll_target]compile-flags: -Z borrowck=mir -Z two-phase-borrows
|
||||
|
||||
// This is a corner case that the current implementation is (probably)
|
||||
// treating more conservatively than is necessary. But it also does
|
||||
|
|
@ -46,9 +44,8 @@ fn main() {
|
|||
// with the shared borrow. But in the current implementation,
|
||||
// its an error.
|
||||
delay = &mut vec;
|
||||
//[lxl_beyond]~^ ERROR cannot borrow `vec` as mutable because it is also borrowed as immutable
|
||||
//[nll_beyond]~^^ ERROR cannot borrow `vec` as mutable because it is also borrowed as immutable
|
||||
//[nll_target]~^^^ ERROR cannot borrow `vec` as mutable because it is also borrowed as immutable
|
||||
//[nll_beyond]~^ ERROR cannot borrow `vec` as mutable because it is also borrowed as immutable
|
||||
//[nll_target]~^^ ERROR cannot borrow `vec` as mutable because it is also borrowed as immutable
|
||||
|
||||
shared[0];
|
||||
}
|
||||
|
|
|
|||
|
|
@ -8,9 +8,7 @@
|
|||
// option. This file may not be copied, modified, or distributed
|
||||
// except according to those terms.
|
||||
|
||||
// revisions: lxl nll
|
||||
//[lxl]compile-flags: -Z borrowck=mir -Z two-phase-borrows
|
||||
//[nll]compile-flags: -Z borrowck=mir -Z two-phase-borrows -Z nll
|
||||
// cmpile-flags: -Z borrowck=mir -Z two-phase-borrows
|
||||
|
||||
// This is the first counter-example from Niko's blog post
|
||||
// smallcultfollowing.com/babysteps/blog/2017/03/01/nested-method-calls-via-two-phase-borrowing/
|
||||
|
|
@ -22,8 +20,7 @@ fn main() {
|
|||
v[0].push_str({
|
||||
|
||||
v.push(format!("foo"));
|
||||
//[lxl]~^ ERROR cannot borrow `v` as mutable more than once at a time [E0499]
|
||||
//[nll]~^^ ERROR cannot borrow `v` as mutable more than once at a time [E0499]
|
||||
//~^ ERROR cannot borrow `v` as mutable more than once at a time [E0499]
|
||||
|
||||
"World!"
|
||||
});
|
||||
|
|
|
|||
|
|
@ -22,6 +22,7 @@ fn double_mut_borrow<T>(x: &mut Box<T>) {
|
|||
let z = borrow_mut(x);
|
||||
//[ast]~^ ERROR cannot borrow `*x` as mutable more than once at a time
|
||||
//[mir]~^^ ERROR cannot borrow `*x` as mutable more than once at a time
|
||||
drop((y, z));
|
||||
}
|
||||
|
||||
fn double_imm_borrow(x: &mut Box<i32>) {
|
||||
|
|
@ -30,6 +31,7 @@ fn double_imm_borrow(x: &mut Box<i32>) {
|
|||
**x += 1;
|
||||
//[ast]~^ ERROR cannot assign to `**x` because it is borrowed
|
||||
//[mir]~^^ ERROR cannot assign to `**x` because it is borrowed
|
||||
drop((y, z));
|
||||
}
|
||||
|
||||
fn double_mut_borrow2<T>(x: &mut Box<T>) {
|
||||
|
|
|
|||
|
|
@ -33,6 +33,7 @@ fn call_repeatedly<F>(f: F)
|
|||
f.call(&x);
|
||||
f.call(&x);
|
||||
x = 5;
|
||||
drop(y);
|
||||
}
|
||||
|
||||
fn main() {
|
||||
|
|
|
|||
|
|
@ -11,6 +11,8 @@
|
|||
// revisions: ast mir
|
||||
//[mir]compile-flags: -Z borrowck=mir
|
||||
|
||||
// FIXME(#49821) -- No tip about using a let binding
|
||||
|
||||
use std::cell::RefCell;
|
||||
|
||||
fn main() {
|
||||
|
|
@ -24,10 +26,9 @@ fn main() {
|
|||
//[ast]~| NOTE temporary value does not live long enough
|
||||
//[ast]~| NOTE consider using a `let` binding to increase its lifetime
|
||||
//[mir]~^^^^^ ERROR borrowed value does not live long enough [E0597]
|
||||
//[mir]~| NOTE temporary value dropped here while still borrowed
|
||||
//[mir]~| NOTE temporary value does not live long enough
|
||||
//[mir]~| NOTE consider using a `let` binding to increase its lifetime
|
||||
//[mir]~| NOTE temporary value only lives until here
|
||||
println!("{}", val);
|
||||
//[mir]~^ borrow later used here
|
||||
}
|
||||
//[ast]~^ NOTE temporary value needs to live until here
|
||||
//[mir]~^^ NOTE temporary value needs to live until here
|
||||
|
|
|
|||
|
|
@ -8,7 +8,7 @@
|
|||
// option. This file may not be copied, modified, or distributed
|
||||
// except according to those terms.
|
||||
|
||||
// compile-flags: -Z borrowck=mir -Z nll
|
||||
// compile-flags: -Z borrowck=mir
|
||||
|
||||
#![allow(dead_code)]
|
||||
|
||||
|
|
@ -16,7 +16,7 @@ fn bar<'a, 'b>() -> fn(&'a u32, &'b u32) -> &'a u32 {
|
|||
let g: fn(_, _) -> _ = |_x, y| y;
|
||||
//~^ ERROR free region `'b` does not outlive free region `'a`
|
||||
g
|
||||
//~^ WARNING not reporting region error due to -Znll
|
||||
//~^ WARNING not reporting region error due to nll
|
||||
}
|
||||
|
||||
fn main() {}
|
||||
|
|
|
|||
|
|
@ -8,7 +8,7 @@
|
|||
// option. This file may not be copied, modified, or distributed
|
||||
// except according to those terms.
|
||||
|
||||
// compile-flags: -Z borrowck=mir -Z nll
|
||||
// compile-flags: -Zborrowck=mir
|
||||
|
||||
#![allow(dead_code)]
|
||||
|
||||
|
|
@ -44,7 +44,7 @@ fn bar<'a>(x: &'a u32) -> &'static u32 {
|
|||
// The MIR type checker must therefore relate `'?0` to `'?1` and `'?2`
|
||||
// as part of checking the `ReifyFnPointer`.
|
||||
let f: fn(_) -> _ = foo;
|
||||
//~^ WARNING not reporting region error due to -Znll
|
||||
//~^ WARNING not reporting region error due to nll
|
||||
//~| ERROR free region `'a` does not outlive free region `'static`
|
||||
f(x)
|
||||
}
|
||||
|
|
|
|||
|
|
@ -8,7 +8,7 @@
|
|||
// option. This file may not be copied, modified, or distributed
|
||||
// except according to those terms.
|
||||
|
||||
// compile-flags: -Z borrowck=mir -Z nll
|
||||
// compile-flags: -Zborrowck=mir
|
||||
|
||||
#![allow(dead_code)]
|
||||
|
||||
|
|
@ -16,7 +16,7 @@ fn bar<'a>(input: &'a u32, f: fn(&'a u32) -> &'a u32) -> &'static u32 {
|
|||
// Here the NLL checker must relate the types in `f` to the types
|
||||
// in `g`. These are related via the `UnsafeFnPointer` cast.
|
||||
let g: unsafe fn(_) -> _ = f;
|
||||
//~^ WARNING not reporting region error due to -Znll
|
||||
//~^ WARNING not reporting region error due to nll
|
||||
//~| ERROR free region `'a` does not outlive free region `'static`
|
||||
unsafe { g(input) }
|
||||
}
|
||||
|
|
|
|||
|
|
@ -8,7 +8,7 @@
|
|||
// option. This file may not be copied, modified, or distributed
|
||||
// except according to those terms.
|
||||
|
||||
// compile-flags: -Z borrowck=mir -Z nll
|
||||
// compile-flags: -Z borrowck=mir
|
||||
|
||||
#![allow(dead_code)]
|
||||
#![feature(dyn_trait)]
|
||||
|
|
@ -18,7 +18,7 @@ use std::fmt::Debug;
|
|||
fn bar<'a>(x: &'a u32) -> &'static dyn Debug {
|
||||
//~^ ERROR free region `'a` does not outlive free region `'static`
|
||||
x
|
||||
//~^ WARNING not reporting region error due to -Znll
|
||||
//~^ WARNING not reporting region error due to nll
|
||||
}
|
||||
|
||||
fn main() {}
|
||||
|
|
|
|||
|
|
@ -25,5 +25,6 @@ fn main() {
|
|||
// check borrowing is detected successfully
|
||||
let &mut ref x = foo;
|
||||
*foo += 1; //[ast]~ ERROR cannot assign to `*foo` because it is borrowed
|
||||
//[mir]~^ ERROR cannot assign to `*foo` because it is borrowed
|
||||
//[mir]~^ ERROR cannot assign to `*foo` because it is borrowed
|
||||
drop(x);
|
||||
}
|
||||
|
|
|
|||
|
|
@ -9,7 +9,7 @@
|
|||
// except according to those terms.
|
||||
|
||||
|
||||
// compile-flags:-Zborrowck=compare -Znll
|
||||
// compile-flags:-Zborrowck=compare
|
||||
|
||||
#![allow(warnings)]
|
||||
#![feature(rustc_attrs)]
|
||||
|
|
|
|||
|
|
@ -9,7 +9,7 @@
|
|||
// except according to those terms.
|
||||
|
||||
|
||||
// compile-flags:-Zborrowck=compare -Znll
|
||||
// compile-flags:-Zborrowck=compare
|
||||
|
||||
#![allow(warnings)]
|
||||
#![feature(rustc_attrs)]
|
||||
|
|
|
|||
|
|
@ -9,7 +9,7 @@
|
|||
// except according to those terms.
|
||||
|
||||
//revisions: ast mir
|
||||
//[mir] compile-flags: -Z borrowck=mir -Z nll
|
||||
//[mir] compile-flags: -Z borrowck=mir
|
||||
|
||||
#![allow(unused_assignments)]
|
||||
|
||||
|
|
|
|||
|
|
@ -12,7 +12,7 @@
|
|||
// in the type of `p` includes the points after `&v[0]` up to (but not
|
||||
// including) the call to `use_x`. The `else` branch is not included.
|
||||
|
||||
// compile-flags:-Zborrowck=compare -Znll
|
||||
// compile-flags:-Zborrowck=compare
|
||||
|
||||
#![allow(warnings)]
|
||||
#![feature(rustc_attrs)]
|
||||
|
|
|
|||
|
|
@ -12,7 +12,7 @@
|
|||
// in the type of `p` includes the points after `&v[0]` up to (but not
|
||||
// including) the call to `use_x`. The `else` branch is not included.
|
||||
|
||||
// compile-flags:-Zborrowck=compare -Znll
|
||||
// compile-flags:-Zborrowck=compare
|
||||
|
||||
#![allow(warnings)]
|
||||
#![feature(rustc_attrs)]
|
||||
|
|
|
|||
|
|
@ -8,7 +8,7 @@
|
|||
// option. This file may not be copied, modified, or distributed
|
||||
// except according to those terms.
|
||||
|
||||
// compile-flags: -Z borrowck=mir -Z nll
|
||||
// compile-flags: -Zborrowck=mir
|
||||
|
||||
#![allow(dead_code)]
|
||||
|
||||
|
|
@ -22,7 +22,7 @@ where
|
|||
fn bar<'a, 'b>(x: &'a u32, y: &'b u32) -> (&'a u32, &'b u32) {
|
||||
foo(x, y)
|
||||
//~^ ERROR lifetime mismatch [E0623]
|
||||
//~| WARNING not reporting region error due to -Znll
|
||||
//~| WARNING not reporting region error due to nll
|
||||
}
|
||||
|
||||
fn main() {}
|
||||
|
|
|
|||
|
|
@ -8,7 +8,7 @@
|
|||
// option. This file may not be copied, modified, or distributed
|
||||
// except according to those terms.
|
||||
|
||||
// compile-flags: -Z borrowck=mir -Z nll
|
||||
// compile-flags: -Z borrowck=mir
|
||||
|
||||
#![allow(dead_code)]
|
||||
|
||||
|
|
@ -22,7 +22,7 @@ struct Foo<'a: 'b, 'b> {
|
|||
fn bar<'a, 'b>(x: Cell<&'a u32>, y: Cell<&'b u32>) {
|
||||
Foo { x, y };
|
||||
//~^ ERROR lifetime mismatch [E0623]
|
||||
//~| WARNING not reporting region error due to -Znll
|
||||
//~| WARNING not reporting region error due to nll
|
||||
}
|
||||
|
||||
fn main() {}
|
||||
|
|
|
|||
|
|
@ -18,7 +18,8 @@ fn main() {
|
|||
match (&a1,) {
|
||||
(&ref b0,) => {
|
||||
a1 = &f; //[ast]~ ERROR cannot assign
|
||||
//[mir]~^ ERROR cannot assign to `a1` because it is borrowed
|
||||
//[mir]~^ ERROR cannot assign to `a1` because it is borrowed
|
||||
drop(b0);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
|||
|
|
@ -9,7 +9,7 @@
|
|||
// except according to those terms.
|
||||
|
||||
// revisions: ll nll
|
||||
//[nll] compile-flags: -Znll -Zborrowck=mir
|
||||
//[nll] compile-flags:-Zborrowck=mir
|
||||
|
||||
fn static_id<'a,'b>(t: &'a ()) -> &'static ()
|
||||
where 'a: 'static { t }
|
||||
|
|
@ -17,16 +17,16 @@ fn static_id_indirect<'a,'b>(t: &'a ()) -> &'static ()
|
|||
where 'a: 'b, 'b: 'static { t }
|
||||
fn static_id_wrong_way<'a>(t: &'a ()) -> &'static () where 'static: 'a {
|
||||
t //[ll]~ ERROR E0312
|
||||
//[nll]~^ WARNING not reporting region error due to -Znll
|
||||
//[nll]~^ WARNING not reporting region error due to nll
|
||||
//[nll]~| ERROR free region `'a` does not outlive free region `'static`
|
||||
}
|
||||
|
||||
fn error(u: &(), v: &()) {
|
||||
static_id(&u); //[ll]~ ERROR explicit lifetime required in the type of `u` [E0621]
|
||||
//[nll]~^ WARNING not reporting region error due to -Znll
|
||||
//[nll]~^ WARNING not reporting region error due to nll
|
||||
//[nll]~| ERROR explicit lifetime required in the type of `u` [E0621]
|
||||
static_id_indirect(&v); //[ll]~ ERROR explicit lifetime required in the type of `v` [E0621]
|
||||
//[nll]~^ WARNING not reporting region error due to -Znll
|
||||
//[nll]~^ WARNING not reporting region error due to nll
|
||||
//[nll]~| ERROR explicit lifetime required in the type of `v` [E0621]
|
||||
}
|
||||
|
||||
|
|
|
|||
|
|
@ -8,7 +8,7 @@
|
|||
// option. This file may not be copied, modified, or distributed
|
||||
// except according to those terms.
|
||||
|
||||
// compile-flags:-Znll
|
||||
// compile-flags:-Zborrowck=mir
|
||||
|
||||
fn can_panic() -> Box<usize> {
|
||||
Box::new(44)
|
||||
|
|
|
|||
|
|
@ -8,7 +8,7 @@
|
|||
// option. This file may not be copied, modified, or distributed
|
||||
// except according to those terms.
|
||||
|
||||
// compile-flags:-Znll
|
||||
// compile-flags:-Zborrowck=mir
|
||||
|
||||
#![allow(warnings)]
|
||||
|
||||
|
|
|
|||
|
|
@ -8,7 +8,7 @@
|
|||
// option. This file may not be copied, modified, or distributed
|
||||
// except according to those terms.
|
||||
|
||||
// compile-flags:-Znll
|
||||
// compile-flags:-Zborrowck=mir
|
||||
|
||||
fn cond() -> bool { false }
|
||||
|
||||
|
|
|
|||
|
|
@ -13,8 +13,8 @@
|
|||
// suitable variables and that we setup the outlives relationship
|
||||
// between R0 and R1 properly.
|
||||
|
||||
// compile-flags:-Znll -Zverbose
|
||||
// ^^^^^^^^^ force compiler to dump more region information
|
||||
// compile-flags:-Zborrowck=mir -Zverbose
|
||||
// ^^^^^^^^^ force compiler to dump more region information
|
||||
// ignore-tidy-linelength
|
||||
|
||||
#![allow(warnings)]
|
||||
|
|
|
|||
|
|
@ -12,8 +12,8 @@
|
|||
// in the type of `r_a` must outlive the region (`R7`) that appears in
|
||||
// the type of `r_b`
|
||||
|
||||
// compile-flags:-Znll -Zverbose
|
||||
// ^^^^^^^^^ force compiler to dump more region information
|
||||
// compile-flags:-Zborrowck=mir -Zverbose
|
||||
// ^^^^^^^^^ force compiler to dump more region information
|
||||
|
||||
#![allow(warnings)]
|
||||
|
||||
|
|
|
|||
|
|
@ -12,8 +12,8 @@
|
|||
// in the type of `p` includes the points after `&v[0]` up to (but not
|
||||
// including) the call to `use_x`. The `else` branch is not included.
|
||||
|
||||
// compile-flags:-Znll -Zverbose
|
||||
// ^^^^^^^^^ force compiler to dump more region information
|
||||
// compile-flags:-Zborrowck=mir -Zverbose
|
||||
// ^^^^^^^^^ force compiler to dump more region information
|
||||
|
||||
#![allow(warnings)]
|
||||
|
||||
|
|
|
|||
|
|
@ -14,8 +14,8 @@
|
|||
// but only at a particular point, and hence they wind up including
|
||||
// distinct regions.
|
||||
|
||||
// compile-flags:-Znll -Zverbose
|
||||
// ^^^^^^^^^ force compiler to dump more region information
|
||||
// compile-flags:-Zborrowck=mir -Zverbose
|
||||
// ^^^^^^^^^ force compiler to dump more region information
|
||||
|
||||
#![allow(warnings)]
|
||||
|
||||
|
|
|
|||
|
|
@ -12,8 +12,8 @@
|
|||
// in the type of `p` includes the points after `&v[0]` up to (but not
|
||||
// including) the call to `use_x`. The `else` branch is not included.
|
||||
|
||||
// compile-flags:-Znll -Zverbose
|
||||
// ^^^^^^^^^ force compiler to dump more region information
|
||||
// compile-flags:-Zborrowck=mir -Zverbose
|
||||
// ^^^^^^^^^ force compiler to dump more region information
|
||||
|
||||
#![allow(warnings)]
|
||||
|
||||
|
|
|
|||
|
|
@ -8,9 +8,7 @@
|
|||
// option. This file may not be copied, modified, or distributed
|
||||
// except according to those terms.
|
||||
|
||||
// revisions: lxl nll
|
||||
//[lxl]compile-flags: -Z borrowck=mir -Z two-phase-borrows
|
||||
//[nll]compile-flags: -Z borrowck=mir -Z two-phase-borrows -Z nll
|
||||
// compile-flags: -Z borrowck=mir -Z two-phase-borrows
|
||||
|
||||
// This is the "goto example" for why we want two phase borrows.
|
||||
|
||||
|
|
|
|||
|
|
@ -9,7 +9,7 @@
|
|||
// except according to those terms.
|
||||
|
||||
// revisions: normal nll
|
||||
//[nll] compile-flags: -Znll -Zborrowck=mir
|
||||
//[nll] compile-flags:-Zborrowck=mir
|
||||
|
||||
#![feature(fn_traits,
|
||||
step_trait,
|
||||
|
|
|
|||
|
|
@ -23,6 +23,7 @@ fn a() {
|
|||
let c1 = to_fn_mut(|| x = 4);
|
||||
let c2 = to_fn_mut(|| x = 5); //~ ERROR cannot borrow `x` as mutable more than once
|
||||
//~| ERROR cannot borrow `x` as mutable more than once
|
||||
drop((c1, c2));
|
||||
}
|
||||
|
||||
fn set(x: &mut isize) {
|
||||
|
|
@ -34,6 +35,7 @@ fn b() {
|
|||
let c1 = to_fn_mut(|| set(&mut x));
|
||||
let c2 = to_fn_mut(|| set(&mut x)); //~ ERROR cannot borrow `x` as mutable more than once
|
||||
//~| ERROR cannot borrow `x` as mutable more than once
|
||||
drop((c1, c2));
|
||||
}
|
||||
|
||||
fn c() {
|
||||
|
|
@ -41,6 +43,7 @@ fn c() {
|
|||
let c1 = to_fn_mut(|| x = 5);
|
||||
let c2 = to_fn_mut(|| set(&mut x)); //~ ERROR cannot borrow `x` as mutable more than once
|
||||
//~| ERROR cannot borrow `x` as mutable more than once
|
||||
drop((c1, c2));
|
||||
}
|
||||
|
||||
fn d() {
|
||||
|
|
@ -49,6 +52,7 @@ fn d() {
|
|||
let c2 = to_fn_mut(|| { let _y = to_fn_mut(|| set(&mut x)); }); // (nested closure)
|
||||
//~^ ERROR cannot borrow `x` as mutable more than once
|
||||
//~| ERROR cannot borrow `x` as mutable more than once
|
||||
drop((c1, c2));
|
||||
}
|
||||
|
||||
fn g() {
|
||||
|
|
@ -61,6 +65,7 @@ fn g() {
|
|||
let c2 = to_fn_mut(|| set(&mut *x.f));
|
||||
//~^ ERROR cannot borrow `x` as mutable more than once
|
||||
//~| ERROR cannot borrow `x` as mutable more than once
|
||||
drop((c1, c2));
|
||||
}
|
||||
|
||||
fn main() {
|
||||
|
|
|
|||
|
|
@ -9,12 +9,12 @@ LL | let c2 = to_fn_mut(|| x = 5); //~ ERROR cannot borrow `x` as mutable mo
|
|||
| ^^ - borrow occurs due to use of `x` in closure
|
||||
| |
|
||||
| second mutable borrow occurs here
|
||||
LL | //~| ERROR cannot borrow `x` as mutable more than once
|
||||
...
|
||||
LL | }
|
||||
| - first borrow ends here
|
||||
|
||||
error[E0499]: cannot borrow `x` as mutable more than once at a time (Ast)
|
||||
--> $DIR/borrowck-closures-two-mut.rs:35:24
|
||||
--> $DIR/borrowck-closures-two-mut.rs:36:24
|
||||
|
|
||||
LL | let c1 = to_fn_mut(|| set(&mut x));
|
||||
| -- - previous borrow occurs due to use of `x` in closure
|
||||
|
|
@ -24,12 +24,12 @@ LL | let c2 = to_fn_mut(|| set(&mut x)); //~ ERROR cannot borrow `x` as muta
|
|||
| ^^ - borrow occurs due to use of `x` in closure
|
||||
| |
|
||||
| second mutable borrow occurs here
|
||||
LL | //~| ERROR cannot borrow `x` as mutable more than once
|
||||
...
|
||||
LL | }
|
||||
| - first borrow ends here
|
||||
|
||||
error[E0499]: cannot borrow `x` as mutable more than once at a time (Ast)
|
||||
--> $DIR/borrowck-closures-two-mut.rs:42:24
|
||||
--> $DIR/borrowck-closures-two-mut.rs:44:24
|
||||
|
|
||||
LL | let c1 = to_fn_mut(|| x = 5);
|
||||
| -- - previous borrow occurs due to use of `x` in closure
|
||||
|
|
@ -39,12 +39,12 @@ LL | let c2 = to_fn_mut(|| set(&mut x)); //~ ERROR cannot borrow `x` as muta
|
|||
| ^^ - borrow occurs due to use of `x` in closure
|
||||
| |
|
||||
| second mutable borrow occurs here
|
||||
LL | //~| ERROR cannot borrow `x` as mutable more than once
|
||||
...
|
||||
LL | }
|
||||
| - first borrow ends here
|
||||
|
||||
error[E0499]: cannot borrow `x` as mutable more than once at a time (Ast)
|
||||
--> $DIR/borrowck-closures-two-mut.rs:49:24
|
||||
--> $DIR/borrowck-closures-two-mut.rs:52:24
|
||||
|
|
||||
LL | let c1 = to_fn_mut(|| x = 5);
|
||||
| -- - previous borrow occurs due to use of `x` in closure
|
||||
|
|
@ -59,7 +59,7 @@ LL | }
|
|||
| - first borrow ends here
|
||||
|
||||
error[E0499]: cannot borrow `x` as mutable more than once at a time (Ast)
|
||||
--> $DIR/borrowck-closures-two-mut.rs:61:24
|
||||
--> $DIR/borrowck-closures-two-mut.rs:65:24
|
||||
|
|
||||
LL | let c1 = to_fn_mut(|| set(&mut *x.f));
|
||||
| -- - previous borrow occurs due to use of `x` in closure
|
||||
|
|
@ -85,11 +85,11 @@ LL | let c2 = to_fn_mut(|| x = 5); //~ ERROR cannot borrow `x` as mutable mo
|
|||
| |
|
||||
| second mutable borrow occurs here
|
||||
LL | //~| ERROR cannot borrow `x` as mutable more than once
|
||||
LL | }
|
||||
| - first borrow ends here
|
||||
LL | drop((c1, c2));
|
||||
| -- borrow later used here
|
||||
|
||||
error[E0499]: cannot borrow `x` as mutable more than once at a time (Mir)
|
||||
--> $DIR/borrowck-closures-two-mut.rs:35:24
|
||||
--> $DIR/borrowck-closures-two-mut.rs:36:24
|
||||
|
|
||||
LL | let c1 = to_fn_mut(|| set(&mut x));
|
||||
| -- - previous borrow occurs due to use of `x` in closure
|
||||
|
|
@ -100,11 +100,11 @@ LL | let c2 = to_fn_mut(|| set(&mut x)); //~ ERROR cannot borrow `x` as muta
|
|||
| |
|
||||
| second mutable borrow occurs here
|
||||
LL | //~| ERROR cannot borrow `x` as mutable more than once
|
||||
LL | }
|
||||
| - first borrow ends here
|
||||
LL | drop((c1, c2));
|
||||
| -- borrow later used here
|
||||
|
||||
error[E0499]: cannot borrow `x` as mutable more than once at a time (Mir)
|
||||
--> $DIR/borrowck-closures-two-mut.rs:42:24
|
||||
--> $DIR/borrowck-closures-two-mut.rs:44:24
|
||||
|
|
||||
LL | let c1 = to_fn_mut(|| x = 5);
|
||||
| -- - previous borrow occurs due to use of `x` in closure
|
||||
|
|
@ -115,11 +115,11 @@ LL | let c2 = to_fn_mut(|| set(&mut x)); //~ ERROR cannot borrow `x` as muta
|
|||
| |
|
||||
| second mutable borrow occurs here
|
||||
LL | //~| ERROR cannot borrow `x` as mutable more than once
|
||||
LL | }
|
||||
| - first borrow ends here
|
||||
LL | drop((c1, c2));
|
||||
| -- borrow later used here
|
||||
|
||||
error[E0499]: cannot borrow `x` as mutable more than once at a time (Mir)
|
||||
--> $DIR/borrowck-closures-two-mut.rs:49:24
|
||||
--> $DIR/borrowck-closures-two-mut.rs:52:24
|
||||
|
|
||||
LL | let c1 = to_fn_mut(|| x = 5);
|
||||
| -- - previous borrow occurs due to use of `x` in closure
|
||||
|
|
@ -130,11 +130,11 @@ LL | let c2 = to_fn_mut(|| { let _y = to_fn_mut(|| set(&mut x)); }); // (nes
|
|||
| |
|
||||
| second mutable borrow occurs here
|
||||
...
|
||||
LL | }
|
||||
| - first borrow ends here
|
||||
LL | drop((c1, c2));
|
||||
| -- borrow later used here
|
||||
|
||||
error[E0499]: cannot borrow `x` as mutable more than once at a time (Mir)
|
||||
--> $DIR/borrowck-closures-two-mut.rs:61:24
|
||||
--> $DIR/borrowck-closures-two-mut.rs:65:24
|
||||
|
|
||||
LL | let c1 = to_fn_mut(|| set(&mut *x.f));
|
||||
| -- - previous borrow occurs due to use of `x` in closure
|
||||
|
|
@ -145,8 +145,8 @@ LL | let c2 = to_fn_mut(|| set(&mut *x.f));
|
|||
| |
|
||||
| second mutable borrow occurs here
|
||||
...
|
||||
LL | }
|
||||
| - first borrow ends here
|
||||
LL | drop((c1, c2));
|
||||
| -- borrow later used here
|
||||
|
||||
error: aborting due to 10 previous errors
|
||||
|
||||
|
|
|
|||
|
|
@ -8,9 +8,7 @@
|
|||
// option. This file may not be copied, modified, or distributed
|
||||
// except according to those terms.
|
||||
|
||||
// revisions: lxl nll
|
||||
//[lxl]compile-flags: -Z borrowck=mir -Z two-phase-borrows
|
||||
//[nll]compile-flags: -Z borrowck=mir -Z two-phase-borrows -Z nll
|
||||
// compile-flags: -Z borrowck=mir -Z two-phase-borrows
|
||||
|
||||
// run-pass
|
||||
|
||||
|
|
|
|||
|
|
@ -8,9 +8,7 @@
|
|||
// option. This file may not be copied, modified, or distributed
|
||||
// except according to those terms.
|
||||
|
||||
// revisions: lxl nll
|
||||
//[lxl]compile-flags: -Z borrowck=mir -Z two-phase-borrows
|
||||
//[nll]compile-flags: -Z borrowck=mir -Z two-phase-borrows -Z nll
|
||||
// compile-flags: -Z borrowck=mir -Z two-phase-borrows
|
||||
|
||||
// run-pass
|
||||
|
||||
|
|
|
|||
|
|
@ -30,6 +30,7 @@ fn main() {
|
|||
*y.pointer += 1;
|
||||
//~^ ERROR cannot assign to `*y.pointer` because it is borrowed (Ast) [E0506]
|
||||
//~| ERROR cannot use `*y.pointer` because it was mutably borrowed (Mir) [E0503]
|
||||
//~| ERROR cannot assign to `*y.pointer` because it is borrowed (Mir) [E0506]
|
||||
*z.pointer += 1;
|
||||
}
|
||||
}
|
||||
|
|
|
|||
|
|
@ -13,8 +13,22 @@ LL | let z = copy_borrowed_ptr(&mut y);
|
|||
| ------ borrow of `y` occurs here
|
||||
LL | *y.pointer += 1;
|
||||
| ^^^^^^^^^^^^^^^ use of borrowed `y`
|
||||
...
|
||||
LL | *z.pointer += 1;
|
||||
| --------------- borrow later used here
|
||||
|
||||
error: aborting due to 2 previous errors
|
||||
error[E0506]: cannot assign to `*y.pointer` because it is borrowed (Mir)
|
||||
--> $DIR/issue-45697-1.rs:30:9
|
||||
|
|
||||
LL | let z = copy_borrowed_ptr(&mut y);
|
||||
| ------ borrow of `*y.pointer` occurs here
|
||||
LL | *y.pointer += 1;
|
||||
| ^^^^^^^^^^^^^^^ assignment to borrowed `*y.pointer` occurs here
|
||||
...
|
||||
LL | *z.pointer += 1;
|
||||
| --------------- borrow later used here
|
||||
|
||||
error: aborting due to 3 previous errors
|
||||
|
||||
Some errors occurred: E0503, E0506.
|
||||
For more information about an error, try `rustc --explain E0503`.
|
||||
|
|
|
|||
|
|
@ -30,6 +30,7 @@ fn main() {
|
|||
*y.pointer += 1;
|
||||
//~^ ERROR cannot assign to `*y.pointer` because it is borrowed (Ast) [E0506]
|
||||
//~| ERROR cannot use `*y.pointer` because it was mutably borrowed (Mir) [E0503]
|
||||
//~| ERROR cannot assign to `*y.pointer` because it is borrowed (Mir) [E0506]
|
||||
*z.pointer += 1;
|
||||
}
|
||||
}
|
||||
|
|
|
|||
|
|
@ -13,8 +13,22 @@ LL | let z = copy_borrowed_ptr(&mut y);
|
|||
| ------ borrow of `y` occurs here
|
||||
LL | *y.pointer += 1;
|
||||
| ^^^^^^^^^^^^^^^ use of borrowed `y`
|
||||
...
|
||||
LL | *z.pointer += 1;
|
||||
| --------------- borrow later used here
|
||||
|
||||
error: aborting due to 2 previous errors
|
||||
error[E0506]: cannot assign to `*y.pointer` because it is borrowed (Mir)
|
||||
--> $DIR/issue-45697.rs:30:9
|
||||
|
|
||||
LL | let z = copy_borrowed_ptr(&mut y);
|
||||
| ------ borrow of `*y.pointer` occurs here
|
||||
LL | *y.pointer += 1;
|
||||
| ^^^^^^^^^^^^^^^ assignment to borrowed `*y.pointer` occurs here
|
||||
...
|
||||
LL | *z.pointer += 1;
|
||||
| --------------- borrow later used here
|
||||
|
||||
error: aborting due to 3 previous errors
|
||||
|
||||
Some errors occurred: E0503, E0506.
|
||||
For more information about an error, try `rustc --explain E0503`.
|
||||
|
|
|
|||
|
|
@ -12,13 +12,16 @@ LL | }
|
|||
error[E0597]: `z` does not live long enough (Mir)
|
||||
--> $DIR/issue-46471-1.rs:16:9
|
||||
|
|
||||
LL | &mut z
|
||||
| ^^^^^^ borrowed value does not live long enough
|
||||
LL | };
|
||||
| - `z` dropped here while still borrowed
|
||||
...
|
||||
LL | }
|
||||
| - borrowed value needs to live until here
|
||||
LL | let y = {
|
||||
| _____________-
|
||||
LL | | let mut z = 0;
|
||||
LL | | &mut z
|
||||
| | ^^^^^^ borrowed value does not live long enough
|
||||
LL | | };
|
||||
| | -
|
||||
| | |
|
||||
| |_____borrowed value only lives until here
|
||||
| borrow later used here
|
||||
|
||||
error: aborting due to 2 previous errors
|
||||
|
||||
|
|
|
|||
|
|
@ -22,7 +22,7 @@
|
|||
// that appear free in its type (hence, we see it before the closure's
|
||||
// "external requirements" report).
|
||||
|
||||
// compile-flags:-Znll -Zborrowck=mir -Zverbose
|
||||
// compile-flags:-Zborrowck=mir -Zverbose
|
||||
|
||||
#![feature(rustc_attrs)]
|
||||
|
||||
|
|
@ -35,7 +35,7 @@ fn test() {
|
|||
let y = 22;
|
||||
let mut closure = expect_sig(|p, y| *p = y);
|
||||
//~^ ERROR does not outlive free region
|
||||
//~| WARNING not reporting region error due to -Znll
|
||||
//~| WARNING not reporting region error due to nll
|
||||
closure(&mut p, &y);
|
||||
}
|
||||
|
||||
|
|
|
|||
|
|
@ -1,4 +1,4 @@
|
|||
warning: not reporting region error due to -Znll
|
||||
warning: not reporting region error due to nll
|
||||
--> $DIR/escape-argument-callee.rs:36:50
|
||||
|
|
||||
LL | let mut closure = expect_sig(|p, y| *p = y);
|
||||
|
|
|
|||
|
|
@ -22,7 +22,7 @@
|
|||
// basically checking that the MIR type checker correctly enforces the
|
||||
// closure signature.
|
||||
|
||||
// compile-flags:-Znll -Zborrowck=mir -Zverbose
|
||||
// compile-flags:-Zborrowck=mir -Zverbose
|
||||
|
||||
#![feature(rustc_attrs)]
|
||||
|
||||
|
|
|
|||
|
|
@ -15,7 +15,7 @@
|
|||
//
|
||||
// except that the closure does so via a second closure.
|
||||
|
||||
// compile-flags:-Znll -Zborrowck=mir -Zverbose
|
||||
// compile-flags:-Zborrowck=mir -Zverbose
|
||||
|
||||
#![feature(rustc_attrs)]
|
||||
|
||||
|
|
|
|||
|
|
@ -19,7 +19,7 @@
|
|||
// `'b`. This relationship is propagated to the closure creator,
|
||||
// which reports an error.
|
||||
|
||||
// compile-flags:-Znll -Zborrowck=mir -Zverbose
|
||||
// compile-flags:-Zborrowck=mir -Zverbose
|
||||
|
||||
#![feature(rustc_attrs)]
|
||||
|
||||
|
|
|
|||
|
|
@ -11,7 +11,7 @@
|
|||
// Test where we fail to approximate due to demanding a postdom
|
||||
// relationship between our upper bounds.
|
||||
|
||||
// compile-flags:-Znll -Zborrowck=mir -Zverbose
|
||||
// compile-flags:-Zborrowck=mir -Zverbose
|
||||
|
||||
#![feature(rustc_attrs)]
|
||||
|
||||
|
|
@ -53,7 +53,7 @@ fn supply<'a, 'b, 'c>(cell_a: Cell<&'a u32>, cell_b: Cell<&'b u32>, cell_c: Cell
|
|||
|_outlives1, _outlives2, _outlives3, x, y| {
|
||||
// Only works if 'x: 'y:
|
||||
let p = x.get();
|
||||
//~^ WARN not reporting region error due to -Znll
|
||||
//~^ WARN not reporting region error due to nll
|
||||
//~| ERROR does not outlive free region
|
||||
demand_y(x, y, p)
|
||||
},
|
||||
|
|
|
|||
|
|
@ -1,4 +1,4 @@
|
|||
warning: not reporting region error due to -Znll
|
||||
warning: not reporting region error due to nll
|
||||
--> $DIR/propagate-approximated-fail-no-postdom.rs:55:21
|
||||
|
|
||||
LL | let p = x.get();
|
||||
|
|
@ -16,7 +16,7 @@ note: No external requirements
|
|||
LL | / |_outlives1, _outlives2, _outlives3, x, y| {
|
||||
LL | | // Only works if 'x: 'y:
|
||||
LL | | let p = x.get();
|
||||
LL | | //~^ WARN not reporting region error due to -Znll
|
||||
LL | | //~^ WARN not reporting region error due to nll
|
||||
LL | | //~| ERROR does not outlive free region
|
||||
LL | | demand_y(x, y, p)
|
||||
LL | | },
|
||||
|
|
|
|||
|
|
@ -22,7 +22,7 @@
|
|||
// Note: the use of `Cell` here is to introduce invariance. One less
|
||||
// variable.
|
||||
|
||||
// compile-flags:-Znll -Zborrowck=mir -Zverbose
|
||||
// compile-flags:-Zborrowck=mir -Zverbose
|
||||
|
||||
#![feature(rustc_attrs)]
|
||||
|
||||
|
|
@ -54,7 +54,7 @@ fn supply<'a, 'b>(cell_a: Cell<&'a u32>, cell_b: Cell<&'b u32>) {
|
|||
//~^ ERROR lifetime mismatch
|
||||
|
||||
// Only works if 'x: 'y:
|
||||
demand_y(x, y, x.get()) //~ WARNING not reporting region error due to -Znll
|
||||
demand_y(x, y, x.get()) //~ WARNING not reporting region error due to nll
|
||||
});
|
||||
}
|
||||
|
||||
|
|
|
|||
|
|
@ -1,7 +1,7 @@
|
|||
warning: not reporting region error due to -Znll
|
||||
warning: not reporting region error due to nll
|
||||
--> $DIR/propagate-approximated-ref.rs:57:9
|
||||
|
|
||||
LL | demand_y(x, y, x.get()) //~ WARNING not reporting region error due to -Znll
|
||||
LL | demand_y(x, y, x.get()) //~ WARNING not reporting region error due to nll
|
||||
| ^^^^^^^^^^^^^^^^^^^^^^^
|
||||
|
||||
note: External requirements
|
||||
|
|
@ -12,7 +12,7 @@ LL | establish_relationships(&cell_a, &cell_b, |_outlives1, _outlives2, x,
|
|||
LL | | //~^ ERROR lifetime mismatch
|
||||
LL | |
|
||||
LL | | // Only works if 'x: 'y:
|
||||
LL | | demand_y(x, y, x.get()) //~ WARNING not reporting region error due to -Znll
|
||||
LL | | demand_y(x, y, x.get()) //~ WARNING not reporting region error due to nll
|
||||
LL | | });
|
||||
| |_____^
|
||||
|
|
||||
|
|
|
|||
|
|
@ -12,7 +12,7 @@
|
|||
// where `'x` is bound in closure type but `'a` is free. This forces
|
||||
// us to approximate `'x` one way or the other.
|
||||
|
||||
// compile-flags:-Znll -Zborrowck=mir -Zverbose
|
||||
// compile-flags:-Zborrowck=mir -Zverbose
|
||||
|
||||
#![feature(rustc_attrs)]
|
||||
|
||||
|
|
@ -29,7 +29,7 @@ fn case1() {
|
|||
let a = 0;
|
||||
let cell = Cell::new(&a);
|
||||
foo(cell, |cell_a, cell_x| {
|
||||
//~^ WARNING not reporting region error due to -Znll
|
||||
//~^ WARNING not reporting region error due to nll
|
||||
cell_a.set(cell_x.get()); // forces 'x: 'a, error in closure
|
||||
//~^ ERROR does not outlive free region
|
||||
})
|
||||
|
|
|
|||
|
|
@ -1,4 +1,4 @@
|
|||
warning: not reporting region error due to -Znll
|
||||
warning: not reporting region error due to nll
|
||||
--> $DIR/propagate-approximated-shorter-to-static-comparing-against-free.rs:31:5
|
||||
|
|
||||
LL | foo(cell, |cell_a, cell_x| {
|
||||
|
|
@ -15,7 +15,7 @@ note: No external requirements
|
|||
|
|
||||
LL | foo(cell, |cell_a, cell_x| {
|
||||
| _______________^
|
||||
LL | | //~^ WARNING not reporting region error due to -Znll
|
||||
LL | | //~^ WARNING not reporting region error due to nll
|
||||
LL | | cell_a.set(cell_x.get()); // forces 'x: 'a, error in closure
|
||||
LL | | //~^ ERROR does not outlive free region
|
||||
LL | | })
|
||||
|
|
|
|||
|
|
@ -16,7 +16,7 @@
|
|||
// FIXME(#45827) Because of shortcomings in the MIR type checker,
|
||||
// these errors are not (yet) reported.
|
||||
|
||||
// compile-flags:-Znll -Zborrowck=mir -Zverbose
|
||||
// compile-flags:-Zborrowck=mir -Zverbose
|
||||
|
||||
#![feature(rustc_attrs)]
|
||||
|
||||
|
|
@ -46,7 +46,7 @@ fn supply<'a, 'b>(cell_a: Cell<&'a u32>, cell_b: Cell<&'b u32>) {
|
|||
//~^ ERROR does not outlive free region
|
||||
|
||||
// Only works if 'x: 'y:
|
||||
demand_y(x, y, x.get()) //~ WARNING not reporting region error due to -Znll
|
||||
demand_y(x, y, x.get()) //~ WARNING not reporting region error due to nll
|
||||
});
|
||||
}
|
||||
|
||||
|
|
|
|||
|
|
@ -1,7 +1,7 @@
|
|||
warning: not reporting region error due to -Znll
|
||||
warning: not reporting region error due to nll
|
||||
--> $DIR/propagate-approximated-shorter-to-static-no-bound.rs:49:9
|
||||
|
|
||||
LL | demand_y(x, y, x.get()) //~ WARNING not reporting region error due to -Znll
|
||||
LL | demand_y(x, y, x.get()) //~ WARNING not reporting region error due to nll
|
||||
| ^^^^^^^^^^^^^^^^^^^^^^^
|
||||
|
||||
note: External requirements
|
||||
|
|
@ -12,7 +12,7 @@ LL | establish_relationships(&cell_a, &cell_b, |_outlives, x, y| {
|
|||
LL | | //~^ ERROR does not outlive free region
|
||||
LL | |
|
||||
LL | | // Only works if 'x: 'y:
|
||||
LL | | demand_y(x, y, x.get()) //~ WARNING not reporting region error due to -Znll
|
||||
LL | | demand_y(x, y, x.get()) //~ WARNING not reporting region error due to nll
|
||||
LL | | });
|
||||
| |_____^
|
||||
|
|
||||
|
|
@ -31,7 +31,7 @@ LL | establish_relationships(&cell_a, &cell_b, |_outlives, x, y| {
|
|||
LL | | //~^ ERROR does not outlive free region
|
||||
LL | |
|
||||
LL | | // Only works if 'x: 'y:
|
||||
LL | | demand_y(x, y, x.get()) //~ WARNING not reporting region error due to -Znll
|
||||
LL | | demand_y(x, y, x.get()) //~ WARNING not reporting region error due to nll
|
||||
LL | | });
|
||||
| |_____^
|
||||
|
||||
|
|
|
|||
|
|
@ -17,7 +17,7 @@
|
|||
// FIXME(#45827) Because of shortcomings in the MIR type checker,
|
||||
// these errors are not (yet) reported.
|
||||
|
||||
// compile-flags:-Znll -Zborrowck=mir -Zverbose
|
||||
// compile-flags:-Zborrowck=mir -Zverbose
|
||||
|
||||
#![feature(rustc_attrs)]
|
||||
|
||||
|
|
@ -49,7 +49,7 @@ fn supply<'a, 'b>(cell_a: Cell<&'a u32>, cell_b: Cell<&'b u32>) {
|
|||
//~^ ERROR does not outlive free region
|
||||
// Only works if 'x: 'y:
|
||||
demand_y(x, y, x.get())
|
||||
//~^ WARNING not reporting region error due to -Znll
|
||||
//~^ WARNING not reporting region error due to nll
|
||||
});
|
||||
}
|
||||
|
||||
|
|
|
|||
|
|
@ -1,4 +1,4 @@
|
|||
warning: not reporting region error due to -Znll
|
||||
warning: not reporting region error due to nll
|
||||
--> $DIR/propagate-approximated-shorter-to-static-wrong-bound.rs:51:9
|
||||
|
|
||||
LL | demand_y(x, y, x.get())
|
||||
|
|
@ -12,7 +12,7 @@ LL | establish_relationships(&cell_a, &cell_b, |_outlives1, _outlives2, x,
|
|||
LL | | //~^ ERROR does not outlive free region
|
||||
LL | | // Only works if 'x: 'y:
|
||||
LL | | demand_y(x, y, x.get())
|
||||
LL | | //~^ WARNING not reporting region error due to -Znll
|
||||
LL | | //~^ WARNING not reporting region error due to nll
|
||||
LL | | });
|
||||
| |_____^
|
||||
|
|
||||
|
|
@ -31,7 +31,7 @@ LL | establish_relationships(&cell_a, &cell_b, |_outlives1, _outlives2, x,
|
|||
LL | | //~^ ERROR does not outlive free region
|
||||
LL | | // Only works if 'x: 'y:
|
||||
LL | | demand_y(x, y, x.get())
|
||||
LL | | //~^ WARNING not reporting region error due to -Znll
|
||||
LL | | //~^ WARNING not reporting region error due to nll
|
||||
LL | | });
|
||||
| |_____^
|
||||
|
||||
|
|
|
|||
|
|
@ -15,7 +15,7 @@
|
|||
// relationships. In the 'main' variant, there are a number of
|
||||
// anonymous regions as well.
|
||||
|
||||
// compile-flags:-Znll -Zborrowck=mir -Zverbose
|
||||
// compile-flags:-Zborrowck=mir -Zverbose
|
||||
|
||||
#![feature(rustc_attrs)]
|
||||
|
||||
|
|
@ -47,7 +47,7 @@ fn test<'a, 'b>(cell_a: Cell<&'a u32>, cell_b: Cell<&'b u32>) {
|
|||
//~^ ERROR lifetime mismatch
|
||||
|
||||
// Only works if 'x: 'y:
|
||||
demand_y(outlives1, outlives2, x.get()) //~ WARNING not reporting region error due to -Znll
|
||||
demand_y(outlives1, outlives2, x.get()) //~ WARNING not reporting region error due to nll
|
||||
});
|
||||
}
|
||||
|
||||
|
|
|
|||
|
|
@ -1,7 +1,7 @@
|
|||
warning: not reporting region error due to -Znll
|
||||
warning: not reporting region error due to nll
|
||||
--> $DIR/propagate-approximated-val.rs:50:9
|
||||
|
|
||||
LL | demand_y(outlives1, outlives2, x.get()) //~ WARNING not reporting region error due to -Znll
|
||||
LL | demand_y(outlives1, outlives2, x.get()) //~ WARNING not reporting region error due to nll
|
||||
| ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
|
||||
|
||||
note: External requirements
|
||||
|
|
@ -12,7 +12,7 @@ LL | establish_relationships(cell_a, cell_b, |outlives1, outlives2, x, y|
|
|||
LL | | //~^ ERROR lifetime mismatch
|
||||
LL | |
|
||||
LL | | // Only works if 'x: 'y:
|
||||
LL | | demand_y(outlives1, outlives2, x.get()) //~ WARNING not reporting region error due to -Znll
|
||||
LL | | demand_y(outlives1, outlives2, x.get()) //~ WARNING not reporting region error due to nll
|
||||
LL | | });
|
||||
| |_____^
|
||||
|
|
||||
|
|
|
|||
|
|
@ -13,7 +13,7 @@
|
|||
// need to propagate; but in fact we do because identity of free
|
||||
// regions is erased.
|
||||
|
||||
// compile-flags:-Znll -Zborrowck=mir -Zverbose
|
||||
// compile-flags:-Zborrowck=mir -Zverbose
|
||||
// compile-pass
|
||||
|
||||
#![feature(rustc_attrs)]
|
||||
|
|
|
|||
|
|
@ -1,4 +1,4 @@
|
|||
warning: not reporting region error due to -Znll
|
||||
warning: not reporting region error due to nll
|
||||
--> $DIR/propagate-despite-same-free-region.rs:54:21
|
||||
|
|
||||
LL | let p = x.get();
|
||||
|
|
|
|||
|
|
@ -17,7 +17,7 @@
|
|||
// as it knows of no relationships between `'x` and any
|
||||
// non-higher-ranked regions.
|
||||
|
||||
// compile-flags:-Znll -Zborrowck=mir -Zverbose
|
||||
// compile-flags:-Zborrowck=mir -Zverbose
|
||||
|
||||
#![feature(rustc_attrs)]
|
||||
|
||||
|
|
@ -45,7 +45,7 @@ fn supply<'a, 'b>(cell_a: Cell<&'a u32>, cell_b: Cell<&'b u32>) {
|
|||
establish_relationships(&cell_a, &cell_b, |_outlives, x, y| {
|
||||
// Only works if 'x: 'y:
|
||||
demand_y(x, y, x.get())
|
||||
//~^ WARN not reporting region error due to -Znll
|
||||
//~^ WARN not reporting region error due to nll
|
||||
//~| ERROR does not outlive free region
|
||||
});
|
||||
}
|
||||
|
|
|
|||
|
|
@ -1,4 +1,4 @@
|
|||
warning: not reporting region error due to -Znll
|
||||
warning: not reporting region error due to nll
|
||||
--> $DIR/propagate-fail-to-approximate-longer-no-bounds.rs:47:9
|
||||
|
|
||||
LL | demand_y(x, y, x.get())
|
||||
|
|
@ -17,7 +17,7 @@ LL | establish_relationships(&cell_a, &cell_b, |_outlives, x, y| {
|
|||
| _______________________________________________^
|
||||
LL | | // Only works if 'x: 'y:
|
||||
LL | | demand_y(x, y, x.get())
|
||||
LL | | //~^ WARN not reporting region error due to -Znll
|
||||
LL | | //~^ WARN not reporting region error due to nll
|
||||
LL | | //~| ERROR does not outlive free region
|
||||
LL | | });
|
||||
| |_____^
|
||||
|
|
|
|||
|
|
@ -17,7 +17,7 @@
|
|||
// as it only knows of regions that `'x` is outlived by, and none that
|
||||
// `'x` outlives.
|
||||
|
||||
// compile-flags:-Znll -Zborrowck=mir -Zverbose
|
||||
// compile-flags:-Zborrowck=mir -Zverbose
|
||||
|
||||
#![feature(rustc_attrs)]
|
||||
|
||||
|
|
@ -49,7 +49,7 @@ fn supply<'a, 'b>(cell_a: Cell<&'a u32>, cell_b: Cell<&'b u32>) {
|
|||
establish_relationships(&cell_a, &cell_b, |_outlives1, _outlives2, x, y| {
|
||||
// Only works if 'x: 'y:
|
||||
demand_y(x, y, x.get())
|
||||
//~^ WARN not reporting region error due to -Znll
|
||||
//~^ WARN not reporting region error due to nll
|
||||
//~| ERROR does not outlive free region
|
||||
});
|
||||
}
|
||||
|
|
|
|||
|
|
@ -1,4 +1,4 @@
|
|||
warning: not reporting region error due to -Znll
|
||||
warning: not reporting region error due to nll
|
||||
--> $DIR/propagate-fail-to-approximate-longer-wrong-bounds.rs:51:9
|
||||
|
|
||||
LL | demand_y(x, y, x.get())
|
||||
|
|
@ -17,7 +17,7 @@ LL | establish_relationships(&cell_a, &cell_b, |_outlives1, _outlives2, x,
|
|||
| _______________________________________________^
|
||||
LL | | // Only works if 'x: 'y:
|
||||
LL | | demand_y(x, y, x.get())
|
||||
LL | | //~^ WARN not reporting region error due to -Znll
|
||||
LL | | //~^ WARN not reporting region error due to nll
|
||||
LL | | //~| ERROR does not outlive free region
|
||||
LL | | });
|
||||
| |_____^
|
||||
|
|
|
|||
|
|
@ -14,7 +14,7 @@
|
|||
// the same `'a` for which it implements `Trait`, which can only be the `'a`
|
||||
// from the function definition.
|
||||
|
||||
// compile-flags:-Znll -Zborrowck=mir -Zverbose
|
||||
// compile-flags:-Zborrowck=mir -Zverbose
|
||||
|
||||
#![feature(rustc_attrs)]
|
||||
#![allow(dead_code)]
|
||||
|
|
@ -53,7 +53,7 @@ where
|
|||
// The latter does not hold.
|
||||
|
||||
require(value);
|
||||
//~^ WARNING not reporting region error due to -Znll
|
||||
//~^ WARNING not reporting region error due to nll
|
||||
});
|
||||
}
|
||||
|
||||
|
|
|
|||
|
|
@ -1,4 +1,4 @@
|
|||
warning: not reporting region error due to -Znll
|
||||
warning: not reporting region error due to nll
|
||||
--> $DIR/propagate-from-trait-match.rs:55:9
|
||||
|
|
||||
LL | require(value);
|
||||
|
|
@ -13,7 +13,7 @@ LL | | //~^ ERROR the parameter type `T` may not live long enough
|
|||
LL | |
|
||||
LL | | // This function call requires that
|
||||
... |
|
||||
LL | | //~^ WARNING not reporting region error due to -Znll
|
||||
LL | | //~^ WARNING not reporting region error due to nll
|
||||
LL | | });
|
||||
| |_____^
|
||||
|
|
||||
|
|
@ -35,7 +35,7 @@ LL | | //~^ ERROR the parameter type `T` may not live long enough
|
|||
LL | |
|
||||
LL | | // This function call requires that
|
||||
... |
|
||||
LL | | //~^ WARNING not reporting region error due to -Znll
|
||||
LL | | //~^ WARNING not reporting region error due to nll
|
||||
LL | | });
|
||||
| |_____^
|
||||
|
|
||||
|
|
|
|||
|
|
@ -13,11 +13,11 @@
|
|||
// a variety of errors from the older, AST-based machinery (notably
|
||||
// borrowck), and then we get the NLL error at the end.
|
||||
|
||||
// compile-flags:-Znll -Zborrowck=mir -Zverbose
|
||||
// compile-flags:-Zborrowck=mir -Zverbose
|
||||
|
||||
fn foo(x: &u32) -> &'static u32 {
|
||||
&*x
|
||||
//~^ WARN not reporting region error due to -Znll
|
||||
//~^ WARN not reporting region error due to nll
|
||||
//~| ERROR explicit lifetime required in the type of `x`
|
||||
}
|
||||
|
||||
|
|
|
|||
|
|
@ -1,4 +1,4 @@
|
|||
warning: not reporting region error due to -Znll
|
||||
warning: not reporting region error due to nll
|
||||
--> $DIR/region-lbr-anon-does-not-outlive-static.rs:19:5
|
||||
|
|
||||
LL | &*x
|
||||
|
|
|
|||
|
|
@ -13,11 +13,11 @@
|
|||
// a variety of errors from the older, AST-based machinery (notably
|
||||
// borrowck), and then we get the NLL error at the end.
|
||||
|
||||
// compile-flags:-Znll -Zborrowck=mir -Zverbose
|
||||
// compile-flags:-Zborrowck=mir -Zverbose
|
||||
|
||||
fn foo<'a>(x: &'a u32) -> &'static u32 {
|
||||
&*x
|
||||
//~^ WARN not reporting region error due to -Znll
|
||||
//~^ WARN not reporting region error due to nll
|
||||
//~| ERROR does not outlive free region
|
||||
}
|
||||
|
||||
|
|
|
|||
Some files were not shown because too many files have changed in this diff Show more
Loading…
Add table
Add a link
Reference in a new issue