Skip to content

Commit 257ad4d

Browse files
committed
---
yaml --- r: 148415 b: refs/heads/try2 c: f13086f h: refs/heads/master i: 148413: c3d0562 148411: d37bdef 148407: 8d58797 148399: bba374c 148383: 5db3984 148351: cb0253b v: v3
1 parent 70104d0 commit 257ad4d

Some content is hidden

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

59 files changed

+495
-570
lines changed

[refs]

Lines changed: 1 addition & 1 deletion
Original file line numberDiff line numberDiff line change
@@ -5,7 +5,7 @@ refs/heads/snap-stage3: 78a7676898d9f80ab540c6df5d4c9ce35bb50463
55
refs/heads/try: 519addf6277dbafccbb4159db4b710c37eaa2ec5
66
refs/tags/release-0.1: 1f5c5126e96c79d22cb7862f75304136e204f105
77
refs/heads/ndm: f3868061cd7988080c30d6d5bf352a5a5fe2460b
8-
refs/heads/try2: 5512fb49a038ca3827e33d8ddf41f6901f11c2f5
8+
refs/heads/try2: f13086f4571e13f712b9606fddbee47f40c40842
99
refs/heads/dist-snap: ba4081a5a8573875fed17545846f6f6902c8ba8d
1010
refs/tags/release-0.2: c870d2dffb391e14efb05aa27898f1f6333a9596
1111
refs/tags/release-0.3: b5f0d0f648d9a6153664837026ba1be43d3e2503

branches/try2/doc/rust.md

Lines changed: 31 additions & 50 deletions
Original file line numberDiff line numberDiff line change
@@ -2211,9 +2211,12 @@ dereferences (`*expr`), [indexing expressions](#index-expressions)
22112211
(`expr[expr]`), and [field references](#field-expressions) (`expr.f`).
22122212
All other expressions are rvalues.
22132213

2214-
The left operand of an [assignment](#assignment-expressions) or
2214+
The left operand of an [assignment](#assignment-expressions),
2215+
[binary move](#binary-move-expressions) or
22152216
[compound-assignment](#compound-assignment-expressions) expression is an lvalue context,
2216-
as is the single operand of a unary [borrow](#unary-operator-expressions).
2217+
as is the single operand of a unary [borrow](#unary-operator-expressions),
2218+
or [move](#unary-move-expressions) expression,
2219+
and _both_ operands of a [swap](#swap-expressions) expression.
22172220
All other expression contexts are rvalue contexts.
22182221

22192222
When an lvalue is evaluated in an _lvalue context_, it denotes a memory location;
@@ -2226,8 +2229,9 @@ A temporary's lifetime equals the largest lifetime of any reference that points
22262229

22272230
When a [local variable](#memory-slots) is used
22282231
as an [rvalue](#lvalues-rvalues-and-temporaries)
2229-
the variable will either be moved or copied, depending on its type.
2230-
For types that contain [owning pointers](#pointer-types)
2232+
the variable will either be [moved](#move-expressions) or copied,
2233+
depending on its type.
2234+
For types that contain [owning pointers](#owning-pointers)
22312235
or values that implement the special trait `Drop`,
22322236
the variable is moved.
22332237
All other types are copied.
@@ -2886,26 +2890,16 @@ match x {
28862890

28872891
The first pattern matches lists constructed by applying `Cons` to any head value, and a
28882892
tail value of `~Nil`. The second pattern matches _any_ list constructed with `Cons`,
2889-
ignoring the values of its arguments. The difference between `_` and `*` is that the pattern
2890-
`C(_)` is only type-correct if `C` has exactly one argument, while the pattern `C(..)` is
2891-
type-correct for any enum variant `C`, regardless of how many arguments `C` has.
2892-
2893-
A `match` behaves differently depending on whether or not the head expression
2894-
is an [lvalue or an rvalue](#lvalues-rvalues-and-temporaries).
2895-
If the head expression is an rvalue, it is
2896-
first evaluated into a temporary location, and the resulting value
2897-
is sequentially compared to the patterns in the arms until a match
2893+
ignoring the values of its arguments. The difference between `_` and `*` is that the pattern `C(_)` is only type-correct if
2894+
`C` has exactly one argument, while the pattern `C(..)` is type-correct for any enum variant `C`, regardless of how many arguments `C` has.
2895+
2896+
To execute an `match` expression, first the head expression is evaluated, then
2897+
its value is sequentially compared to the patterns in the arms until a match
28982898
is found. The first arm with a matching pattern is chosen as the branch target
28992899
of the `match`, any variables bound by the pattern are assigned to local
29002900
variables in the arm's block, and control enters the block.
29012901

2902-
When the head expression is an lvalue, the match does not allocate a
2903-
temporary location (however, a by-value binding may copy or move from
2904-
the lvalue). When possible, it is preferable to match on lvalues, as the
2905-
lifetime of these matches inherits the lifetime of the lvalue, rather
2906-
than being restricted to the inside of the match.
2907-
2908-
An example of a `match` expression:
2902+
An example of an `match` expression:
29092903

29102904
~~~~
29112905
# fn process_pair(a: int, b: int) { }
@@ -2935,31 +2929,19 @@ Patterns that bind variables
29352929
default to binding to a copy or move of the matched value
29362930
(depending on the matched value's type).
29372931
This can be changed to bind to a reference by
2938-
using the `ref` keyword,
2939-
or to a mutable reference using `ref mut`.
2940-
2941-
Patterns can also dereference pointers by using the `&`,
2942-
`~` or `@` symbols, as appropriate. For example, these two matches
2943-
on `x: &int` are equivalent:
2944-
2945-
~~~~
2946-
# let x = &3;
2947-
let y = match *x { 0 => "zero", _ => "some" };
2948-
let z = match x { &0 => "zero", _ => "some" };
2949-
2950-
assert_eq!(y, z);
2951-
~~~~
2952-
2953-
A pattern that's just an identifier, like `Nil` in the previous answer,
2954-
could either refer to an enum variant that's in scope, or bind a new variable.
2955-
The compiler resolves this ambiguity by forbidding variable bindings that occur
2956-
in `match` patterns from shadowing names of variants that are in scope.
2957-
For example, wherever `List` is in scope,
2958-
a `match` pattern would not be able to bind `Nil` as a new name.
2959-
The compiler interprets a variable pattern `x` as a binding _only_ if there is
2960-
no variant named `x` in scope.
2961-
A convention you can use to avoid conflicts is simply to name variants with
2962-
upper-case letters, and local variables with lower-case letters.
2932+
using the ```ref``` keyword,
2933+
or to a mutable reference using ```ref mut```.
2934+
2935+
A pattern that's just an identifier,
2936+
like `Nil` in the previous answer,
2937+
could either refer to an enum variant that's in scope,
2938+
or bind a new variable.
2939+
The compiler resolves this ambiguity by forbidding variable bindings that occur in ```match``` patterns from shadowing names of variants that are in scope.
2940+
For example, wherever ```List``` is in scope,
2941+
a ```match``` pattern would not be able to bind ```Nil``` as a new name.
2942+
The compiler interprets a variable pattern `x` as a binding _only_ if there is no variant named `x` in scope.
2943+
A convention you can use to avoid conflicts is simply to name variants with upper-case letters,
2944+
and local variables with lower-case letters.
29632945

29642946
Multiple match patterns may be joined with the `|` operator.
29652947
A range of values may be specified with `..`.
@@ -3140,20 +3122,19 @@ A `struct` *type* is a heterogeneous product of other types, called the *fields*
31403122
the *record* types of the ML family,
31413123
or the *structure* types of the Lisp family.]
31423124

3143-
New instances of a `struct` can be constructed with a [struct expression](#structure-expressions).
3125+
New instances of a `struct` can be constructed with a [struct expression](#struct-expressions).
31443126

31453127
The memory order of fields in a `struct` is given by the item defining it.
31463128
Fields may be given in any order in a corresponding struct *expression*;
31473129
the resulting `struct` value will always be laid out in memory in the order specified by the corresponding *item*.
31483130

3149-
The fields of a `struct` may be qualified by [visibility modifiers](#re-exporting-and-visibility),
3131+
The fields of a `struct` may be qualified by [visibility modifiers](#visibility-modifiers),
31503132
to restrict access to implementation-private data in a structure.
31513133

31523134
A _tuple struct_ type is just like a structure type, except that the fields are anonymous.
31533135

31543136
A _unit-like struct_ type is like a structure type, except that it has no fields.
3155-
The one value constructed by the associated [structure expression](#structure-expressions)
3156-
is the only value that inhabits such a type.
3137+
The one value constructed by the associated [structure expression](#structure-expression) is the only value that inhabits such a type.
31573138

31583139
### Enumerated types
31593140

@@ -3824,7 +3805,7 @@ over the output format of a Rust crate.
38243805
### Logging system
38253806

38263807
The runtime contains a system for directing [logging
3827-
expressions](#logging-expressions) to a logging console and/or internal logging
3808+
expressions](#log-expressions) to a logging console and/or internal logging
38283809
buffers. Logging can be enabled per module.
38293810

38303811
Logging output is enabled by setting the `RUST_LOG` environment

branches/try2/doc/tutorial.md

Lines changed: 4 additions & 9 deletions
Original file line numberDiff line numberDiff line change
@@ -1020,15 +1020,10 @@ being destroyed along with the owner. Since the `list` variable above is
10201020
immutable, the whole list is immutable. The memory allocation itself is the
10211021
box, while the owner holds onto a pointer to it:
10221022

1023-
List box List box List box List box
1024-
+--------------+ +--------------+ +--------------+ +--------------+
1025-
list -> | Cons | 1 | ~ | -> | Cons | 2 | ~ | -> | Cons | 3 | ~ | -> | Nil |
1026-
+--------------+ +--------------+ +--------------+ +--------------+
1027-
1028-
> Note: the above diagram shows the logical contents of the enum. The actual
1029-
> memory layout of the enum may vary. For example, for the `List` enum shown
1030-
> above, Rust guarantees that there will be no enum tag field in the actual
1031-
> structure. See the language reference for more details.
1023+
Cons cell Cons cell Cons cell
1024+
+-----------+ +-----+-----+ +-----+-----+
1025+
| 1 | ~ | -> | 2 | ~ | -> | 3 | ~ | -> Nil
1026+
+-----------+ +-----+-----+ +-----+-----+
10321027

10331028
An owned box is a common example of a type with a destructor. The allocated
10341029
memory is cleaned up when the box is destroyed.

branches/try2/mk/docs.mk

Lines changed: 7 additions & 8 deletions
Original file line numberDiff line numberDiff line change
@@ -17,16 +17,16 @@ CDOCS :=
1717
DOCS_L10N :=
1818
HTML_DEPS :=
1919

20-
BASE_DOC_OPTS := --standalone --toc --number-sections
21-
HTML_OPTS = $(BASE_DOC_OPTS) --to=html5 --section-divs --css=rust.css \
22-
--include-before-body=doc/version_info.html --include-in-header=doc/favicon.inc
23-
TEX_OPTS = $(BASE_DOC_OPTS) --include-before-body=doc/version.md --to=latex
20+
BASE_DOC_OPTS := --include-before-body=doc/version_info.html --standalone \
21+
--toc --number-sections
22+
HTML_OPTS = $(BASE_DOC_OPTS) --to=html5 --section-divs --css=rust.css \
23+
--include-in-header=doc/favicon.inc
24+
TEX_OPTS = $(BASE_DOC_OPTS) --to=latex
2425
EPUB_OPTS = $(BASE_DOC_OPTS) --to=epub
2526

2627
######################################################################
2728
# Rust version
2829
######################################################################
29-
3030
doc/version.md: $(MKFILE_DEPS) $(wildcard $(S)doc/*.*)
3131
@$(call E, version-stamp: $@)
3232
$(Q)echo "$(CFG_VERSION)" >$@
@@ -84,7 +84,7 @@ doc/rust.tex: rust.md doc/version.md
8484
$(CFG_PANDOC) $(TEX_OPTS) --output=$@
8585

8686
DOCS += doc/rust.epub
87-
doc/rust.epub: rust.md
87+
doc/rust.epub: rust.md doc/version_info.html doc/rust.css
8888
@$(call E, pandoc: $@)
8989
$(Q)$(CFG_NODE) $(S)doc/prep.js --highlight $< | \
9090
$(CFG_PANDOC) $(EPUB_OPTS) --output=$@
@@ -114,7 +114,7 @@ doc/tutorial.tex: tutorial.md doc/version.md
114114
$(CFG_PANDOC) $(TEX_OPTS) --output=$@
115115

116116
DOCS += doc/tutorial.epub
117-
doc/tutorial.epub: tutorial.md
117+
doc/tutorial.epub: tutorial.md doc/version_info.html doc/rust.css
118118
@$(call E, pandoc: $@)
119119
$(Q)$(CFG_NODE) $(S)doc/prep.js --highlight $< | \
120120
$(CFG_PANDOC) $(EPUB_OPTS) --output=$@
@@ -265,7 +265,6 @@ endif # No pandoc / node
265265
######################################################################
266266
# LLnextgen (grammar analysis from refman)
267267
######################################################################
268-
269268
ifeq ($(CFG_LLNEXTGEN),)
270269
$(info cfg: no llnextgen found, omitting grammar-verification)
271270
else

branches/try2/src/etc/vim/syntax/rust.vim

Lines changed: 7 additions & 7 deletions
Original file line numberDiff line numberDiff line change
@@ -3,7 +3,7 @@
33
" Maintainer: Patrick Walton <[email protected]>
44
" Maintainer: Ben Blum <[email protected]>
55
" Maintainer: Chris Morgan <[email protected]>
6-
" Last Change: 2014 Jan 4
6+
" Last Change: 2013 Dec 10
77

88
if version < 600
99
syntax clear
@@ -147,8 +147,8 @@ syn match rustMacro '#\w\(\w\)*' contains=rustAssert,rustFail
147147
syn match rustSpecialError display contained /\\./
148148
syn match rustSpecial display contained /\\\([nrt0\\'"]\|x\x\{2}\|u\x\{4}\|U\x\{8}\)/
149149
syn match rustStringContinuation display contained /\\\n\s*/
150-
syn region rustString start=+"+ skip=+\\\\\|\\"+ end=+"+ contains=rustSpecial,rustSpecialError,rustStringContinuation,@Spell
151-
syn region rustString start='r\z(#*\)"' end='"\z1' contains=@Spell
150+
syn region rustString start=+"+ skip=+\\\\\|\\"+ end=+"+ contains=rustSpecial,rustSpecialError,rustStringContinuation
151+
syn region rustString start='r\z(#*\)"' end='"\z1'
152152

153153
syn region rustAttribute start="#\[" end="\]" contains=rustString,rustDeriving
154154
syn region rustDeriving start="deriving(" end=")" contained contains=rustTrait
@@ -179,10 +179,10 @@ syn match rustLifetime display "\'\%([^[:cntrl:][:space:][:punct:][:digit
179179
syn match rustCharacter /'\([^'\\]\|\\\(.\|x\x\{2}\|u\x\{4}\|U\x\{8}\)\)'/ contains=rustSpecial,rustSpecialError
180180

181181
syn cluster rustComment contains=rustCommentLine,rustCommentLineDoc,rustCommentBlock,rustCommentBlockDoc
182-
syn region rustCommentLine start="//" end="$" contains=rustTodo,@Spell
183-
syn region rustCommentLineDoc start="//\%(//\@!\|!\)" end="$" contains=rustTodo,@Spell
184-
syn region rustCommentBlock matchgroup=rustCommentBlock start="/\*\%(!\|\*[*/]\@!\)\@!" end="\*/" contains=rustTodo,@rustComment,@Spell keepend extend
185-
syn region rustCommentBlockDoc matchgroup=rustCommentBlockDoc start="/\*\%(!\|\*[*/]\@!\)" end="\*/" contains=rustTodo,@rustComment,@Spell keepend extend
182+
syn region rustCommentLine start="//" end="$" contains=rustTodo
183+
syn region rustCommentLineDoc start="//\%(//\@!\|!\)" end="$" contains=rustTodo
184+
syn region rustCommentBlock matchgroup=rustCommentBlock start="/\*\%(!\|\*[*/]\@!\)\@!" end="\*/" contains=rustTodo,@rustComment keepend extend
185+
syn region rustCommentBlockDoc matchgroup=rustCommentBlockDoc start="/\*\%(!\|\*[*/]\@!\)" end="\*/" contains=rustTodo,@rustComment keepend extend
186186
" FIXME: this is a really ugly and not fully correct implementation. Most
187187
" importantly, a case like ``/* */*`` should have the final ``*`` not being in
188188
" a comment, but in practice at present it leaves comments open two levels

branches/try2/src/libextra/bitv.rs

Lines changed: 7 additions & 30 deletions
Original file line numberDiff line numberDiff line change
@@ -269,23 +269,14 @@ impl Bitv {
269269

270270
impl Bitv {
271271
pub fn new(nbits: uint, init: bool) -> Bitv {
272-
let rep = if nbits < uint::bits {
273-
Small(SmallBitv::new(if init {(1<<nbits)-1} else {0}))
274-
} else if nbits == uint::bits {
272+
let rep = if nbits <= uint::bits {
275273
Small(SmallBitv::new(if init {!0} else {0}))
276-
} else {
277-
let exact = nbits % uint::bits == 0;
278-
let nelems = nbits/uint::bits + if exact {0} else {1};
279-
let s =
280-
if init {
281-
if exact {
282-
vec::from_elem(nelems, !0u)
283-
} else {
284-
let mut v = vec::from_elem(nelems-1, !0u);
285-
v.push((1<<nbits % uint::bits)-1);
286-
v
287-
}
288-
} else { vec::from_elem(nelems, 0u)};
274+
}
275+
else {
276+
let nelems = nbits/uint::bits +
277+
if nbits % uint::bits == 0 {0} else {1};
278+
let elem = if init {!0u} else {0u};
279+
let s = vec::from_elem(nelems, elem);
289280
Big(BigBitv::new(s))
290281
};
291282
Bitv {rep: rep, nbits: nbits}
@@ -1338,20 +1329,6 @@ mod tests {
13381329
assert_eq!(idxs, ~[0, 2, 3]);
13391330
}
13401331
1341-
#[test]
1342-
fn test_bitv_set_frombitv_init() {
1343-
let bools = [true, false];
1344-
let lengths = [10, 64, 100];
1345-
for &b in bools.iter() {
1346-
for &l in lengths.iter() {
1347-
let bitset = BitvSet::from_bitv(Bitv::new(l, b));
1348-
assert_eq!(bitset.contains(&1u), b)
1349-
assert_eq!(bitset.contains(&(l-1u)), b)
1350-
assert!(!bitset.contains(&l))
1351-
}
1352-
}
1353-
}
1354-
13551332
#[test]
13561333
fn test_small_difference() {
13571334
let mut b1 = Bitv::new(3, false);

branches/try2/src/libextra/c_vec.rs

Lines changed: 5 additions & 3 deletions
Original file line numberDiff line numberDiff line change
@@ -160,19 +160,21 @@ impl <T> Container for CVec<T> {
160160

161161
#[cfg(test)]
162162
mod tests {
163+
163164
use super::*;
164165

165166
use std::libc::*;
166167
use std::libc;
167168
use std::ptr;
168-
use std::rt::global_heap::malloc_raw;
169169

170170
fn malloc(n: uint) -> CVec<u8> {
171171
unsafe {
172-
let mem = malloc_raw(n);
172+
let mem = libc::malloc(n as size_t);
173+
174+
assert!(mem as int != 0);
173175

174176
CVec::new_with_dtor(mem as *mut u8, n,
175-
proc() { libc::free(mem as *c_void); })
177+
proc() { libc::free(mem); })
176178
}
177179
}
178180

branches/try2/src/libnative/io/file.rs

Lines changed: 2 additions & 2 deletions
Original file line numberDiff line numberDiff line change
@@ -13,7 +13,7 @@
1313
use std::c_str::CString;
1414
use std::io::IoError;
1515
use std::io;
16-
use std::libc::{c_int, c_void};
16+
use std::libc::c_int;
1717
use std::libc;
1818
use std::os;
1919
use std::rt::rtio;
@@ -548,7 +548,7 @@ pub fn readdir(p: &CString) -> IoResult<~[Path]> {
548548
let p = Path::new(p);
549549
let star = p.join("*");
550550
as_utf16_p(star.as_str().unwrap(), |path_ptr| {
551-
let wfd_ptr = malloc_raw(rust_list_dir_wfd_size() as uint) as *c_void;
551+
let wfd_ptr = malloc_raw(rust_list_dir_wfd_size() as uint);
552552
let find_handle = FindFirstFileW(path_ptr, wfd_ptr as HANDLE);
553553
if find_handle as libc::c_int != INVALID_HANDLE_VALUE {
554554
let mut paths = ~[];

branches/try2/src/librustc/back/archive.rs

Lines changed: 5 additions & 5 deletions
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,4 @@
1-
// Copyright 2013-2014 The Rust Project Developers. See the COPYRIGHT
1+
// Copyright 2013 The Rust Project Developers. See the COPYRIGHT
22
// file at the top-level directory of this distribution and at
33
// http://rust-lang.org/COPYRIGHT.
44
//
@@ -133,12 +133,12 @@ impl Archive {
133133
run_ar(self.sess, "d", None, [&self.dst, &Path::new(file)]);
134134
}
135135

136-
/// Updates all symbols in the archive (runs 'ar s' over it)
136+
/// Update all symbols in the archive (runs 'ar s' over it)
137137
pub fn update_symbols(&mut self) {
138138
run_ar(self.sess, "s", None, [&self.dst]);
139139
}
140140

141-
/// Lists all files in an archive
141+
/// List all files in an archive
142142
pub fn files(&self) -> ~[~str] {
143143
let output = run_ar(self.sess, "t", None, [&self.dst]);
144144
str::from_utf8(output.output).lines().map(|s| s.to_owned()).collect()
@@ -182,7 +182,7 @@ impl Archive {
182182
let (osprefix, osext) = match self.sess.targ_cfg.os {
183183
abi::OsWin32 => ("", "lib"), _ => ("lib", "a"),
184184
};
185-
// On Windows, static libraries sometimes show up as libfoo.a and other
185+
// On windows, static libraries sometimes show up as libfoo.a and other
186186
// times show up as foo.lib
187187
let oslibname = format!("{}{}.{}", osprefix, name, osext);
188188
let unixlibname = format!("lib{}.a", name);
@@ -228,7 +228,7 @@ impl ArchiveRO {
228228
}
229229
}
230230

231-
/// Reads a file in the archive
231+
/// Read a file in the archive
232232
pub fn read<'a>(&'a self, file: &str) -> Option<&'a [u8]> {
233233
unsafe {
234234
let mut size = 0 as libc::size_t;

0 commit comments

Comments
 (0)