欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

Java中使用HttpRequest获取用户真实IP地址

程序员文章站 2022-05-28 18:29:52
在jsp里,获取客户端的ip地址的方法是:request.getremoteaddr(),这种方法在大部分情况下都是有效的。但是在通过了apache,squid,nginx...

在jsp里,获取客户端的ip地址的方法是:request.getremoteaddr(),这种方法在大部分情况下都是有效的。但是在通过了apache,squid,nginx等反向代理软件就不能获取到客户端的真实ip地址了。

如果使用了反向代理软件,将:2046/ 的url反向代理为 / 的url时,用request.getremoteaddr()方法获取的ip地址是:127.0.0.1 或 192.168.1.110,而并不是客户端的真实ip。

经过代理以后,由于在客户端和服务之间增加了中间层,因此服务器无法直接拿到客户端的ip,服务器端应用也无法直接通过转发请求的地址返回给客户端。但是在转发请求的http头信息中,增加了x-forwarded-for信息。用以跟踪原有的客户端ip地址和原来客户端请求的服务器地址。当我们访问 /index.jsp/ 时,其实并不是我们浏览器真正访问到了服务器上的index.jsp文件,而是先由代理服务器去访问:2046/index.jsp ,代理服务器再将访问到的结果返回给我们的浏览器,因为是代理服务器去访问index.jsp的,所以index.jsp中通过request.getremoteaddr()的方法获取的ip实际上是代理服务器的地址,并不是客户端的ip地址。

package com.rapido.utils; 
 
import javax.servlet.http.httpservletrequest; 
 
/** 
 * 自定义访问对象工具类 
 * 
 * 获取对象的ip地址等信息 
 * @author x-rapido 
 * 
 */ 
public class cusaccessobjectutil { 
 
  /** 
   * 获取用户真实ip地址,不使用request.getremoteaddr();的原因是有可能用户使用了代理软件方式避免真实ip地址, 
   * 
   * 可是,如果通过了多级反向代理的话,x-forwarded-for的值并不止一个,而是一串ip值,究竟哪个才是真正的用户端的真实ip呢? 
   * 答案是取x-forwarded-for中第一个非unknown的有效ip字符串。 
   * 
   * 如:x-forwarded-for:192.168.1.110, 192.168.1.120, 192.168.1.130, 
   * 192.168.1.100 
   * 
   * 用户真实ip为: 192.168.1.110 
   * 
   * @param request 
   * @return 
   */ 
  public static string getipaddress(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.getheader("http_client_ip"); 
    } 
    if (ip == null || ip.length() == 0 || "unknown".equalsignorecase(ip)) { 
      ip = request.getheader("http_x_forwarded_for"); 
    } 
    if (ip == null || ip.length() == 0 || "unknown".equalsignorecase(ip)) { 
      ip = request.getremoteaddr(); 
    } 
    return ip; 
  } 
   
}