user2805872
user2805872

Reputation: 183

How to retrieve client and server IP address and port number in Node.js

I tried to search a lot to find a way to know the client and server ip address and port number. So far I found:

  1. Client ip : can be known by req.ip.
  2. Client port : I searched a lot but I couldn't find any way to find this client ephemeral port. After inspecting the req and res objects, I found that sometimes res.connection._peername contains the client ip address and port number. But this is not the reliable way to find the port number because in some request this property is missing. So, what is the correct way to know about the port ?
  3. Server ip : Here I am interested in knowing the external or public ip for the server. I searched a bit for the same and I found this link which uses some external api to retrieve the external ip. Is it the only possible way to find the external IP ? Or are there any other way possible ?
  4. Server port : It can be known with listener.address().port [source] . But can it be known from req or res objects ? Actually I want to know the port number from within the middleware where I have req,res and nextonly( basically app.use(function(req,res,next){...}))).

Upvotes: 18

Views: 31185

Answers (1)

jfriend00
jfriend00

Reputation: 707976

You can get those four values with these properties if you have a direct connection with the client (no proxies in the way):

req.connection.remoteAddress
req.connection.remotePort
req.connection.localAddress
req.connection.localPort

Relevant node.js source code pointer in net.js: https://github.com/nodejs/node/blob/863952ebadd4909a66bb9da7868bf75bbbe1462d/lib/net.js#L608

Note: While you access these as property values, they are technically implemented as getters. You cannot set these properties.


If there is server infrastructure such as load balancers, proxies, etc... in front of your actual server, the above local values may return the local server, not what the actual public IP/port that the client originally connected to. The only way to retrieve the original public IP/port would be if your infrastructure sets the originals as a HTTP headers (which some proxies set IP, don't know if any proxies set port) since they are not present in the current raw TCP connection from the proxy.

For cases where a proxy is involved, you may also want to look at some HTTP headers:

X-Forwarded-For - The IP address of the client before it went through the proxy
X-Forwarded-Port - The port of the client before it went through the proxy

The X-Forwarded headers may also be a comma separated list if it has gone through multiple proxies such as:

X-Forwarded-For: OriginatingClientIPAddress, proxy1-IPAddress, proxy2-IPAddress

There is also a standard header as of RFC 7239 2014:

Forwarded: for=192.0.2.60; proto=http; by=203.0.113.43

Upvotes: 23

Related Questions