近期在对接项目时用到http方式与第三方交互数据,由于中间沟通不足导致走了不少弯路,至此特意花了点时间总结服务端与客户端数据交互的方式,本地搭建两个项目一个作为服务端,一个作为客户端。post可以有两种方式:一种与get一样,将请求参数拼接在url后面,这种服务端就以request.getParameter获取内容;另一种以流的方式写入到http链接中,服务端再从流中读取数据,在HttpURlConnection中分别用到了GET、POST请求方式,HttpClient以及commons-httpClient均以POST请求为例。

服务端代码:

package com.lutongnet.server;

import java.io.BufferedReader;
import java.io.IOException;
import java.io.InputStreamReader;
import java.io.PrintWriter; import javax.servlet.ServletException;
import javax.servlet.annotation.WebServlet;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse; /**
* Servlet implementation class Server_ccy
*/
@WebServlet("/Server_ccy")
public class Server_ccy extends HttpServlet {
private static final long serialVersionUID = 1L; /**
* @see HttpServlet#HttpServlet()
*/
public Server_ccy() {
super();
// TODO Auto-generated constructor stub
}
/**
* @see HttpServlet#doGet(HttpServletRequest request, HttpServletResponse response)
*/
protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
// TODO Auto-generated method stub
response.setContentType("text/html;charset=utf-8");
request.setCharacterEncoding("utf-8");
response.setCharacterEncoding("utf-8");
System.out.println("server-------doGet..start.");
String name = request.getParameter("name");
String password = request.getParameter("password");
System.out.println("server-------params:"+name+":"+password);
System.out.println("server-------doGet..end.");
PrintWriter out = response.getWriter();
out.print("{\"姓名\":\"陈昌圆\"}");
out.flush();
out.close();
//response.getWriter().append("server_get_info:").append("Served at: ").append(request.getContextPath());
}
/**
* @see HttpServlet#doPost(HttpServletRequest request, HttpServletResponse response)
*/
protected void doPost(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
// TODO Auto-generated method stub
//doGet(request, response);
response.setContentType("application/json;charset=utf-8");
request.setCharacterEncoding("utf-8");
response.setCharacterEncoding("utf-8");
System.out.println("server-------doPost..start.");
System.out.println("ContentType---->"+response.getContentType());
System.out.println("queryString---->"+request.getQueryString());
String name = request.getParameter("name");
System.out.println("name---->"+name);
//String password = request.getParameter("password");
//System.out.println("server-------params:"+name+":"+password);
StringBuffer sb = new StringBuffer("");
String str;
BufferedReader br = new BufferedReader(new InputStreamReader(request.getInputStream()));
if((str = br.readLine()) != null){
sb.append(str);
}
System.out.println("从客户端获取的参数:"+sb); System.out.println("server-------doPost..end.");
PrintWriter out = response.getWriter();
out.print("{\"姓名\":\"陈昌圆\"}");
out.flush();
out.close();
} }

客户端代码:

1.HttpURLConnection主要详细分析GET与POST两种请求方式,我们项目中的api就是用的这种

package com.lutongnet.HttpURLConnection;

import java.io.BufferedReader;
import java.io.InputStreamReader;
import java.io.OutputStreamWriter;
import java.net.HttpURLConnection;
import java.net.URL;
import java.util.Date; public class HttpURLConnectionTest { public static void main(String[] args) {
String url = "http://localhost:7373/ccy_server/ccy";
//String params = "name=ccy&password=123";
String params = "{\"name\":\"陈昌圆\",\"password\":\"123\"}";
try {
String result = httpGetOrPost("POST", url, params);
System.out.println("client---result:"+result);
} catch (Exception e) {
// TODO Auto-generated catch block
e.printStackTrace();
} }
public static String httpGetOrPost(String type, String url, String params) throws Exception{
//get请求通过url传参(post可以通过url传参也可以将参数写在http正文传参)
if("GET".equals(type)){
if(url.contains("?")){
url += "&" + params;
}else{
url += "?" + params;
}
}
System.out.println("请求地址:" + url);
System.out.println("请求参数:" + params);
URL u = new URL(url);
/*
* 查看URL API 发现 openConnection方法返回为URLConnection
* HttpURLConnection为URLConnection的子类,有其更多的实现方法,
* 通常将其转型为HttpURLConnection
* */
HttpURLConnection httpConn = (HttpURLConnection) u.openConnection();
//设置请求方式 默认是GET
httpConn.setRequestMethod(type);
//写 默认均为false,GET不需要向HttpURLConnection进行写操作
if("POST".equals(type)){
httpConn.setDoOutput(true);
}
httpConn.setDoInput(true);//读 默认均为true,HttpURLConnection主要是用来获取服务器端数据 肯定要能读
httpConn.setAllowUserInteraction(true);//设置是否允许用户交互 默认为false
httpConn.setUseCaches(false);//设置是否缓存
httpConn.setConnectTimeout(5000);//设置连接超时时间 单位毫秒 ms
httpConn.setReadTimeout(5000);//设置访问超时时间
//setRequestProperty主要设置http请求头里面的相关属性
httpConn.setRequestProperty("user-agent", "Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.31 (KHTML, like Gecko) Chrome/26.0.1410.64 Safari/537.31");
httpConn.setRequestProperty("accept", "*/*");
httpConn.setRequestProperty("Content-Type", "application/json");
//开启连接
httpConn.connect();
//post方式在建立连接后把头文件内容从连接的输出流中写入
if("POST".equals(type)){
//在调用getInputStream()方法中会检查连接是否已经建立,如果没有建立,则会调用connect()
OutputStreamWriter out = new OutputStreamWriter(httpConn.getOutputStream(), "utf-8");
out.write(params);//将数据写入缓冲流
out.flush();//将缓冲区数据发送到接收方
out.close();
}
System.out.println("httpcode:"+httpConn.getResponseCode());
//读取响应,现在开始可以读取服务器反馈的数据
BufferedReader br = new BufferedReader(new InputStreamReader(httpConn.getInputStream(), "utf-8"));
StringBuffer sb = new StringBuffer("");
String str;
while((str = br.readLine()) != null){
sb.append(str);
}
System.out.println(new Date()+"---响应:"+sb);
br.close();
httpConn.disconnect();
return sb.toString();
} }

get请求运行结果

客户端:

服务端:

post请求运行结果

客户端:

服务端:

2.DefaultHttpClient:需要导入三个包,httpclient-4.1.jar,httpcode-4.1.jar,commons-logging-1.1.1.jar,doPost方法是直接可以请求https,doPost2为的http方式,日后若有需要对接第三方接口需要https协议可以参考doPost方法

package com.lutongnet.HttpClient;

import java.security.cert.CertificateException;
public class HttpClientDemo { public static void main(String[] args) {
HttpClientDemo hct = new HttpClientDemo();
String url = "http://localhost:7373/ccy_server/ccy";
Map<String, String> map = new HashMap<String, String>();
map.put("name", "ccy");
map.put("password", "123");
String charset = "utf-8";
String result = hct.doPost(url, map, charset);
System.out.println("1.获取服务器端数据为:"+result);
String params = "{\"name\":\"陈昌圆\",\"password\":\"123\"}";
String result2 = hct.doPost2(url, params);
System.out.println("2.获取服务器端数据为:"+result2);
}
public String doPost2(String url, String content) {
System.out.println("请求地址:" + url);
System.out.println("请求参数:" + content);
String charsetName = "utf-8";
DefaultHttpClient httpclient = null;
HttpPost post = null;
try {
httpclient = new DefaultHttpClient();
post = new HttpPost(url);
post.setHeader("Content-Type", "application/json;charset=" + charsetName);
post.setEntity(new StringEntity(content, charsetName));
HttpResponse response = httpclient.execute(post);
HttpEntity entity = response.getEntity();
String rsp = EntityUtils.toString(entity, charsetName);
System.out.println("返回参数: "+rsp);
return rsp;
} catch (Exception e) {
throw new RuntimeException(e);
} finally {
try {
httpclient.getConnectionManager().shutdown();
} catch (Exception ignore) {}
} }
public String doPost(String url,Map<String,String> map,String charset){
HttpClient httpClient = null;
HttpPost httpPost = null;
String result = null;
try{
httpClient = new SSLClient();
httpPost = new HttpPost(url);
//设置参数
List<NameValuePair> list = new ArrayList<NameValuePair>();
Iterator iterator = map.entrySet().iterator();
while(iterator.hasNext()){
Entry<String,String> elem = (Entry<String, String>) iterator.next();
list.add(new BasicNameValuePair(elem.getKey(),elem.getValue()));
}
if(list.size() > 0){
UrlEncodedFormEntity entity = new UrlEncodedFormEntity(list,charset);
httpPost.setEntity(entity);
}
HttpResponse response = httpClient.execute(httpPost);
if(response != null){
HttpEntity resEntity = response.getEntity();
if(resEntity != null){
result = EntityUtils.toString(resEntity,charset);
}
}
}catch(Exception ex){
ex.printStackTrace();
}
return result;
}
class SSLClient extends DefaultHttpClient{
public SSLClient() throws Exception{
super();
SSLContext ctx = SSLContext.getInstance("TLS");
X509TrustManager tm = new X509TrustManager() {
@Override
public void checkClientTrusted(X509Certificate[] chain,
String authType) throws CertificateException {
}
@Override
public void checkServerTrusted(X509Certificate[] chain,
String authType) throws CertificateException {
}
@Override
public X509Certificate[] getAcceptedIssuers() {
return null;
}
};
ctx.init(null, new TrustManager[]{tm}, null);
SSLSocketFactory ssf = new SSLSocketFactory(ctx,SSLSocketFactory.ALLOW_ALL_HOSTNAME_VERIFIER);
ClientConnectionManager ccm = this.getConnectionManager();
SchemeRegistry sr = ccm.getSchemeRegistry();
sr.register(new Scheme("https", 443, (SchemeSocketFactory) ssf));
}
}
}

post请求运行结果

客户端:

服务端:

3.commons-httpclient需要导入两个包,commons-httpclient-3.0.jar,commons-codec-1.7.jar,这种方式是最简洁的,前后不到10行代码就解决了,不过需要注意的是设置正文编码,5种方式都可行,这种将参数拼接在http正文中,在服务端可以利用request.getParameter()方法获取参数,也可以用request.getInputStream()流的方式获取参数(这种方式如果参数中有中文的话,暂时没有找到解决乱码的方法)

package com.lutongnet.commonHttpclient;

import java.util.ArrayList;
import java.util.List; import org.apache.commons.httpclient.HttpClient;
import org.apache.commons.httpclient.methods.PostMethod;
import org.apache.commons.httpclient.params.HttpMethodParams; public class CommonHttpClient {
public static void main(String[] args) {
String url = "http://localhost:7373/ccy_server/ccy";
List<String> params = new ArrayList<String>();
params.add("陳昌圓");
params.add("123");
CommonHttpClient chc = new CommonHttpClient();
String result = chc.getPostMethod(url, params);
System.out.println("commonHttpClient---->从服务端获取的数据:" + result);
}
private String getPostMethod(String url, List<String> params) {
String result = null;
HttpClient httpClient = new HttpClient();
PostMethod postMethod = new PostMethod(url);
//httpClient.getParams().setContentCharset("utf-8");
//httpClient.getParams().setParameter(HttpMethodParams.HTTP_CONTENT_CHARSET, "utf-8");
//postMethod.addRequestHeader("Content-type","application/x-www-form-urlencoded; charset=UTF-8");
//postMethod.addRequestHeader("Content-Type", PostMethod.FORM_URL_ENCODED_CONTENT_TYPE
// + "; charset=utf-8");
postMethod.getParams().setParameter(HttpMethodParams.HTTP_CONTENT_CHARSET,
"utf-8");
postMethod.addParameter("name", params.get(0));
postMethod.addParameter("password", params.get(1));
try {
httpClient.executeMethod(postMethod);
result = postMethod.getResponseBodyAsString();
System.out.println("result:" + result);
} catch (Exception e) {
e.printStackTrace();
}
return result;
}
/*class ccyPostMethod extends PostMethod {
public ccyPostMethod(String url) {
super(url);
} @Override
public String getRequestCharSet() {
return "utf-8";
}
}*/ }

post请求运行结果

客户端:

服务端:

Web服务器与客户端三种http交互方式的更多相关文章

  1. python web编程-CGI帮助web服务器处理客户端编程

    这几篇博客均来自python核心编程 如果你有任何疑问,欢迎联系我或者仔细查看这本书的地20章 另外推荐下这本书,希望对学习python的同学有所帮助 概念预热 eb客户端通过url请求web服务器里 ...

  2. Tomcat、Apache、IIS这三种Web服务器来讲述3种搭建JSP运行环境的方法

    一.相关软件介绍 1. J2SDK:Java2的软件开发工具,是Java应用程序的基础.JSP是基于Java技术的,所以配置JSP环境之前必须要安装J2SDK. 2. Apache服务器:Apache ...

  3. Java Web开发Tomcat中三种部署项目的方法

    第一种方法:在tomcat中的conf目录中,在server.xml中的,<host/>节点中添加: <Context path="/hello" docBase ...

  4. WebService学习整理(一)——客户端三种调用方式整理

    1 WebService基础 1.1 作用 1,       WebService是两个系统的远程调用,使两个系统进行数据交互,如应用: 天气预报服务.银行ATM取款.使用邮箱账号登录各网站等. 2, ...

  5. nginx反向代理后端web服务器记录客户端ip地址

    nginx在做反向代理的时候,后端的nginx web服务器log中记录的地址都是反向代理服务器的地址,无法查看客户端访问的真实ip. 在反向代理服务器的nginx.conf配置文件中进行配置. lo ...

  6. [Web 前端] 006 css 三种页面引入的方法

    1. 外链式 用法 step 1: 在 html 文档的 head 头部分写入下方这句话 <link rel="stylesheet" href="./xxx.cs ...

  7. 如何搭建一个WEB服务器项目(三)—— 实现安卓端联网登录

    安卓端调用服务器登录函数进行验证登录 观前提示:本系列文章有关服务器以及后端程序这些概念,我写的全是自己的理解,并不一定正确,希望不要误人子弟.欢迎各位大佬来评论区提出问题或者是指出错误,分享宝贵经验 ...

  8. python一个简单的web服务器和客户端

    服务器:      当客户联系时创建一个连接套接字      从这个连接接收HTTP请求(*)      解释该请求所请求的特定文件      从服务器的文件系统获取该文件      并发送文件内容 ...

  9. redis数据库服务器开启的三种方式

    redis的启动方式1.直接启动  进入redis根目录,执行命令:  #加上‘&’号使redis以后台程序方式运行 1 ./redis-server & 2.通过指定配置文件启动  ...

随机推荐

  1. unigui的ServerModule常用属性设置

    unigui的ServerModule常用属性设置 1)压缩设置 compression是压缩数据用的.默认启用压缩,且压缩级别是最大的. 2)UNIGUI运行时库设置 UNIGUI需要4个运行时库, ...

  2. Caffe + Ubuntu 14.04 64bit + CUDA 6.5 配置说明2

    1. 安装build-essentials 安装开发所需要的一些基本包 sudo apt-get install build-essential 2. 安装NVIDIA驱动 (3.4.0) 2.1 准 ...

  3. min cost max flow算法示例

    问题描述 给定g个group,n个id,n<=g.我们将为每个group分配一个id(各个group的id不同).但是每个group分配id需要付出不同的代价cost,需要求解最优的id分配方案 ...

  4. MySQL--REPALCE INTO操作

    REPLACE INTO语法是MySQL数据库独特的扩展语法,可以提供“不存在即插入,存在即更新”的操作,MySQL官方文档解析其算法为: 1.尝试进行INSER 操作 2.如果INSERT 失败,则 ...

  5. Tomcat在Linux下的安装

    按部就班的把 tomcat 上传到 Linux 我创建了一个文件夹用作存放解压文件 ( tomcat只要解压就可以使用 ) 解压  :  tar -xvf apache-tomcat-7.0.52.t ...

  6. 第十三章 ReentrantLock 简介

    Java 5.0 提供的新的加锁机制:当内置加锁机制不适合时 , 作为一种可选择的高级功能 一个可重入的互斥锁 Lock,它具有与使用 synchronized 方法和语句所访问的隐式监视器锁相同的一 ...

  7. Swift 里 Set(一)辅助类型

    _UnsafeBitset  是一个固定大小的 bitmap,用来确定指定位置是否有元素存在. HashTable  具体的 hash 碰撞算法在HashTable里实现,目前使用的是简单的开放地 ...

  8. mybatis使用中的记录

    一: 常用sql语句: sql顺序:select [distinct] * from 表名 [where group by having order by limit]; 查询某段时间内的数据:    ...

  9. FastDFD安装遇到的问题

    如果按照步骤安装最后却发现 sudo service fdfs_trackerd start 启动不了,那么重启一下虚拟机就可以了

  10. vue-cli项目配置文件分析

    最近在vue-cli生成的webpack模板项目的基础上开发了一些项目,开发过程中遇到很多坑,并且需要改动build和config里面一些相关的配置,查阅,学习,总结,分享. 一.配置文件结构 本文主 ...