How to create a Node.js app with pnpm and Bitbucket pipeline

In this guide, we will create a simple Node.js application using pnpm and an Express server. We will then set up a Bitbucket pipeline to build a Docker image for the application and push it to Docker Hub.

Step 1: Initialize the Node.js Application

First, create a new directory for your project and initialize it with pnpm:

mkdir sample-node-app
cd sample-node-app
pnpm init

Install Express as a dependency:

pnpm add express

Step 2: Create the Express Server

Create a file named index.js and add the following code:

// filepath: /path/to/sample-node-app/index.js
const express = require('express');
const app = express();
const PORT = process.env.PORT || 3000;

app.get('/', (req, res) => {
  res.send('Hello, World!');
});

app.listen(PORT, () => {
  console.log(`Server is running on port ${PORT}`);
});

Step 3: Create a Dockerfile

Add a Dockerfile to containerize the application:

# filepath: /path/to/sample-node-app/Dockerfile
FROM node:16-alpine

WORKDIR /app

COPY package.json pnpm-lock.yaml ./
RUN npm install -g pnpm && pnpm install --prod

COPY . .

EXPOSE 3000
CMD ["node", "index.js"]

Step 4: Set Up Bitbucket Pipeline

Create a bitbucket-pipelines.yml file to define the pipeline:

# filepath: /path/to/sample-node-app/bitbucket-pipelines.yml
image: node:16

pipelines:
  default:
    - step:
        name: Build and Push Docker Image
        services:
          - docker
        script:
          - export IMAGE_NAME=docker_hub_user_name/sample-node-app:latest
          - docker build -t $IMAGE_NAME .
          - echo "$DOCKER_HUB_PASSWORD" | docker login -u "$DOCKER_HUB_USERNAME" --password-stdin
          - docker push $IMAGE_NAME
definitions:
  services:
    docker:
      memory: 1024

Step 5: Configure Environment Variables

In your Bitbucket repository settings, add the following environment variables:

Step 6: Run the Pipeline

Commit your changes and push them to your Bitbucket repository. The pipeline will automatically build the Docker image and push it to Docker Hub.

Now you have a fully functional Node.js application with a Bitbucket pipeline to automate Docker image creation and deployment!