Node.js is great for writing your back-end in JavaScript. But what if you need some functionality that is not provided out of the box, or which also can't be accomplished even using modules, but is available in the form of a C/C++ library? Well, awesomely enough, you can write an addon that will allow you to use this library in your JavaScript code. Let's see how.
As you can read in the Node.js documentation, addons are dynamically linked shared objects that can provide glue to C/C++ libraries. This means that you can take pretty much any C/C++ library and create an addon that will allow you to use it in Node.js.
As an example, we will create a wrapper for the standard std::string
object.
Before we start writing, you have to make sure you've got everything you need to compile the module later. You need node-gyp
and all its dependencies. You can install node-gyp
using the following command:
npm install -g node-gyp
As for the dependencies, on Unix systems you will need:
For example, on Ubuntu you can install all of this using this command (Python 2.7 should already be installed):
sudo apt-get install build-essentials
On Windows you will need:
The Express version of Visual Studio works fine.
binding.gyp
FileThis file is used by node-gyp
to generate appropriate build files for your addon. The whole .gyp
file documentation can be found on their Wiki page, but for our purposes this simple file will do:
{ "targets": [ { "target_name": "stdstring", "sources": [ "addon.cc", "stdstring.cc" ] } ] }
The target_name
can be any name you like. The sources
array contains all of the source files that the addon uses. In our example, there is addon.cc
, which will contain the code that is required to compile our addon and stdstring.cc
, which will contain our wrapper class.
STDStringWrapper
ClassWe will start by defining our class in the stdstring.h
file. The first two lines should be familiar to you if you've ever programmed in C++.
#ifndef STDSTRING_H #define STDSTRING_H
This is a standard include guard. Next, we have to include these two headers:
#include #include
The first one is for the std::string
class and the second include is for all things related to Node and V8.
After that, we can declare our class:
class STDStringWrapper : public node::ObjectWrap {
For all classes that we want to include in our addon, we must extend the node::ObjectWrap
class.
Now we can start defining private
properties of our class:
private: std::string* s_; explicit STDStringWrapper(std::string s = ""); ~STDStringWrapper();
Apart from the constructor and destructor, we also define a pointer to std::string
. This is the core of the technique that can be used to glue C/C++ libraries to Node - we define a private pointer to the C/C++ class and later operate on that pointer in all methods.
Next we declare the constructor
static property, which will hold the function that will create our class in V8:
static v8::Persistent constructor;
Please refer to the v8::Persistent
template documentation for more information.
Now we will also have a New
method, that will be assigned to the constructor
above, when V8 initializes our class:
static v8::Handle New(const v8::Arguments& args);
Every function for V8 will look like this: it will accept a reference to the v8::Arguments
object and return a v8::Handle>v8::Value>
- this is how V8 deals with weak-typed JavaScript when we program in strong-typed C++.
After that, we will have two methods that will be inserted in to the prototype of our object:
static v8::Handle add(const v8::Arguments& args); static v8::Handle toString(const v8::Arguments& args);
The toString()
method will allow us to get the value of s_
instead of [Object object]
when we use it with normal JavaScript strings.
Finally, we will have the initialization method (this will be called by V8 to assign the constructor
function) and we can close the include guard:
public: static void Init(v8::Handle exports); }; #endif
The exports
object is equivalent to the module.exports
in JavaScript modules.
stdstring.cc
File, Constructor and DestructorNow create the stdstring.cc
file. First we have to include our header:
#include "stdstring.h"
And define the constructor
property (since it's static):
v8::Persistent STDStringWrapper::constructor;
The constructor for our class will just allocate the s_
property:
STDStringWrapper::STDStringWrapper(std::string s) { s_ = new std::string(s); }
And the destructor will delete
it, to avoid a memory leak:
STDStringWrapper::~STDStringWrapper() { delete s_; }
Also, you must delete
everything you allocate with new
, every time there is a chance that an exception will be thrown, so keep that in mind or use shared pointers.
Init
MethodThis method will be called by V8 to initialize our class (assign the constructor
, put everything we want to use in JavaScript in the exports
object):
void STDStringWrapper::Init(v8::Handle exports) {
First we have to create a function template for our New
method:
v8::Local tpl = v8::FunctionTemplate::New(New);
This is kind of like new Function
in JavaScript - it allows us to prepare our JavaScript class.
Now we can set this function's name if we want to (if you omit this, your constructor will be anonymous, it would have function someName() {}
versus function () {}
):
tpl->SetClassName(v8::String::NewSymbol("STDString"));
We used v8::String::NewSymbol()
which creates a special kind of string used for property names - this saves the engine a little bit of time.
After that, we set how many fields each instance of our class will have:
tpl->InstanceTemplate()->SetInternalFieldCount(2);
We have two methods - add()
and toString()
, so we set this to 2
.
Now we can add our methods to the function's prototype:
tpl->PrototypeTemplate()->Set(v8::String::NewSymbol("add"), v8::FunctionTemplate::New(add)->GetFunction()); tpl->PrototypeTemplate()->Set(v8::String::NewSymbol("toString"), v8::FunctionTemplate::New(toString)->GetFunction());
This seems like a lot of code, but when you look closely, you will see a pattern there: we use tpl->PrototypeTemplate()->Set()
to add each of the methods. We also give each of them a name (using v8::String::NewSymbol()
) and a FunctionTemplate
.
Finally, we can put the constructor in the constructor
property of our class and in the exports
object:
constructor = v8::Persistent::New(tpl->GetFunction()); exports->Set(v8::String::NewSymbol("STDString"), constructor); }
New
MethodNow we will define the method that will act as a JavaScript Object.prototype.constructor
:
v8::Handle STDStringWrapper::New(const v8::Arguments& args) {
First we have to create a scope for it:
v8::HandleScope scope;
After that, we can use the .IsConstructCall()
method of the args
object to check if the constructor function was called using the new
keyword:
if (args.IsConstructCall()) {
If so, let's first convert the argument passed to std::string
like this:
v8::String::Utf8Value str(args[0]->ToString()); std::string s(*str);
... so that we can pass it to the constructor of our wrapper class:
STDStringWrapper* obj = new STDStringWrapper(s);
After that, we can use the .Wrap()
method of the object we created (which is inherited from node::ObjectWrap
) to assign it to the this
variable:
obj->Wrap(args.This());
Finally, we can return the newly created object:
return args.This();
If the function was not called using new
, we will just invoke the constructor as it would be. Next, let's create a constant for the argument count:
} else { const int argc = 1;
Now let's create an array with our argument:
v8::Local argv[argc] = { args[0] };
And pass the result of the constructor->NewInstance
method to scope.Close
, so the object can be used later (scope.Close
basically allows you to preserve the handle to an object by moving it to the higher scope - this is how functions work):
return scope.Close(constructor->NewInstance(argc, argv)); } }
add
MethodNow let's create the add
method which will allow you to add something to the internal std::string
of our object:
v8::Handle STDStringWrapper::add(const v8::Arguments& args) {
First we have to create a scope for our function and convert the argument to std::string
like we did earlier:
v8::HandleScope scope; v8::String::Utf8Value str(args[0]->ToString()); std::string s(*str);
Now we have to unwrap the object. This the reverse of the wrapping we did earlier - this time we will get the pointer to our object from the this
variable:
STDStringWrapper* obj = ObjectWrap::Unwrap(args.This());
Then we can access the s_
property and use its .append()
method:
obj->s_->append(s);
Finally, we return the current value of the s_
property (again, using scope.Close
):
return scope.Close(v8::String::New(obj->s_->c_str())); }
Since the v8::String::New()
method accepts only char pointer
as a value, we have to use obj->s_->c_str()
to get it.
toString
MethodThe last method needed will allow us to convert the object to JavaScript's String
:
v8::Handle STDStringWrapper::toString(const v8::Arguments& args) {
It's similar to the previous one, we have to create the scope:
v8::HandleScope scope;
Unwrap the object:
STDStringWrapper* obj = ObjectWrap::Unwrap(args.This());
And return the s_
property as a v8::String
:
return scope.Close(v8::String::New(obj->s_->c_str())); }
The last thing to do before we use our addon, is of course compilation and linking. It will involve only two commands. First:
node-gyp configure
This will create the appropriate build configuration for your OS and processor (Makefile
on UNIX and vcxproj
on Windows). To compile and link the library, just call:
node-gyp build
If all goes well, you should see something like this in your console:
And there should be a build
directory created in your addon's folder.
Now we can test our addon. Create a test.js
file in your addon's folder and require the compiled library (you can omit the .node
extension):
var addon = require('./build/Release/addon');
Next, create a new instance of our object:
var test = new addon.STDString('test');
And do something with it, like adding or converting it to a string:
test.add('!'); console.log('test\'s contents: %s', test);
This should result in something like the following in the console, after running it:
I hope that after reading this tutorial you will no longer think that it's difficult to create, build and test out customized C/C++ library based, Node.js addons. Using this technique you can port almost any C/C++ library to Node.js with ease. If you want, you can add more features to the addon we created. There is plenty of methods in std::string
for you to practice with.
Check out the following resources for more information on Node.js addon development, V8 and the C event loop library.
The Best Small Business Web Designs by DesignRush
/Create Modern Vue Apps Using Create-Vue and Vite
/Pros and Cons of Using WordPress
/How to Fix the “There Has Been a Critical Error in Your Website” Error in WordPress
/How To Fix The “There Has Been A Critical Error in Your Website” Error in WordPress
/How to Create a Privacy Policy Page in WordPress
/How Long Does It Take to Learn JavaScript?
/The Best Way to Deep Copy an Object in JavaScript
/Adding and Removing Elements From Arrays in JavaScript
/Create a JavaScript AJAX Post Request: With and Without jQuery
/5 Real-Life Uses for the JavaScript reduce() Method
/How to Enable or Disable a Button With JavaScript: jQuery vs. Vanilla
/How to Enable or Disable a Button With JavaScript: jQuery vs Vanilla
/Confirm Yes or No With JavaScript
/How to Change the URL in JavaScript: Redirecting
/15+ Best WordPress Twitter Widgets
/27 Best Tab and Accordion Widget Plugins for WordPress (Free & Premium)
/21 Best Tab and Accordion Widget Plugins for WordPress (Free & Premium)
/30 HTML Best Practices for Beginners
/31 Best WordPress Calendar Plugins and Widgets (With 5 Free Plugins)
/25 Ridiculously Impressive HTML5 Canvas Experiments
/How to Implement Email Verification for New Members
/How to Create a Simple Web-Based Chat Application
/30 Popular WordPress User Interface Elements
/Top 18 Best Practices for Writing Super Readable Code
/Best Affiliate WooCommerce Plugins Compared
/18 Best WordPress Star Rating Plugins
/10+ Best WordPress Twitter Widgets
/20+ Best WordPress Booking and Reservation Plugins
/Working With Tables in React: Part Two
/Best CSS Animations and Effects on CodeCanyon
/30 CSS Best Practices for Beginners
/How to Create a Custom WordPress Plugin From Scratch
/10 Best Responsive HTML5 Sliders for Images and Text… and 3 Free Options
/16 Best Tab and Accordion Widget Plugins for WordPress
/18 Best WordPress Membership Plugins and 5 Free Plugins
/25 Best WooCommerce Plugins for Products, Pricing, Payments and More
/10 Best WordPress Twitter Widgets
1 /12 Best Contact Form PHP Scripts for 2020
/20 Popular WordPress User Interface Elements
/10 Best WordPress Star Rating Plugins
/12 Best CSS Animations on CodeCanyon
/12 Best WordPress Booking and Reservation Plugins
/20 Best WordPress Calendar Plugins and Widgets
/12 Elegant CSS Pricing Tables for Your Latest Web Project
/24 Best WordPress Form Plugins for 2020
/14 Best PHP Event Calendar and Booking Scripts
/Create a Blog for Each Category or Department in Your WooCommerce Store
/8 Best WordPress Booking and Reservation Plugins
/Best Exit Popups for WordPress Compared
/Best Exit Popups for WordPress Compared
/11 Best Tab & Accordion WordPress Widgets & Plugins
/12 Best Tab & Accordion WordPress Widgets & Plugins
1New Course: Practical React Fundamentals
/Short Course: Better Angular App Architecture With Modules
/Preview Our New Course on Angular Material
/Build Your Own CAPTCHA and Contact Form in PHP
/Object-Oriented PHP With Classes and Objects
/Best Practices for ARIA Implementation
/Accessible Apps: Barriers to Access and Getting Started With Accessibility
/Dramatically Speed Up Your React Front-End App Using Lazy Loading
/15 Best Modern JavaScript Admin Templates for React, Angular, and Vue.js
/15 Best Modern JavaScript Admin Templates for React, Angular and Vue.js
/19 Best JavaScript Admin Templates for React, Angular, and Vue.js
/New Course: Build an App With JavaScript and the MEAN Stack
/Hands-on With ARIA: Accessibility Recipes for Web Apps
/10 Best WordPress Facebook Widgets
13 /Hands-on With ARIA: Accessibility for eCommerce
/New eBooks Available for Subscribers
/Hands-on With ARIA: Homepage Elements and Standard Navigation
/How Secure Are Your JavaScript Open-Source Dependencies?
/New Course: Secure Your WordPress Site With SSL
/Testing Components in React Using Jest and Enzyme
/Testing Components in React Using Jest: The Basics
/15 Best PHP Event Calendar and Booking Scripts
/Create Interactive Gradient Animations Using Granim.js
/How to Build Complex, Large-Scale Vue.js Apps With Vuex
1 /Examples of Dependency Injection in PHP With Symfony Components
/Set Up Routing in PHP Applications Using the Symfony Routing Component
1 /A Beginner’s Guide to Regular Expressions in JavaScript
/Introduction to Popmotion: Custom Animation Scrubber
/Introduction to Popmotion: Pointers and Physics
/New Course: Connect to a Database With Laravel’s Eloquent ORM
/How to Create a Custom Settings Panel in WooCommerce
/Building the DOM faster: speculative parsing, async, defer and preload
1 /20 Useful PHP Scripts Available on CodeCanyon
3 /How to Find and Fix Poor Page Load Times With Raygun
/Introduction to the Stimulus Framework
/Single-Page React Applications With the React-Router and React-Transition-Group Modules
/12 Best Contact Form PHP Scripts
1 /Getting Started With the Mojs Animation Library: The ShapeSwirl and Stagger Modules
/Getting Started With the Mojs Animation Library: The Shape Module
/Getting Started With the Mojs Animation Library: The HTML Module
/Project Management Considerations for Your WordPress Project
/8 Things That Make Jest the Best React Testing Framework
/Creating an Image Editor Using CamanJS: Layers, Blend Modes, and Events
/New Short Course: Code a Front-End App With GraphQL and React
/Creating an Image Editor Using CamanJS: Applying Basic Filters
/Creating an Image Editor Using CamanJS: Creating Custom Filters and Blend Modes
Modern Web Scraping With BeautifulSoup and Selenium
/Challenge: Create a To-Do List in React
1 /Deploy PHP Web Applications Using Laravel Forge
/Getting Started With the Mojs Animation Library: The Burst Module
/10 Things Men Can Do to Support Women in Tech
/A Gentle Introduction to Higher-Order Components in React: Best Practices
/A Gentle Introduction to HOC in React: Learn by Example
/A Gentle Introduction to Higher-Order Components in React
/Creating Pretty Popup Messages Using SweetAlert2
/Creating Stylish and Responsive Progress Bars Using ProgressBar.js
/18 Best Contact Form PHP Scripts for 2022
/How to Make a Real-Time Sports Application Using Node.js
/Creating a Blogging App Using Angular & MongoDB: Delete Post
/Set Up an OAuth2 Server Using Passport in Laravel
/Creating a Blogging App Using Angular & MongoDB: Edit Post
/Creating a Blogging App Using Angular & MongoDB: Add Post
/Introduction to Mocking in Python
/Creating a Blogging App Using Angular & MongoDB: Show Post
/Creating a Blogging App Using Angular & MongoDB: Home
/Creating a Blogging App Using Angular & MongoDB: Login
/Creating Your First Angular App: Implement Routing
/Persisted WordPress Admin Notices: Part 4
/Creating Your First Angular App: Components, Part 2
/Persisted WordPress Admin Notices: Part 3
/Creating Your First Angular App: Components, Part 1
/How Laravel Broadcasting Works
/Persisted WordPress Admin Notices: Part 2
/Create Your First Angular App: Storing and Accessing Data
/Persisted WordPress Admin Notices: Part 1
/Error and Performance Monitoring for Web & Mobile Apps Using Raygun
/Using Luxon for Date and Time in JavaScript
7 /How to Create an Audio Oscillator With the Web Audio API
/How to Cache Using Redis in Django Applications
/20 Essential WordPress Utilities to Manage Your Site
/Introduction to API Calls With React and Axios
/Beginner’s Guide to Angular 4: HTTP
/Rapid Web Deployment for Laravel With GitHub, Linode, and RunCloud.io
/Beginners Guide to Angular 4: Routing
/Beginner’s Guide to Angular 4: Services
/Beginner’s Guide to Angular 4: Components
/Creating a Drop-Down Menu for Mobile Pages
/Introduction to Forms in Angular 4: Writing Custom Form Validators
/10 Best WordPress Booking & Reservation Plugins
/Getting Started With Redux: Connecting Redux With React
/Getting Started With Redux: Learn by Example
/Getting Started With Redux: Why Redux?
/Understanding Recursion With JavaScript
/How to Auto Update WordPress Salts
/How to Download Files in Python
/Eloquent Mutators and Accessors in Laravel
1 /10 Best HTML5 Sliders for Images and Text
/Creating a Task Manager App Using Ionic: Part 2
/Creating a Task Manager App Using Ionic: Part 1
/Introduction to Forms in Angular 4: Reactive Forms
/Introduction to Forms in Angular 4: Template-Driven Forms
/24 Essential WordPress Utilities to Manage Your Site
/25 Essential WordPress Utilities to Manage Your Site
/Get Rid of Bugs Quickly Using BugReplay
1 /Manipulating HTML5 Canvas Using Konva: Part 1, Getting Started
/10 Must-See Easy Digital Downloads Extensions for Your WordPress Site
22 Best WordPress Booking and Reservation Plugins
/Understanding ExpressJS Routing
/15 Best WordPress Star Rating Plugins
/Creating Your First Angular App: Basics
/Inheritance and Extending Objects With JavaScript
/Introduction to the CSS Grid Layout With Examples
1Performant Animations Using KUTE.js: Part 5, Easing Functions and Attributes
/Performant Animations Using KUTE.js: Part 4, Animating Text
/Performant Animations Using KUTE.js: Part 3, Animating SVG
/New Course: Code a Quiz App With Vue.js
/Performant Animations Using KUTE.js: Part 2, Animating CSS Properties
Performant Animations Using KUTE.js: Part 1, Getting Started
/10 Best Responsive HTML5 Sliders for Images and Text (Plus 3 Free Options)
/Single-Page Applications With ngRoute and ngAnimate in AngularJS
/Deferring Tasks in Laravel Using Queues
/Site Authentication in Node.js: User Signup and Login
/Working With Tables in React, Part Two
/Working With Tables in React, Part One
/How to Set Up a Scalable, E-Commerce-Ready WordPress Site Using ClusterCS
/New Course on WordPress Conditional Tags
/TypeScript for Beginners, Part 5: Generics
/Building With Vue.js 2 and Firebase
6 /Best Unique Bootstrap JavaScript Plugins
/Essential JavaScript Libraries and Frameworks You Should Know About
/Vue.js Crash Course: Create a Simple Blog Using Vue.js
/Build a React App With a Laravel RESTful Back End: Part 1, Laravel 5.5 API
/API Authentication With Node.js
/Beginner’s Guide to Angular: HTTP
/Beginner’s Guide to Angular: Routing
/Beginners Guide to Angular: Routing
/Beginner’s Guide to Angular: Services
/Beginner’s Guide to Angular: Components
/How to Create a Custom Authentication Guard in Laravel
/Learn Computer Science With JavaScript: Part 3, Loops
/Build Web Applications Using Node.js
/Learn Computer Science With JavaScript: Part 4, Functions
/Learn Computer Science With JavaScript: Part 2, Conditionals
/Learn Computer Science With JavaScript: Part 1, The Basics
/Create Interactive Charts Using Plotly.js, Part 5: Pie and Gauge Charts
/Create Interactive Charts Using Plotly.js, Part 4: Bubble and Dot Charts
/Create Interactive Charts Using Plotly.js, Part 3: Bar Charts
/Awesome JavaScript Libraries and Frameworks You Should Know About
/Create Interactive Charts Using Plotly.js, Part 2: Line Charts
/Bulk Import a CSV File Into MongoDB Using Mongoose With Node.js
/Getting Started With End-to-End Testing in Angular Using Protractor
/TypeScript for Beginners, Part 4: Classes
/Object-Oriented Programming With JavaScript
/Stateful vs. Stateless Functional Components in React
/Make Your JavaScript Code Robust With Flow
/Build a To-Do API With Node and Restify
/Testing Components in Angular Using Jasmine: Part 2, Services
/Testing Components in Angular Using Jasmine: Part 1
/Creating a Blogging App Using React, Part 6: Tags
/React Crash Course for Beginners, Part 3
/React Crash Course for Beginners, Part 2
/React Crash Course for Beginners, Part 1
/Set Up a React Environment, Part 4
1 /Set Up a React Environment, Part 3
/New Course: Get Started With Phoenix
/Set Up a React Environment, Part 2
/Set Up a React Environment, Part 1
/Command Line Basics and Useful Tricks With the Terminal
/How to Create a Real-Time Feed Using Phoenix and React
/Build a React App With a Laravel Back End: Part 2, React
/Build a React App With a Laravel RESTful Back End: Part 1, Laravel 9 API
/Creating a Blogging App Using React, Part 5: Profile Page
/Pagination in CodeIgniter: The Complete Guide
/JavaScript-Based Animations Using Anime.js, Part 4: Callbacks, Easings, and SVG
JavaScript-Based Animations Using Anime.js, Part 3: Values, Timeline, and Playback
/Learn to Code With JavaScript: Part 1, The Basics
/10 Elegant CSS Pricing Tables for Your Latest Web Project
/Getting Started With the Flux Architecture in React
/Getting Started With Matter.js: The Composites and Composite Modules
/Getting Started With Matter.js: The Engine and World Modules
/10 More Popular HTML5 Projects for You to Use and Study
/Understand the Basics of Laravel Middleware
/Iterating Fast With Django & Heroku
/Creating a Blogging App Using React, Part 4: Update & Delete Posts
Creating a jQuery Plugin for Long Shadow Design
/How to Register & Use Laravel Service Providers
2 /Unit Testing in React: Shallow vs. Static Testing
/Creating a Blogging App Using React, Part 3: Add & Display Post
/Creating a Blogging App Using React, Part 2: User Sign-Up
20Creating a Blogging App Using React, Part 1: User Sign-In
/9 More Popular HTML5 Projects for You to Use and Study
/Creating a Grocery List Manager Using Angular, Part 2: Managing Items
/9 Elegant CSS Pricing Tables for Your Latest Web Project
/Dynamic Page Templates in WordPress, Part 3
/Angular vs. React: 7 Key Features Compared
/Creating a Grocery List Manager Using Angular, Part 1: Add & Display Items
/New eBooks Available for Subscribers in June 2017
/Create Interactive Charts Using Plotly.js, Part 1: Getting Started
/The 5 Best IDEs for WordPress Development (And Why)
/33 Popular WordPress User Interface Elements
/New Course: How to Hack Your Own App
/How to Install Yii on Windows or a Mac
/What Is a JavaScript Operator?
/How to Register and Use Laravel Service Providers
/
waly Good blog post. I absolutely love this…