根據HttpServletRequest獲取使用者真實IP地址
阿新 • • 發佈:2019-01-04
原因:
當我們通過request獲取客戶端IP時,自身伺服器通常會為了保護資訊或者負載均衡的目的,對自身伺服器做反向代理。此時如果我們通過request.getRemoteAddr();可能獲取到的是自身代理伺服器的IP,而無法達到獲取使用者請求ip的目的。
解決辦法:
以下整理了各個代理伺服器自己開發的轉發服務請求頭,這些請求頭都不是標準的http請求頭,不一定所有的代理都會帶上這些請求頭,所以通過這方式只能儘可能的獲取到真實ip,但不能保證一定可以獲取到真實ip,而且代理伺服器請求頭中獲取的ip是可偽造的。
引數:
X-Forwarded-For:Squid 服務代理
Proxy-Client-IP:apache 服務代理
WL-Proxy-Client-IP:weblogic 服務代理
HTTP_CLIENT_IP:有些代理伺服器
X-Real-IP:nginx服務代理
public static String getIPAddress(HttpServletRequest request) { String ip = null; //X-Forwarded-For:Squid 服務代理 String ipAddresses = request.getHeader("X-Forwarded-For"); if (ipAddresses == null || ipAddresses.length() == 0 || "unknown".equalsIgnoreCase(ipAddresses)) { //Proxy-Client-IP:apache 服務代理 ipAddresses = request.getHeader("Proxy-Client-IP"); } if (ipAddresses == null || ipAddresses.length() == 0 || "unknown".equalsIgnoreCase(ipAddresses)) { //WL-Proxy-Client-IP:weblogic 服務代理 ipAddresses = request.getHeader("WL-Proxy-Client-IP"); } if (ipAddresses == null || ipAddresses.length() == 0 || "unknown".equalsIgnoreCase(ipAddresses)) { //HTTP_CLIENT_IP:有些代理伺服器 ipAddresses = request.getHeader("HTTP_CLIENT_IP"); } if (ipAddresses == null || ipAddresses.length() == 0 || "unknown".equalsIgnoreCase(ipAddresses)) { //X-Real-IP:nginx服務代理 ipAddresses = request.getHeader("X-Real-IP"); } //有些網路通過多層代理,那麼獲取到的ip就會有多個,一般都是通過逗號(,)分割開來,並且第一個ip為客戶端的真實IP if (ipAddresses != null && ipAddresses.length() != 0) { ip = ipAddresses.split(",")[0]; } //還是不能獲取到,最後再通過request.getRemoteAddr();獲取 if (ip == null || ip.length() == 0 || "unknown".equalsIgnoreCase(ipAddresses)) { ip = request.getRemoteAddr(); } return ip; }