If you use Twitter, you’ve probably noticed a nifty little feature that’s been around for a while: real-time tweet statistics. This basically means that you get to see the number of Likes or Retweets of a tweet increase (or decrease) as people around the world like or retweet it, without having to refresh the page. Cool, eh?
In this article, I’ll walk you through implementing your own real-time post statistics (we’ll limit ourselves to Likes) in a simple Node.js app. Here’s a demo of the app in action (please forgive my bland UI):
Liking a post in one window immediately reflects in the other
This tutorial assumes you have Node.js (version 6 or higher) and MongoDB (version 3.2 or higher) installed. We’ll be using Express, a popular lightweight Node.js framework. Let’s get our app set up quickly by using the express application generator:
# if you don't already have it installednpm install express-generator -g
# create a new express app with view engine set to Handlebars (hbs)express --view=hbs postercd poster && npm install
Then we’ll add the dependencies we’ll need:
npm install --save dotenv faker mongoose pusher
Here’s a breakdown of what each module is for.
.env
file.First, let’s define our data structures. We’ll limit the scope of this demo to two entities: users and posts. For users. we’ll store only their names. For posts, we’ll store:
Since the only detail we need about our users is their names, we won’t set up a User model; we’ll reference the user’s name directly from our Post model. So, let’s create a file, models/post.js
:
Now, we’ll write a small script to get some fake data into our database. Create a file called seed.js
in the bin
directory, with the following content:
Run the seed using node (remember to start your MongoDB server by running sudo mongod
first):
node bin/seed.js
Let’s set up the route and view for our home page.
The first thing we’ll do is add our MongoDB connection setup, so the connection gets created when our app gets booted. Add this line somewhere near the top of your app.js
:
require('mongoose').connect('mongodb://localhost/poster');
Next up, the route where we retrieve all posts from the db and pass them to the view. Replace the code in routes/index.js
with this:
let router = require('express').Router();let Post = require('./../models/post');
router.get('/', (req, res, next) => { Post.find().exec((err, posts) => { res.render('index', { posts: posts }); });});
module.exports = router;
Lastly, the view where we render the posts (views/index.hbs
). We’ll use Bootstrap for some quick styling.
A few notes:
likes_count
field an id
which includes the post ID, so we can directly reference the correct likes_count
with just the post ID.**actOnPost**
) . This is where we’ll toggle the button text (Like → Unlike) and increment the likes_count
. (And the reverse for when it’s an Unlike button). We’ll implement that in a bit.When a user clicks on ‘Like’, here’s what we want to happen:
likes_count
in the database by 1.For unliking:
likes_count
in the database by 1.We’ll classify both Likes and Unlikes as actions that can be carried out on a post, so we can handle them together.
Let’s add some JavaScript to our home page for the actOnPost
method. We’ll pull in Axios for easy HTTP requests. Add the following to your views/index.hbs
:
<script src="https://unpkg.com/axios/dist/axios.min.js"></script>
<script> var updatePostStats = { Like: function (postId) { document.querySelector('#likes-count-' + postId).textContent++; }, Unlike: function(postId) { document.querySelector('#likes-count-' + postId).textContent--; } };
var toggleButtonText = { Like: function(button) { button.textContent = "Unlike"; }, Unlike: function(button) { button.textContent = "Like"; } };
var actOnPost = function (event) { var postId = event.target.dataset.postId; var action = event.target.textContent.trim(); toggleButtonText[action](event.target); updatePostStats[action](postId); axios.post('/posts/' + postId + '/act', { action: action }); };
</script>
Then we define the act route in our routes/index.js:
router.post('/posts/:id/act', (req, res, next) => { const action = req.body.action; const counter = action === 'Like' ? 1 : -1; Post.update({_id: req.params.id}, {$inc: {likes_count: counter}}, {}, (err, numberAffected) => { res.send(''); });});
Here, we change the likes_count using MongoDB’s built-in $inc
operator for update operations.
At this point, we’ve got our regular Liking and Unliking feature in place. Now it’s time to notify other clients when such an action happens.
Let’s get our Pusher integration set up. Create a free Pusher account if you don’t have one already. Then visit your dashboard and create a new app and take note of your app’s credentials. Since we’re using the dotenv package, we can put our Pusher credentials in a .env file in the root directory of our project:
PUSHER_APP_ID=WWWWWWWWWPUSHER_APP_KEY=XXXXXXXXXPUSHER_APP_SECRET=YYYYYYYYPUSHER_APP_CLUSTER=ZZZZZZZZ
Replace the stubs above with your app credentials from your Pusher dashboard. Then add the following line to the top of your app.js:
require('dotenv').config();
Next we’ll modify our route handler to trigger a Pusher message whenever an action updates the likes_count
in the database. We’ll initialise an instance of the Pusher client and use it to send a message by calling pusher.trigger
.
The trigger method takes four parameters:
Here’s what we want our payload to look like in the case of a Like action:
{ "action": "Like", "postId": 1234}
So let’s add this logic to our route handler:
let Pusher = require('pusher');
let pusher = new Pusher({ appId: process.env.PUSHER_APP_ID, key: process.env.PUSHER_APP_KEY, secret: process.env.PUSHER_APP_SECRET, cluster: process.env.PUSHER_APP_CLUSTER});
router.post('/posts/:id/act', (req, res, next) => { const action = req.body.action; const counter = action === 'Like' ? 1 : -1; Post.update({_id: req.params.id}, {$inc: {likes_count: counter}}, {}, (err, numberAffected) => { pusher.trigger('post-events', 'postAction', { action: action, postId: req.params.id }, req.body.socketId); res.send(''); });});
On the client side (index.hbs
) we need to handle two things:
post-events
channelact
API request, so the server can use it to exclude the clientWe’ll pull in the Pusher SDK:
<script src="https://js.pusher.com/4.1/pusher.min.js"></script>
<script> var pusher = new Pusher('your-app-id', { cluster: 'your-app-cluster' }); var socketId; // retrieve the socket ID on successful connection pusher.connection.bind('connected', function() { socketId = pusher.connection.socket_id; });
var channel = pusher.subscribe('post-events'); channel.bind('postAction', function(data) { // log message data to console - for debugging purposes console.log(data); var action = data.action; updatePostStats[action](data.postId); });
</script>
All done! Start your app by running:
npm start
Now, if you open up http://localhost:3000 in two (or more) tabs in your browser, you should see that liking a post in one instantly reflects in the other. Also, because of our console.log statement placed earlier, you’ll see the event is logged:
In this article, we’ve seen how Pusher’s publish-subscribe messaging system makes it straightforward to implement a real-time view of activity on a particular post. Of course, this is just a starting point; I look forward to seeing all the great things you’ll build. You can check out the source code of the completed application on Github.
This article was originally published by the author on Pusher’s blog.