- Android平台提供了三种网络编程接口可供使用:
1,标准的Java网络接口
2,Httpcilent-Apsche网络接口
3,Android网络接口 - HttpUrlconnection是java提供的访问网络的接口,使用它可以方便地编写网络应用程序。由于该类是一个抽象类,因为需要通过URL对象的openConnection()方法来实列化。
即:
url = new URL("xxx");
HttpURLConnection connection=(HttpURLConnection) url.openConnection();
通过connection对象获得输入输出流,从而完成网络信息交互。
Http协议默认使用GET请求方式,所以发送POST请求,需要设置一些参数。eg:
connection.setRequestMethod("Post"); //设置请求 方式
connection.setDoInput(true);//设置是否允许读、写
connection.setDoOutput(true);//
- 使用HttpCilent访问网络
它对java.net进行的抽象和封装,Get请求被封装为HttpGet,Post请求被封装为HttpPost,服务端的响应被封装为HttpResponse,发送和接收Http报文的实体被封装为HttpEntiy类。
GET请求:
1,通过DefaultHttpClient获得HttpCilent对象HttpClient httpClient=new DefaultHttpClient();
2,创建httpget对象
HttpGet httpGet=new HttpGet(uri);
3,设置请求参数
httpGet.setParams(params);
4,使用HttpCilent对象发送get请求,获得服务器返回的HttpResponse对象
HttpResponse httpResponse=httpClient.execute(httpGet);
通过此对象获得服务器响应报文的httpentity对象,此对象封装了服务器的应答信息HttpEntity httpEntity=httpResponse.getEntity();
若返回内容为字符串,可直接得到
String result=EntityUtils.toString(httpEntity);
5,通过此对象获得输入流
InputStream inputStream=httpEntity.getContent();
POST请求:
HttpClient httpClient=new DefaultHttpClient();
URI uri = null;
HttpPost httpPost=new HttpPost(uri);
List<NameValuePair> parameters=new ArrayList<NameValuePair>();
NameValuePair nameValuePair1=new BasicNameValuePair("username", name);
NameValuePair nameValuePair2=new BasicNameValuePair("password", pass);
parameters.add(nameValuePair1);
parameters.add(nameValuePair2);
HttpEntity entity = new UrlEncodedFormEntity(parameters,HTTP.UTF_8);
httpPost.setEntity(entity);//设置POST请求的参数实体
HttpResponse httpResponse=httpClient.execute(httpPost);
httpResponse.getEntity(); //获取服务器返回的实体数据,同GET方式
- socket编程:端到端的连接
服务端:
1,指定端口实列化一个ServerSocket对象,并指定端口号,用于监听每个端口
ServerSocket serverSocket=new ServerSocket(port);
2,调用其对象的accept()阻塞方法,当监听到连接请求后返回一个socket对象,
Socket socket=serverSocket.accept();
InputStream inputStream=socket.getInputStream();
OutputStream outputStream=socket.getOutputStream();
socket.close() //关闭socket
客户端:
1,通过IP地址和端口实列化一个socket对象
Socket socket=new Socket(ipaddress, dstPort);
同样在得到socket对象后,通过此对象获得输入输出流,从而完成交互
最后关闭流和socket。