mirror of
https://github.com/tokio-rs/tokio.git
synced 2025-09-28 12:10:37 +00:00

Renamed APIs * Loop => reactor::Core * LoopHandle => reactor::Handle * LoopPin => reactor::Pinned * TcpStream => net::TcpStream * TcpListener => net::TcpListener * UdpSocket => net::UdpSocket * Sender => channel::Sender * Receiver => channel::Receiver * Timeout => reactor::Timeout * ReadinessStream => reactor::PollEvented * All `LoopHandle` methods to construct objects are now free functions on the associated types, e.g. `LoopHandle::tcp_listen` is now `TcpListener::bind` * All APIs taking a `Handle` now take a `Handle` as the last argument * All future-returning APIs now return concrete types instead of trait objects Added APIs * io::Io trait -- Read + Write + ability to poll Removed without replacement: * AddSource * AddTimeout * IoToken * TimeoutToken Closes #3 Closes #6
66 lines
1.7 KiB
Rust
66 lines
1.7 KiB
Rust
extern crate futures;
|
|
extern crate tokio_core;
|
|
extern crate env_logger;
|
|
|
|
use std::net::TcpStream;
|
|
use std::thread;
|
|
use std::io::{Read, Write, BufReader, BufWriter};
|
|
|
|
use futures::Future;
|
|
use futures::stream::Stream;
|
|
use tokio_core::io::copy;
|
|
use tokio_core::net::TcpListener;
|
|
use tokio_core::reactor::Core;
|
|
|
|
macro_rules! t {
|
|
($e:expr) => (match $e {
|
|
Ok(e) => e,
|
|
Err(e) => panic!("{} failed with {:?}", stringify!($e), e),
|
|
})
|
|
}
|
|
|
|
#[test]
|
|
fn echo_server() {
|
|
const N: usize = 1024;
|
|
drop(env_logger::init());
|
|
|
|
let mut l = t!(Core::new());
|
|
let srv = TcpListener::bind(&t!("127.0.0.1:0".parse()), &l.handle());
|
|
let srv = t!(l.run(srv));
|
|
let addr = t!(srv.local_addr());
|
|
|
|
let msg = "foo bar baz";
|
|
let t = thread::spawn(move || {
|
|
let mut s = t!(TcpStream::connect(&addr));
|
|
|
|
let t2 = thread::spawn(move || {
|
|
let mut s = t!(TcpStream::connect(&addr));
|
|
let mut b = vec![0; msg.len() * N];
|
|
t!(s.read_exact(&mut b));
|
|
b
|
|
});
|
|
|
|
let mut expected = Vec::<u8>::new();
|
|
for _i in 0..N {
|
|
expected.extend(msg.as_bytes());
|
|
assert_eq!(t!(s.write(msg.as_bytes())), msg.len());
|
|
}
|
|
(expected, t2)
|
|
});
|
|
|
|
let clients = srv.incoming().take(2).map(|e| e.0).collect();
|
|
let copied = clients.and_then(|clients| {
|
|
let mut clients = clients.into_iter();
|
|
let a = BufReader::new(clients.next().unwrap());
|
|
let b = BufWriter::new(clients.next().unwrap());
|
|
copy(a, b)
|
|
});
|
|
|
|
let amt = t!(l.run(copied));
|
|
let (expected, t2) = t.join().unwrap();
|
|
let actual = t2.join().unwrap();
|
|
|
|
assert!(expected == actual);
|
|
assert_eq!(amt, msg.len() as u64 * 1024);
|
|
}
|