接收端:
package cn.itcast.net.p2.udp;
import java.io.IOException;
import java.net.DatagramPacket;
import java.net.DatagramSocket;
public class UDPReceDemo2 {
/**
* @param args
* @throws IOException
*/
public static void main(String[] args) throws IOException {
System.out.println("接收端啟動......");
/*
* 建立UDP接收端的思路。
* 1,建立udp socket服務,因為是要接收資料,必須要明確一個埠號。
* 2,建立資料包,用於儲存接收到的資料。方便用資料包物件的方法解析這些資料.
* 3,使用socket服務的receive方法將接收的資料儲存到資料包中。
* 4,通過資料包的方法解析資料包中的資料。
* 5,關閉資源
*/
//1,建立udp socket服務。
DatagramSocket ds = new DatagramSocket(10000);
while(true){
//2,建立資料包。
byte[] buf = new byte[1024];
DatagramPacket dp = new DatagramPacket(buf,buf.length);
//3,使用接收方法將資料儲存到資料包中。
ds.receive(dp);//阻塞式的。
//4,通過資料包物件的方法,解析其中的資料,比如,地址,埠,資料內容。
String ip = dp.getAddress().getHostAddress();
int port = dp.getPort();
String text = new String(dp.getData(),0,dp.getLength());
System.out.println(ip+":"+port+":"+text);
}
//5,關閉資源。
// ds.close();
}
}
傳送端:
package cn.itcast.net.p2.udp;
import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.net.DatagramPacket;
import java.net.DatagramSocket;
import java.net.InetAddress;
public class UDPSendDemo2 {
/**
* @param args
* @throws IOException
*/
public static void main(String[] args) throws IOException {
System.out.println("傳送端啟動......");
/*
* 建立UDP傳輸的傳送端。
* 思路:
* 1,建立udp的socket服務。
* 2,將要傳送的資料封裝到資料包中。
* 3,通過udp的socket服務將資料包傳送出去。
* 4,關閉socket服務。
*/
//1,udpsocket服務。使用DatagramSocket物件。
DatagramSocket ds = new DatagramSocket(8888);
// String str = "udp傳輸演示:哥們來了!";
BufferedReader bufr = new BufferedReader(new InputStreamReader(System.in));
String line = null;
while((line=bufr.readLine())!=null){
byte[] buf = line.getBytes();
DatagramPacket dp =
new DatagramPacket(buf,buf.length,InetAddress.getByName("192.168.1.100"),10000);
ds.send(dp);
if("886".equals(line))
break;
}
//4,關閉資源。
ds.close();
}
}