npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

utp-punch

v1.0.1

Published

UTP over UDP with NAT hole punching

Downloads

88

Readme

utp-punch

When you need to transmit data over UDP you face its limitations: data must be transmitted in small chunks to fit in the MTU, packets could be lost with no notification, come duplicated or in the wrong order.

uTP (micro transport protocol) was invented by torrent people to safely transmit files over UDP. Basically, it adds TCP features to UDP: lost packets are automatically retransmitted, the order is guaranteed, duplicates rejected.

This library implements uTP over UDP so when connected you receive a socket object which behaves much like a Node.js tcp socket. It emits 'data' when receiving data, it has .write() method for you to send a Buffer. Much like TCP socket, this is a Node.js stream.

The library, however, might not be compatible with other uTP implementations (so you need to use this very same library on both the peers) because it adds the following feature: the same instance of a class can be used both as a server and a client at the same time on the same port. So you can create a Node, bind it to a port and at the same time start listening for incoming connections and also make outgoing connections from it.

General usage example

npm install --save utp-punch
const Node = require('utp-punch');

let server = new Node(socket => {
  console.log('server: socket connected');
  socket.on('data', data => {
    console.log(`server: received '${data.toString()}'`);
    socket.write('world');
    socket.end();
  });
  socket.on('end', () => {
    console.log('server: socket disconnected');
    server.close(); // this is how you terminate node
  });
});
server.bind(20000, '127.0.0.1'); // bind to port 20000
server.listen( // run
  () => console.log('server: ready')
);

let client = new Node();
client.bind(); // bind to any port
client.connect(20000, '127.0.0.1', socket => {
  console.log('client: socket connected');
  socket.on('data', data => console.log(`client: received '${data.toString()}'`));
  socket.on('end', () => {
    console.log('client: socket disconnected');
    client.close(); // this is how you terminate node
  });
  socket.write('hello');
});

UDP hole punching

Another technique which is used here is UDP hole punching.

When server and/or client are behind NAT they normally do not have an Internet IP address to bind to in order to receive incoming connections.

UDP hole punching tricks firewalls into opening a temporary hole for its user, so a port on the NAT device becomes bound to the port of the server/client inside the LAN.

In order for it to work both server and client must use a third-party server to find out each other's NATed IP addresses and to coordinate punching attempt (it must be done simultaneously on the server and on the client).

But when the connection is established the third-party server is no longer needed and it is never used as a relay, all the data is transmitted directly between this NATed server and client.

UDP hole punching example

const Node = require('utp-punch');

let server = new Node();
server.bind(20000);

let client = new Node();
client.bind(30000); // client needs dedicated port
                    // just as the server

// both server and client must contact a third party server
// which will report their peer NATed address and port to them

let serverAddress, serverPort;
let clientAddress, clientPort;

// up to ten punches:
server.punch(10, clientPort, clientAddress, success => {
  // if success is true hole is punched from our side
  // nothing to do here as the client will try
  // to connect normally when he is also successful
});

client.punch(10, serverPort, serverAddress, success => {
  if (success) {
  client.connect(serverPort, serverAddress, socket => {
    // if the server had also been successful in punching
    // this will succeed
  });
  client.on('timeout', () => {
    // if the server had failed in punching we won't be
    // able to connect
  });
  }
});

Please see the complete hole punching example in example/ directory.

Node class

The same class can be used as a server or as a client, the syntax is following:

new Node([options,][onconnection]);

options is the following:

{
  bufferSize: 64, // number of packets
  mtu: 1000, // bytes excluding uTP header
  timeout: 5000, // ms
  resend: 100, // ms
  keepAlive: 1000, // ms
}

onConnection will be passed single argument - the socket. This is server's incoming connections

.maxConnections

Getter for maximum number of connections the Node can handle

.serverConnections

Getter for the number of incoming connections

.clientConnections

Getter for the number of outgoing connections

.getUdpSocket()

Returns standard Node.js UDP socket which is used under the hood.

.address()

Bound address of the socket (the same as in Node.js UDP .address())

.bind([port,][host,] [onBound])

Bind to host:port and execute onBound when done

.punch(attempts, port, [host,][callback])

Start punching attempts to the host:port and run callback when either successful or no attempts are left. Success or failure is passed to the callback as the first, boolean parameter

.listen([onListening])

Turn this Node into a server and execute this callback when ready to accept incoming connections

.connect(port, [host,][onconnect])

Connect to a server Node on host:port and execute callback with the socket object as the single parameter

.close([onClose])

Terminate all connections and the Node, run callback.

Socket object

Socket object passed to Node constructor and .connect() callbacks is a stream emitting 'data' when receiving data. It has the usual methods: .write(), .end(), etc.

Credits

Original 'utp' library was created by @mafintosh in https://github.com/mafintosh/utp. This is a rewrite in modern JavaScript with bug fixing and additional features including use as a server and a client simultaneously on the same port and UDP hole punching support.