当前位置: 首页>>代码示例 >>用法及示例精选 >>正文


Rust TcpListener.set_nonblocking用法及代码示例


本文简要介绍rust语言中 std::net::TcpListener.set_nonblocking 的用法。

用法

pub fn set_nonblocking(&self, nonblocking: bool) -> Result<()>

将此 TCP 流移入或移出非阻塞模式。

这将导致 accept 操作变为非阻塞,即立即从他们的调用中返回。如果 IO 操作成功,则返回Ok,无需进一步操作。如果 IO 操作无法完成并需要重试,则返回类型为 io::ErrorKind::WouldBlock 的错误。

在 Unix 平台上,调用此方法对应于调用 fcntl FIONBIO 。在 Windows 上调用此方法对应于调用 ioctlsocket FIONBIO

例子

将 TCP 侦听器绑定到地址,侦听连接,并以非阻塞模式读取字节:

use std::io;
use std::net::TcpListener;

let listener = TcpListener::bind("127.0.0.1:7878").unwrap();
listener.set_nonblocking(true).expect("Cannot set non-blocking");

for stream in listener.incoming() {
    match stream {
        Ok(s) => {
            // do something with the TcpStream
            handle_connection(s);
        }
        Err(ref e) if e.kind() == io::ErrorKind::WouldBlock => {
            // wait until network socket is ready, typically implemented
            // via platform-specific APIs such as epoll or IOCP
            wait_for_fd();
            continue;
        }
        Err(e) => panic!("encountered IO error: {}", e),
    }
}

相关用法


注:本文由纯净天空筛选整理自rust-lang.org大神的英文原创作品 std::net::TcpListener.set_nonblocking。非经特殊声明,原始代码版权归原作者所有,本译文未经允许或授权,请勿转载或复制。