在jsp里,获取客户端的ip地址的方法是:request.getremoteaddr() ,这种方法在大部分情况下都是有效的。但是在通过了apache,squid等反向代理软件就不能获取到客户端的真实ip地址了。
如果使用了反向代理软件,将http://192.168.1.110:2046/ 的url反向代理为www.xxx.com/ 的url时,用request.getremoteaddr() 方法获取的ip地址是:127.0.0.1 或 192.168.1.110 ,而并不是客户端的真实ip。
经过代理以后,由于在客户端和服务之间增加了中间层,因此服务器无法直接拿到客户端的ip,服务器端应用也无法直接通过转发请求的地址返回给客户端。但是在转发请求的http头信息中,增加了x-forwarded-for信息。用以跟踪原有的客户端ip地址和原来客户端请求的服务器地址。当我们访问http://www.xxx.com/index.jsp/ 时,其实并不是我们浏览器真正访问到了服务器上的index.jsp文件,而是先由代理服务器去访问http://192.168.1.110:2046/index.jsp ,代理服务器再将访问到的结果返回给我们的浏览器,因为是代理服务器去访问index.jsp的,所以index.jsp中通过request.getremoteaddr() 的方法获取的ip实际上是代理服务器的地址,并不是客户端的ip地址。
于是可得出获得客户端真实ip地址的方法一:
public string getremortip(httpservletrequest request) { if (request.getheader("x-forwarded-for") == null) { return request.getremoteaddr(); } return request.getheader("x-forwarded-for"); }
可是当我访问www.xxx.com/index.jsp/ 时,返回的ip地址始终是unknown,也并不是如上所示的127.0.0.1 或 192.168.1.110 了,而我访问http://192.168.1.110:2046/index.jsp 时,则能返回客户端的真实ip地址,写了个方法去验证。原因出在了squid上。squid.conf 的配制文件 forwarded_for 项默认是为on,如果 forwarded_for 设成了 off 则:x-forwarded-for: unknown
于是可得出获得客户端真实ip地址的方法二:
public string getremotehost(javax.servlet.http.httpservletrequest request){ string ip = request.getheader("x-forwarded-for"); if(ip == null || ip.length() == 0 || "unknown".equalsignorecase(ip)){ ip = request.getheader("proxy-client-ip"); } if(ip == null || ip.length() == 0 || "unknown".equalsignorecase(ip)){ ip = request.getheader("wl-proxy-client-ip"); } if(ip == null || ip.length() == 0 || "unknown".equalsignorecase(ip)){ ip = request.getremoteaddr(); } return ip.equals("0:0:0:0:0:0:0:1")?"127.0.0.1":ip; }
【相关推荐】
1. 分享一个request对象小案例
2. java中valueof和tostring,(string)之间的区别
3. 分享asp中request对象五个获取客户端资料的方法
4. 详解asp.net 系统对象之request
以上就是详解java根据request获取客户端ip的方法的详细内容。
