This compiles:
use std::num::pow;
pub fn main() {
let (tx, rx): (Sender<u64>, Receiver<u64>) = channel();
let square_tx = tx.clone();
let square = proc() {
let mut x = 1u;
loop {
square_tx.send(pow(2u64, x));
x += 1;
}
};
let printer = proc() {
loop { println!("Received: {}", rx.recv()); }
};
spawn(square);
spawn(printer);
}
But if I comment out spawn(square)
, the following error is raised:
error: unable to infer enough type information about `_`; type annotations required
let square = proc() {
^
What is special about spawn()
such that the type information of a proc()
cannot be inferred without spawning?
spawn
takes aproc()
i.e. a procedure with no arguments and return value()
, so the compiler can infer thatsquare
must have that type for the program to be valid.The last expression in the
proc
isloop {}
, without abreak
orreturn
, so the compiler can see that the closure never returns properly. That is, it can pretend to have a return value of any type. Since the return type is unrestricted, the compiler has no way to tell which one is wanted and so complains.It is possible to see similar behaviour with just a plain
loop {}
.playpen
(The same thing happens with anything that the compiler can tell doesn't let control flow continue, e.g.
let x = panic!();
,let x = return;
.)Uncommenting one of the
y
lines will let the program compile.