🛰️ What's Unport?
Unport is a fully type-inferred IPC (Inter-Process Communication) library. It ensures robust and reliable cross-context communication with strict type checking, enhancing the predictability and stability of your application.
Port = f(types, channel)Unport is designed to simplify the complexity revolving around various JSContext environments. These environments encompass a wide range of technologies, including Node.js, ChildProcess, Webview, Web Worker, worker_threads, WebSocket, iframe, MessageChannel, ServiceWorker, and much more.
Each of these JSContexts exhibits distinct methods of communicating with the external world. Still, the lack of defined types can make handling the code for complex projects an arduous task. In the context of intricate and large-scale projects, it's often challenging to track the message's trajectory and comprehend the fields that the recipient necessitates.
- 🛰️ What's Unport?
- 💡 Features
- 🛠️ Install
- ⚡️ Quick Start
- 📖 Basic Concepts
- 📚 API Reference
- 🤝 Contributing
- 🤝 Credits
- LICENSE
💡 Features
- Provides a unified Port paradigm. You only need to define the message types (MessageDefinition) and Intermediate communication channel (Channel) that different JSContexts need to pass, and you will get a unified type of Port:
- 100% type inference. Users only need to maintain the message types between JSContexts, and leave the rest to unport.
- Lightweight size and succinct API.

🛠️ Install
npm i unport -S⚡️ Quick Start
Let's take ChildProcess as an example to implement a process of sending messages after a parent-child process is connected:
- Define Message Definition:
import { Unport } from 'unport';
export type Definition = {
  parent2child: {
    syn: {
      pid: string;
    };
    body: {
      name: string;
      path: string;
    }
  };
  child2parent: {
    ack: {
      pid: string;
    };
  };
};
export type ChildPort = Unport<Definition, 'child'>;
export type ParentPort = Unport<Definition, 'parent'>;- Parent process implementation:
// parent.ts
import { join } from 'path';
import { fork } from 'child_process';
import { Unport, ChannelMessage } from 'unport';
import { ParentPort } from './port';
// 1. Initialize a port
const parentPort: ParentPort = new Unport();
// 2. Implement a Channel based on underlying IPC capabilities
const childProcess = fork(join(__dirname, './child.js'));
parentPort.implementChannel({
  send(message) {
    childProcess.send(message);
  },
  accept(pipe) {
    childProcess.on('message', (message: ChannelMessage) => {
      pipe(message);
    });
  },
});
// 3. You get a complete typed Port with a unified interface 🤩
parentPort.postMessage('syn', { pid: 'parent' });
parentPort.onMessage('ack', payload => {
  console.log('[parent] [ack]', payload.pid);
  parentPort.postMessage('body', {
    name: 'index',
    path: ' /',
  });
});- Child process implementation:
// child.ts
import { Unport, ChannelMessage } from 'unport';
import { ChildPort } from './port';
// 1. Initialize a port
const childPort: ChildPort = new Unport();
// 2. Implement a Channel based on underlying IPC capabilities
childPort.implementChannel({
  send(message) {
    process.send && process.send(message);
  },
  accept(pipe) {
    process.on('message', (message: ChannelMessage) => {
      pipe(message);
    });
  },
});
// 3. You get a complete typed Port with a unified interface 🤩
childPort.onMessage('syn', payload => {
  console.log('[child] [syn]', payload.pid);
  childPort.postMessage('ack', { pid: 'child' });
});
childPort.onMessage('body', payload => {
  console.log('[child] [body]', JSON.stringify(payload));
});📖 Basic Concepts
MessageDefinition
In Unport, a MessageDefinition is a crucial concept that defines the structure of the messages that can be sent and received through a Channel. It provides a clear and consistent way to specify the data that can be communicated between different JSContexts
A MessageDefinition is an object where each key represents a type of message that can be sent or received, and the value is an object that defines the structure of the message.
Here is an example of a MessageDefinition:
export type Definition = {
  parent2child: {
    syn: {
      pid: string;
    };
    body: {
      name: string;
      path: string;
    }
  };
  child2parent: {
    ack: {
      pid: string;
    };
  };
};In this example, the MessageDefinition defines two types of messages that can be sent from the parent to the child (syn and body), and one type of message that can be sent from the child to the parent (ack). Each message type has its own structure, defined by an object with keys representing message types and values representing their message types.
By using a MessageDefinition, you can ensure that the messages sent and received through a Channel are consistent and predictable, making your code easier to understand and maintain.
Channel
In Unport, a Channel is a fundamental concept that represents a Intermediate communication pathway between different JavaScript contexts. It provides a unified interface for sending and receiving messages across different environments.
A Channel is implemented using two primary methods:
- send(message): This method is used to send a message through the channel. The- messageparameter is the data you want to send.
- accept(pipe): This method is used to accept incoming messages from the channel. The- pipeparameter is a function that takes a message as its argument.
Here is an example of how to implement a Channel:
parentPort.implementChannel({
  send(message) {
    childProcess.send(message);
  },
  accept(pipe) {
    childProcess.on('message', (message: ChannelMessage) => {
      pipe(message);
    });
  },
});In this example, the send method is implemented using the send method of a child process, and the accept method is implemented using the on method of the child process to listen for 'message' events.
By abstracting the details of the underlying communication mechanism, Unport allows you to focus on the logic of your application, rather than the specifics of inter-context communication.
📚 API Reference
Unport
The Unport class is used to create a new port.
import { Unport } from 'unport';.implementChannel()
This method is used to implement a universal port based on underlying IPC capabilities.
parentPort.implementChannel({
  send(message) {
    childProcess.send(message);
  },
  accept(pipe) {
    childProcess.on('message', (message: ChannelMessage) => {
      pipe(message);
    });
  },
});.postMessage()
This method is used to post a message.
parentPort.postMessage('syn', { pid: 'parent' });.onMessage()
This method is used to listen for a message.
parentPort.onMessage('ack', payload => {
  console.log('[parent] [ack]', payload.pid);
  parentPort.postMessage('body', {
    name: 'index',
    path: ' /',
  });
});Channel
When you invoke the .implementChannel() to implement an intermediary pipeline, you will receive a Channel instance. This instance comes with several useful methods that enhance the functionality and usability of the pipeline.
.pipe()
- Type: (message: ChannelMessage) => void
The pipe method is used to manually handle incoming messages. It's often used in Server with one-to-many connections, e.g. Web Socket.
Example:
const channel = port.implementChannel({
  send: (message) => {
    // send message to the other end of the channel
  },
});
// when a message is received
channel.pipe(message);See our Web Socket example to check more details.
ChannelMessage
The ChannelMessage type is used for the message in the onMessage method.
import { ChannelMessage } from 'unport';Unrpc (Experimental)
Starting with the 0.6.0 release, we are experimentally introducing support for Typed RPC (Remote Procedure Call).
When dealing with a single Port that requires RPC definition, we encounter a problem related to the programming paradigm. It's necessary to define Request and Response messages such as:
export type IpcDefinition = {
  a2b: {
    callFoo: {
      input: string;
    };
  };
  b2a: {
    callFooCallback: {
      result: string;
    };
  };
};In the case where an RPC call needs to be encapsulated, the API might look like this:
function rpcCall(request: { input: string; }): Promise<{ result: string; }>;Consequently, to associate a callback function, it becomes a requirement to include a CallbackId at the application layer for every RPC method:
 export type IpcDefinition = {
   a2b: {
     callFoo: {
       input: string;
+      callbackId: string;
     };
   };
   b2a: {
     callFooCallback: {
       result: string;
+      callbackId: string;
     };
   };
 };Unrpc is provided to address this issue, enabling support for Typed RPC starting from the protocol layer:
// "parentPort" is a Port defined based on Unport in the previous example.
const parent = new Unrpc(parentPort);
// Implementing an RPC method.
parent.implement('getParentInfo', request => ({
  id: 'parent',
  from: request.user,
}));The implementation on the child side is as follows:
// "parentPort" is a Port also defined based on Unport.
const child = new Unrpc(childPort);
const response = await child.call('getParentInfo', { user: "child" }); // => { id: "parent", from: "child" }The types are defined as such:
import { Unport } from 'unport';
export type Definition = {
  parent2child: {
    getParentInfo__callback: {
      content: string;
    };
  };
  child2parent: {
    getParentInfo: {
      user: string;
    };
  };
};
export type ChildPort = Unport<Definition, 'child'>;
export type ParentPort = Unport<Definition, 'parent'>;In comparison to Unport, the only new concept to grasp is that the RPC response message key must end with __callback. Other than that, no additional changes are necessary! Unrpc also offers comprehensive type inference based on this convention; for instance, you won't be able to implement an RPC method that is meant to serve as a response.
!NOTE
You can find the full code example here: child-process-rpc.
🤝 Contributing
Contributions, issues and feature requests are welcome!
Here are some ways you can contribute:
- 🐛 Submit a Bug Report if you found something isn't working correctly.
- 🆕 Suggest a new Feature Request if you'd like to see new functionality added.
- 📖 Improve documentation or write tutorials to help other users.
- 🌐 Translate the documentation to other languages.
- 💻 Contribute code changes by Forking the Repository, making changes, and submitting a Pull Request.
🤝 Credits
The birth of this project is inseparable from the complex IPC problems we encountered when working in large companies. The previous name of this project was Multidirectional Typed Port, and we would like to thank ahaoboy for his previous ideas on this matter.
LICENSE
MIT License © ULIVZ