在Android中使用NIO的SocketChannel主要包括以下步骤:
import java.io.IOException;
import java.net.InetSocketAddress;
import java.nio.ByteBuffer;
import java.nio.channels.SocketChannel;
import java.nio.channels.SelectionKey;
import java.nio.channels.Selector;
import java.util.Iterator;
你可以通过调用SocketChannel.open()
方法来创建一个新的SocketChannel实例。
SocketChannel socketChannel = SocketChannel.open();
在Android中,默认情况下,所有的网络I/O操作都是阻塞的。但NIO允许你将其配置为非阻塞模式。你可以通过调用configureBlocking(false)
方法来实现这一点。
socketChannel.configureBlocking(false);
使用connect()
方法来连接到远程服务器。请注意,如果此方法是阻塞的,那么你的线程将被挂起,直到连接成功或发生错误。但因为我们已经在非阻塞模式下,所以我们可以检查连接是否已经完成。
InetSocketAddress serverAddress = new InetSocketAddress("www.example.com", 80);
socketChannel.connect(serverAddress);
在Android中,你通常会在一个单独的线程中使用Selector来等待和处理I/O事件。你可以通过调用Selector.open()
方法来创建一个新的Selector实例。然后,你可以使用SocketChannel.register()
方法将你的SocketChannel注册到Selector上,并指定我们感兴趣的事件(在这种情况下是OP_CONNECT和OP_READ)。
Selector selector = Selector.open();
socketChannel.register(selector, SelectionKey.OP_CONNECT | SelectionKey.OP_READ);
在无限循环中,你可以使用Selector.select()
方法来等待事件的发生。当至少有一个通道准备好进行I/O操作时,该方法将返回。然后,你可以使用Selector.selectedKeys()
方法来获取所有准备好的键,并迭代它们以处理每个事件。
while (true) {
int readyChannels = selector.select();
if (readyChannels == 0) continue;
Set<SelectionKey> selectedKeys = selector.selectedKeys();
Iterator<SelectionKey> keyIterator = selectedKeys.iterator();
while (keyIterator.hasNext()) {
SelectionKey key = keyIterator.next();
if (key.isConnectable()) {
// 处理连接事件
if (socketChannel.finishConnect()) {
System.out.println("Connected to server");
} else {
System.out.println("Failed to connect to server");
socketChannel.close();
}
keyIterator.remove();
}
if (key.isReadable()) {
// 处理读取事件
ByteBuffer buffer = ByteBuffer.allocate(1024);
int bytesRead = socketChannel.read(buffer);
if (bytesRead == -1) {
System.out.println("Connection closed by server");
socketChannel.close();
} else {
buffer.flip();
while (buffer.hasRemaining()) {
System.out.print((char) buffer.get());
}
buffer.clear();
}
}
}
}
最后,不要忘记在适当的时候关闭你的SocketChannel和Selector。
socketChannel.close();
selector.close();
请注意,上述代码只是一个基本的示例,并没有处理所有可能的错误情况。在实际应用中,你可能还需要添加额外的错误处理逻辑。