UDP是一种高速,无连接的数据交换方式,他的特点是,即使没有连接到(也不许要连接)接收方也可以封包发送,就像在一个多人使用的步话机环境中,你不知道你的信息是否被需要的人接受到,但是你的信息确实被传递然后消失了,有时候速度比数据完整性重要,在比如视频会议中,丢失几帧画面是可以接受的。但在需要数据安全接受的环境就不适用了。
发送步骤:
- 使用 DatagramSocket(int port) 建立socket(套间字)服务。
- 将数据打包到DatagramPacket中去
- 通过socket服务发送 (send()方法)
- 关闭资源
- import java.io.IOException;
- import java.net.*;
-
- public class Send {
-
- public static void main(String[] args) {
-
- DatagramSocket ds = null;
-
- try {
- ds = new DatagramSocket(8999);
- } catch (SocketException e) {
- System.out.println("Cannot open port!");
- System.exit(1);
- }
-
- byte[] buf= "Hello, I am sender!".getBytes();
- InetAddress destination = null ;
- try {
- destination = InetAddress.getByName("192.168.1.5");
- } catch (UnknownHostException e) {
- System.out.println("Cannot open findhost!");
- System.exit(1);
- }
- DatagramPacket dp =
- new DatagramPacket(buf, buf.length, destination , 10000);
-
-
- try {
- ds.send(dp);
- } catch (IOException e) {
- }
- ds.close();
- }
- }
接收步骤:
- 使用 DatagramSocket(int port) 建立socket(套间字)服务。(我们注意到此服务即可以接收,又可以发送),port指定监视接受端口。
- 定义一个数据包(DatagramPacket),储存接收到的数据,使用其中的方法提取传送的内容
- 通过DatagramSocket 的receive方法将接受到的数据存入上面定义的包中
- 使用DatagramPacket的方法,提取数据。
- 关闭资源。
- import java.net.*;
-
- public class Rec {
-
- public static void main(String[] args) throws Exception {
-
- DatagramSocket ds = new DatagramSocket(10000);
-
- byte[] buf = new byte[1024];
-
- DatagramPacket dp = new DatagramPacket(buf,0,buf.length);
-
- ds.receive(dp);
-
- String data = new String(dp.getData(), 0, dp.getLength());
-
- System.out.println(data);
-
- ds.close();
- }
- }