网络编程
TCP:三次握手,效率不高,但很稳
UDP:效率高,但不安全,可能丢包
IP:指互联网协议地址,给一个网络中的计算机设备作唯一编号
端口号:计算机上的网络软件都会占用一个端口号(指定或随机)(0-65535之间)(1024以前已经被使用)
Socket
TCP通信的客户端向服务器发送连接请求,给服务器发送数据,读取服务器回写的数据表示客户端的类:java.net.Socket:此类实现客户端套接字,套接字是两台机器间通信的断点套接字:包含了ip地址和端口号的网络单位构造函数:public Socket()public Socket(Proxy proxy)public Socket(String host, int port)public Socket(InetAddress address, int port)…太多了,自己go to去看参数:String host:服务器主机的名称,也可以传递服务器主机的ip地址int port:服务器的端口号
**成员方法:public OutputStream getOutputStream()返回此套接字的输出流public InputStream getInputStream()返回此套接字的输入流close()关闭此套接字
实现步骤:1.创建一个客户端对象,构造方法中绑定服务器的ip地址和端口号2.使用Socket对象中的方法getOutputStream()获取网络字节输出流OutputStream对象3.使用网络字节输出流OutputStream对象的方法write方法给服务器发送数据4.使用Socket对象中的方法getInputStream()获取网络字节输入流InputStream对象5.使用网络字节输入流InputStream对象中的方法read,读取服务器回写的数据6.释放资源,关(Socket)
注意事项:1.客户端和服务器进行交互,必须使用Socket中提供的网络流,不能使用自己创建的流对象2.创建客户端对象Socket的时候,就会去请求服务器,经过3次握手建立连接通路,这时如果服务器没有启动,那么就会抛出异常,如果服务器已经启动,就会交互
ServerSocket
TCP通信的服务器端:接收客户端的请求,读取客户端发送的数据,给客户端回写数据表示服务器的类:java.net.ServerSocket:此类实现服务器套接字构造方法:public ServerSocket(int port)带端口号的构造方法,方便客户端找到服务器必须明确一件事情,必须的知道是哪一个客户端请求的服务器所以可以使用accept方法获取到请求的对象Socket参数:int port:服务器的端口号public Socket accept()服务器的实现步骤:1.创建服务器ServerSocket对象和系统要指定的端口号2.使用ServerSocket对象中的方法accept获取到请求的对象Socket3.使用Socket对象中的方法getInputStream()获取网络字节输入流InputStream对象4.使用网络字节输入流InputStream对象中的方法read读取客户端发送的数据5.使用Socket对象中的方法getOutputStream()获取网络字节输出流OutputStream对象6.使用网络字节输出流OutputStream对象的方法write给客户端回写数据7.释放资源关(Socket,ServerSocket)
文件上传案例
//服务端public class Demo04TCPServer {public static void main(String[] args) throws IOException {ServerSocket ss = new ServerSocket(8888);while (true){Socket soc = ss.accept();InputStream is = soc.getInputStream();File file = new File("G:\\图片素材\\java");if(!file.exists()){file.mkdir();}String filenaem = "itcast"+System.currentTimeMillis()+new Random().nextInt(99999)+".jpg";FileOutputStream fos = new FileOutputStream(file+"\\"+filenaem);int len = 0;byte[] bets = new byte[1024];while ((len = is.read(bets))!=-1){fos.write(bets,0,len);}soc.getOutputStream().write("上传成功".getBytes());fos.close();soc.close();}//客户端public class Demo03Test {public static void main(String[] args) throws IOException {FileInputStream fis = new FileInputStream("c:\\1.jpg");Socket so = new Socket("127.0.0.1",8888);OutputStream os = so.getOutputStream();int len = 0;byte[] bets = new byte[1024];while ((len = fis.read(bets))!=-1){os.write(bets,0,len);}so.shutdownOutput();InputStream is = so.getInputStream();while ((len = is.read(bets))!=-1){System.out.println(new String(bets,0,len));}fis.close();so.close();}【文章转自:日本站群服务器 http://www.558idc.com/japzq.html处的文章,转载请说明出处】