看动画,学JavaNIO教程20:什么是 SocketChannel? 前面 我们使用 ServerSocketChannel 创建了一个服务端 但还没有客户端 所以 这一节 我们就来使用 SocketChannel 创建一个客户端 与服务端连接 并完成通信 首先 我们来看一下什么是 SocketChannel SocketChannel 中文直接翻译成“套字节通道” 顾名思义 它是客户端与服务端通信的桥梁 数据都是通过它传输的 服务端通过它 可以向客户端传输数据 客户端通过它 也可以向服务端传输数据 接下来 我们来看看 如何创建 SocketChannel 【注】请观看视频查看具体内容
观看视频
package main;
import java.io.IOException;
import java.net.InetSocketAddress;
import java.nio.ByteBuffer;
import java.nio.channels.ServerSocketChannel;
import java.nio.channels.SocketChannel;
public class Server {
public static void main(String[] args) {
try {
ServerSocketChannel server = ServerSocketChannel.open();
server.bind(new InetSocketAddress(8080));
SocketChannel client = server.accept();
ByteBuffer buffer = ByteBuffer.allocate(1024);
int length = client.read(buffer);
System.out.println(new String(buffer.array(), 0, length));
client.write(ByteBuffer.wrap("你好,客户端!我是服务端!".getBytes()));
client.close();
server.close();
} catch (IOException e) {
e.printStackTrace();
}
}
}
package main;
import java.io.IOException;
import java.net.InetSocketAddress;
import java.nio.ByteBuffer;
import java.nio.channels.SocketChannel;
public class Client {
public static void main(String[] args) {
try {
SocketChannel client = SocketChannel.open();
boolean success = client.connect(new InetSocketAddress("192.168.0.108", 8080));
if (!success) {
System.out.println("连接失败");
return;
}
ByteBuffer buffer = ByteBuffer.allocate(1024);
buffer.put("你好,服务端!我是客户端!".getBytes());
buffer.flip();
client.write(buffer);
buffer.clear();
int length = client.read(buffer);
System.out.println(new String(buffer.array(), 0, length));
client.close();
} catch (IOException e) {
e.printStackTrace();
}
}
}
视频全集
其他教程
代码
|