Skip to content

Commit e64a819

Browse files
committed
auto merge of #19858 : nick29581/rust/ranges, r=aturon
Closes #19794 r? @aturon for the first patch r? @nikomatsakis for the rest
2 parents 96a3c7c + e82215d commit e64a819

File tree

24 files changed

+452
-15
lines changed

24 files changed

+452
-15
lines changed

src/libcore/iter.rs

+58
Original file line numberDiff line numberDiff line change
@@ -2542,6 +2542,64 @@ impl<A: Int> Iterator<A> for RangeStepInclusive<A> {
25422542
}
25432543
}
25442544

2545+
2546+
/// The `Step` trait identifies objects which can be stepped over in both
2547+
/// directions. The `steps_between` function provides a way to
2548+
/// compare two Step objects (it could be provided using `step()` and `Ord`,
2549+
/// but the implementation would be so inefficient as to be useless).
2550+
#[unstable = "Trait is unstable."]
2551+
pub trait Step: Ord {
2552+
/// Change self to the next object.
2553+
fn step(&mut self);
2554+
/// Change self to the previous object.
2555+
fn step_back(&mut self);
2556+
/// The steps_between two step objects.
2557+
/// a should always be less than b, so the result should never be negative.
2558+
/// Return None if it is not possible to calculate steps_between without
2559+
/// overflow.
2560+
fn steps_between(a: &Self, b: &Self) -> Option<uint>;
2561+
}
2562+
2563+
macro_rules! step_impl {
2564+
($($t:ty)*) => ($(
2565+
#[unstable = "Trait is unstable."]
2566+
impl Step for $t {
2567+
#[inline]
2568+
fn step(&mut self) { *self += 1; }
2569+
#[inline]
2570+
fn step_back(&mut self) { *self -= 1; }
2571+
#[inline]
2572+
fn steps_between(a: &$t, b: &$t) -> Option<uint> {
2573+
debug_assert!(a < b);
2574+
Some((*a - *b) as uint)
2575+
}
2576+
}
2577+
)*)
2578+
}
2579+
2580+
macro_rules! step_impl_no_between {
2581+
($($t:ty)*) => ($(
2582+
#[unstable = "Trait is unstable."]
2583+
impl Step for $t {
2584+
#[inline]
2585+
fn step(&mut self) { *self += 1; }
2586+
#[inline]
2587+
fn step_back(&mut self) { *self -= 1; }
2588+
#[inline]
2589+
fn steps_between(_a: &$t, _b: &$t) -> Option<uint> {
2590+
None
2591+
}
2592+
}
2593+
)*)
2594+
}
2595+
2596+
step_impl!(uint u8 u16 u32 int i8 i16 i32);
2597+
#[cfg(target_word_size = "64")]
2598+
step_impl!(u64 i64);
2599+
#[cfg(target_word_size = "32")]
2600+
step_impl_no_between!(u64 i64);
2601+
2602+
25452603
/// An iterator that repeats an element endlessly
25462604
#[deriving(Clone)]
25472605
#[stable]

src/libcore/lib.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -59,7 +59,7 @@
5959
#![allow(unknown_features, raw_pointer_deriving)]
6060
#![feature(globs, intrinsics, lang_items, macro_rules, phase)]
6161
#![feature(simd, unsafe_destructor, slicing_syntax)]
62-
#![feature(default_type_params, unboxed_closures)]
62+
#![feature(default_type_params, unboxed_closures, associated_types)]
6363
#![deny(missing_docs)]
6464

6565
mod macros;

src/libcore/ops.rs

+76
Original file line numberDiff line numberDiff line change
@@ -51,7 +51,10 @@
5151
//! See the documentation for each trait for a minimum implementation that prints
5252
//! something to the screen.
5353
54+
use clone::Clone;
55+
use iter::{Step, Iterator,DoubleEndedIterator,ExactSizeIterator};
5456
use kinds::Sized;
57+
use option::Option::{mod, Some, None};
5558

5659
/// The `Drop` trait is used to run some code when a value goes out of scope. This
5760
/// is sometimes called a 'destructor'.
@@ -833,6 +836,79 @@ pub trait SliceMut<Sized? Idx, Sized? Result> for Sized? {
833836
fn slice_or_fail_mut<'a>(&'a mut self, from: &Idx, to: &Idx) -> &'a mut Result;
834837
}
835838

839+
840+
/// An unbounded range.
841+
#[deriving(Copy)]
842+
#[lang="full_range"]
843+
pub struct FullRange;
844+
845+
/// A (half-open) range which is bounded at both ends.
846+
#[deriving(Copy)]
847+
#[lang="range"]
848+
pub struct Range<Idx> {
849+
/// The lower bound of the range (inclusive).
850+
pub start: Idx,
851+
/// The upper bound of the range (exclusive).
852+
pub end: Idx,
853+
}
854+
855+
// FIXME(#19391) needs a snapshot
856+
//impl<Idx: Clone + Step<T=uint>> Iterator<Idx> for Range<Idx> {
857+
impl<Idx: Clone + Step> Iterator<Idx> for Range<Idx> {
858+
#[inline]
859+
fn next(&mut self) -> Option<Idx> {
860+
if self.start < self.end {
861+
let result = self.start.clone();
862+
self.start.step();
863+
return Some(result);
864+
}
865+
866+
return None;
867+
}
868+
869+
#[inline]
870+
fn size_hint(&self) -> (uint, Option<uint>) {
871+
if let Some(hint) = Step::steps_between(&self.end, &self.start) {
872+
(hint, Some(hint))
873+
} else {
874+
(0, None)
875+
}
876+
}
877+
}
878+
879+
impl<Idx: Clone + Step> DoubleEndedIterator<Idx> for Range<Idx> {
880+
#[inline]
881+
fn next_back(&mut self) -> Option<Idx> {
882+
if self.start < self.end {
883+
self.end.step_back();
884+
return Some(self.end.clone());
885+
}
886+
887+
return None;
888+
}
889+
}
890+
891+
impl<Idx: Clone + Step> ExactSizeIterator<Idx> for Range<Idx> {}
892+
893+
/// A range which is only bounded below.
894+
#[deriving(Copy)]
895+
#[lang="range_from"]
896+
pub struct RangeFrom<Idx> {
897+
/// The lower bound of the range (inclusive).
898+
pub start: Idx,
899+
}
900+
901+
impl<Idx: Clone + Step> Iterator<Idx> for RangeFrom<Idx> {
902+
#[inline]
903+
fn next(&mut self) -> Option<Idx> {
904+
// Deliberately overflow so we loop forever.
905+
let result = self.start.clone();
906+
self.start.step();
907+
return Some(result);
908+
}
909+
}
910+
911+
836912
/// The `Deref` trait is used to specify the functionality of dereferencing
837913
/// operations like `*v`.
838914
///

src/libcoretest/ops.rs

+33
Original file line numberDiff line numberDiff line change
@@ -9,6 +9,7 @@
99
// except according to those terms.
1010

1111
use test::Bencher;
12+
use core::ops::{Range, FullRange, RangeFrom};
1213

1314
// Overhead of dtors
1415

@@ -27,3 +28,35 @@ fn alloc_obj_with_dtor(b: &mut Bencher) {
2728
HasDtor { _x : 10 };
2829
})
2930
}
31+
32+
// Test the Range structs without the syntactic sugar.
33+
34+
#[test]
35+
fn test_range() {
36+
let r = Range { start: 2u, end: 10 };
37+
let mut count = 0u;
38+
for (i, ri) in r.enumerate() {
39+
assert!(ri == i + 2);
40+
assert!(ri >= 2u && ri < 10u);
41+
count += 1;
42+
}
43+
assert!(count == 8);
44+
}
45+
46+
#[test]
47+
fn test_range_from() {
48+
let r = RangeFrom { start: 2u };
49+
let mut count = 0u;
50+
for (i, ri) in r.take(10).enumerate() {
51+
assert!(ri == i + 2);
52+
assert!(ri >= 2u && ri < 12u);
53+
count += 1;
54+
}
55+
assert!(count == 10);
56+
}
57+
58+
#[test]
59+
fn test_full_range() {
60+
// Not much to test.
61+
let _ = FullRange;
62+
}

src/librustc/middle/cfg/construct.rs

+6
Original file line numberDiff line numberDiff line change
@@ -439,6 +439,12 @@ impl<'a, 'tcx> CFGBuilder<'a, 'tcx> {
439439
start.iter().chain(end.iter()).map(|x| &**x))
440440
}
441441

442+
ast::ExprRange(ref start, ref end) => {
443+
let fields = Some(&**start).into_iter()
444+
.chain(end.as_ref().map(|e| &**e).into_iter());
445+
self.straightline(expr, pred, fields)
446+
}
447+
442448
ast::ExprUnary(_, ref e) if self.is_method_call(expr) => {
443449
self.call(expr, pred, &**e, None::<ast::Expr>.iter())
444450
}

src/librustc/middle/expr_use_visitor.rs

+5
Original file line numberDiff line numberDiff line change
@@ -465,6 +465,11 @@ impl<'d,'t,'tcx,TYPER:mc::Typer<'tcx>> ExprUseVisitor<'d,'t,'tcx,TYPER> {
465465
assert!(overloaded);
466466
}
467467

468+
ast::ExprRange(ref start, ref end) => {
469+
self.consume_expr(&**start);
470+
end.as_ref().map(|e| self.consume_expr(&**e));
471+
}
472+
468473
ast::ExprCall(ref callee, ref args) => { // callee(args)
469474
self.walk_callee(expr, &**callee);
470475
self.consume_exprs(args);

src/librustc/middle/infer/error_reporting.rs

+4
Original file line numberDiff line numberDiff line change
@@ -366,6 +366,7 @@ impl<'a, 'tcx> ErrorReporting<'tcx> for InferCtxt<'a, 'tcx> {
366366
infer::MatchExpressionArm(_, _) => "match arms have incompatible types",
367367
infer::IfExpression(_) => "if and else have incompatible types",
368368
infer::IfExpressionWithNoElse(_) => "if may be missing an else clause",
369+
infer::RangeExpression(_) => "start and end of range have incompatible types",
369370
infer::EquatePredicate(_) => "equality predicate not satisfied",
370371
};
371372

@@ -1490,6 +1491,9 @@ impl<'a, 'tcx> ErrorReportingHelpers<'tcx> for InferCtxt<'a, 'tcx> {
14901491
infer::IfExpressionWithNoElse(_) => {
14911492
format!("if may be missing an else clause")
14921493
}
1494+
infer::RangeExpression(_) => {
1495+
format!("start and end of range have compatible types")
1496+
}
14931497
infer::EquatePredicate(_) => {
14941498
format!("equality where clause is satisfied")
14951499
}

src/librustc/middle/infer/mod.rs

+7
Original file line numberDiff line numberDiff line change
@@ -127,6 +127,9 @@ pub enum TypeOrigin {
127127
// Computing common supertype of an if expression with no else counter-part
128128
IfExpressionWithNoElse(Span),
129129

130+
// Computing common supertype in a range expression
131+
RangeExpression(Span),
132+
130133
// `where a == b`
131134
EquatePredicate(Span),
132135
}
@@ -1084,6 +1087,7 @@ impl TypeOrigin {
10841087
MatchExpressionArm(match_span, _) => match_span,
10851088
IfExpression(span) => span,
10861089
IfExpressionWithNoElse(span) => span,
1090+
RangeExpression(span) => span,
10871091
EquatePredicate(span) => span,
10881092
}
10891093
}
@@ -1117,6 +1121,9 @@ impl<'tcx> Repr<'tcx> for TypeOrigin {
11171121
IfExpressionWithNoElse(a) => {
11181122
format!("IfExpressionWithNoElse({})", a.repr(tcx))
11191123
}
1124+
RangeExpression(a) => {
1125+
format!("RangeExpression({})", a.repr(tcx))
1126+
}
11201127
EquatePredicate(a) => {
11211128
format!("EquatePredicate({})", a.repr(tcx))
11221129
}

src/librustc/middle/lang_items.rs

+3
Original file line numberDiff line numberDiff line change
@@ -267,6 +267,9 @@ lets_do_this! {
267267
IndexMutTraitLangItem, "index_mut", index_mut_trait;
268268
SliceTraitLangItem, "slice", slice_trait;
269269
SliceMutTraitLangItem, "slice_mut", slice_mut_trait;
270+
RangeStructLangItem, "range", range_struct;
271+
RangeFromStructLangItem, "range_from", range_from_struct;
272+
FullRangeStructLangItem, "full_range", full_range_struct;
270273

271274
UnsafeTypeLangItem, "unsafe", unsafe_type;
272275

src/librustc/middle/liveness.rs

+8-2
Original file line numberDiff line numberDiff line change
@@ -514,7 +514,7 @@ fn visit_expr(ir: &mut IrMaps, expr: &Expr) {
514514
ast::ExprBlock(..) | ast::ExprAssign(..) | ast::ExprAssignOp(..) |
515515
ast::ExprMac(..) | ast::ExprStruct(..) | ast::ExprRepeat(..) |
516516
ast::ExprParen(..) | ast::ExprInlineAsm(..) | ast::ExprBox(..) |
517-
ast::ExprSlice(..) => {
517+
ast::ExprSlice(..) | ast::ExprRange(..) => {
518518
visit::walk_expr(ir, expr);
519519
}
520520
}
@@ -1197,6 +1197,11 @@ impl<'a, 'tcx> Liveness<'a, 'tcx> {
11971197
self.propagate_through_expr(&**e1, succ)
11981198
}
11991199

1200+
ast::ExprRange(ref e1, ref e2) => {
1201+
let succ = e2.as_ref().map_or(succ, |e| self.propagate_through_expr(&**e, succ));
1202+
self.propagate_through_expr(&**e1, succ)
1203+
}
1204+
12001205
ast::ExprBox(None, ref e) |
12011206
ast::ExprAddrOf(_, ref e) |
12021207
ast::ExprCast(ref e, _) |
@@ -1489,7 +1494,8 @@ fn check_expr(this: &mut Liveness, expr: &Expr) {
14891494
ast::ExprBreak(..) | ast::ExprAgain(..) | ast::ExprLit(_) |
14901495
ast::ExprBlock(..) | ast::ExprMac(..) | ast::ExprAddrOf(..) |
14911496
ast::ExprStruct(..) | ast::ExprRepeat(..) | ast::ExprParen(..) |
1492-
ast::ExprClosure(..) | ast::ExprPath(..) | ast::ExprBox(..) | ast::ExprSlice(..) => {
1497+
ast::ExprClosure(..) | ast::ExprPath(..) | ast::ExprBox(..) |
1498+
ast::ExprSlice(..) | ast::ExprRange(..) => {
14931499
visit::walk_expr(this, expr);
14941500
}
14951501
ast::ExprIfLet(..) => {

src/librustc/middle/mem_categorization.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -541,7 +541,7 @@ impl<'t,'tcx,TYPER:Typer<'tcx>> MemCategorizationContext<'t,TYPER> {
541541
ast::ExprAddrOf(..) | ast::ExprCall(..) |
542542
ast::ExprAssign(..) | ast::ExprAssignOp(..) |
543543
ast::ExprClosure(..) | ast::ExprRet(..) |
544-
ast::ExprUnary(..) | ast::ExprSlice(..) |
544+
ast::ExprUnary(..) | ast::ExprSlice(..) | ast::ExprRange(..) |
545545
ast::ExprMethodCall(..) | ast::ExprCast(..) |
546546
ast::ExprVec(..) | ast::ExprTup(..) | ast::ExprIf(..) |
547547
ast::ExprBinary(..) | ast::ExprWhile(..) |

src/librustc/middle/ty.rs

+1
Original file line numberDiff line numberDiff line change
@@ -4261,6 +4261,7 @@ pub fn expr_kind(tcx: &ctxt, expr: &ast::Expr) -> ExprKind {
42614261
ast::ExprCall(..) |
42624262
ast::ExprMethodCall(..) |
42634263
ast::ExprStruct(..) |
4264+
ast::ExprRange(..) |
42644265
ast::ExprTup(..) |
42654266
ast::ExprIf(..) |
42664267
ast::ExprMatch(..) |

src/librustc_back/svh.rs

+2
Original file line numberDiff line numberDiff line change
@@ -247,6 +247,7 @@ mod svh_visitor {
247247
SawExprAssignOp(ast::BinOp),
248248
SawExprIndex,
249249
SawExprSlice,
250+
SawExprRange,
250251
SawExprPath,
251252
SawExprAddrOf(ast::Mutability),
252253
SawExprRet,
@@ -280,6 +281,7 @@ mod svh_visitor {
280281
ExprTupField(_, id) => SawExprTupField(id.node),
281282
ExprIndex(..) => SawExprIndex,
282283
ExprSlice(..) => SawExprSlice,
284+
ExprRange(..) => SawExprRange,
283285
ExprPath(..) => SawExprPath,
284286
ExprAddrOf(m, _) => SawExprAddrOf(m),
285287
ExprBreak(id) => SawExprBreak(id.map(content)),

src/librustc_trans/trans/debuginfo.rs

+5
Original file line numberDiff line numberDiff line change
@@ -3494,6 +3494,11 @@ fn populate_scope_map(cx: &CrateContext,
34943494
end.as_ref().map(|x| walk_expr(cx, &**x, scope_stack, scope_map));
34953495
}
34963496

3497+
ast::ExprRange(ref start, ref end) => {
3498+
walk_expr(cx, &**start, scope_stack, scope_map);
3499+
end.as_ref().map(|e| walk_expr(cx, &**e, scope_stack, scope_map));
3500+
}
3501+
34973502
ast::ExprVec(ref init_expressions) |
34983503
ast::ExprTup(ref init_expressions) => {
34993504
for ie in init_expressions.iter() {

0 commit comments

Comments
 (0)