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 πŸ™

Β© 2026 – Pkg Stats / Ryan Hefner

quick-cicd2

v0.0.6

Published

## πŸš€ Overview

Readme

QUICK-CICD Generator - Complete Documentation

πŸš€ Overview

The QUICK-CICD Generator is a powerful Node.js CLI tool that automatically generates Docker configurations, CI/CD pipelines, and deployment scripts for various project types.

Command to run:

npx quick-cicd

Developer Contact:


πŸ—οΈ Creating Your Application (Before Using QUICK-CICD)

Before generating CI/CD configurations, you need to create your application. Here are the commands for creating different types of projects:

1. React with Vite

# Create new Vite + React project
npm create vite@latest my-react-app -- --template react
cd my-react-app
npm install

# Alternative with specific template
npm create vite@latest my-react-app -- --template react-ts  # TypeScript
npm create vite@latest my-react-app -- --template react-swc # SWC compiler

# Using other package managers
yarn create vite my-react-app --template react
pnpm create vite my-react-app --template react

2. Next.js Application

# Create new Next.js project
npx create-next-app@latest my-nextjs-app
cd my-nextjs-app

# With specific options
npx create-next-app@latest my-nextjs-app --typescript --tailwind --eslint --app
npx create-next-app@latest my-nextjs-app --javascript --src-dir --import-alias "@/*"

# Using other package managers
yarn create next-app my-nextjs-app
pnpm create next-app my-nextjs-app

3. Node.js Backend

# Initialize new Node.js project
mkdir my-node-backend
cd my-node-backend
npm init -y

# Install Express.js
npm install express cors helmet morgan dotenv
npm install -D nodemon

# Create basic Express server
mkdir src
echo 'const express = require("express");
const app = express();
const PORT = process.env.PORT || 3000;

app.use(express.json());
app.get("/", (req, res) => {
  res.json({ message: "Hello from Node.js API!" });
});

app.listen(PORT, () => {
  console.log(`Server running on port ${PORT}`);
});' > src/index.js

# Create NestJS project (alternative)
npm i -g @nestjs/cli
nest new my-nest-project
cd my-nest-project

4. PHP Laravel

# Create new Laravel project
composer create-project laravel/laravel my-laravel-app
cd my-laravel-app

# Alternative using Laravel installer
composer global require laravel/installer
laravel new my-laravel-app
cd my-laravel-app

# Generate application key
php artisan key:generate

5. Python Django

# Create virtual environment
python -m venv django_env
source django_env/bin/activate  # Linux/Mac
# django_env\Scripts\activate   # Windows

# Install Django
pip install django

# Create Django project
django-admin startproject myproject .
cd myproject

# Create Django app
python manage.py startapp myapp

# Create requirements.txt
pip freeze > requirements.txt

6. Python FastAPI

# Create virtual environment
python -m venv fastapi_env
source fastapi_env/bin/activate  # Linux/Mac
# fastapi_env\Scripts\activate   # Windows

# Install FastAPI and dependencies
pip install fastapi uvicorn sqlalchemy pymysql

# Create basic FastAPI app
mkdir app
echo 'from fastapi import FastAPI
from fastapi.responses import JSONResponse

app = FastAPI(title="My FastAPI App")

@app.get("/")
async def root():
    return {"message": "Hello from FastAPI!"}

@app.get("/health")
async def health_check():
    return JSONResponse(content={"status": "healthy"})' > main.py

# Create requirements.txt
pip freeze > requirements.txt

7. Simple Python

# Create Python project directory
mkdir my-python-app
cd my-python-app

# Create virtual environment
python -m venv venv
source venv/bin/activate  # Linux/Mac
# venv\Scripts\activate   # Windows

# Install Flask for web server
pip install flask

# Create basic Flask app
echo 'from flask import Flask, jsonify

app = Flask(__name__)

@app.route("/")
def hello():
    return jsonify({"message": "Hello from Python Flask!"})

if __name__ == "__main__":
    app.run(host="0.0.0.0", port=5000)' > app.py

# Create requirements.txt
pip freeze > requirements.txt

πŸ“‹ System Requirements (Pre-Installation Check)

The tool automatically checks these requirements when you run it:

βœ… Required Dependencies:

  • Node.js: Version 16.0.0 or higher
  • Git: Required for version control
  • npm/yarn/pnpm: Package manager

⚠️ Optional Dependencies:

  • Docker: For local testing (recommended)
  • Docker Compose: For multi-service applications

πŸ” System Check Output:

When you run npx quick-cicd, you'll see:

βœ“ Checking system requirements...
   Node.js v18.17.0 βœ“, Git βœ“, Docker βœ“

Platform-Specific Installation:

Windows:

# Install Node.js from nodejs.org or using Chocolatey
choco install nodejs git docker-desktop

# Verify installation
node --version
git --version
docker --version

macOS:

# Install using Homebrew
brew install node git
brew install --cask docker

# Verify installation
node --version
git --version
docker --version

Linux (Ubuntu/Debian):

# Install Node.js
curl -fsSL https://deb.nodesource.com/setup_18.x | sudo -E bash -
sudo apt-get install -y nodejs git

# Install Docker
sudo apt-get update
sudo apt-get install docker.io docker-compose

# Verify installation
node --version
git --version
docker --version

πŸ“¦ Project Types & File Structures

1. React with Vite (Frontend SPA)

Pre-Requirements:

# Must have these files in your project root:
β”œβ”€β”€ package.json           # Required - Contains Vite & React dependencies
β”œβ”€β”€ vite.config.js         # Vite configuration
β”œβ”€β”€ src/                   # Source code directory
β”‚   β”œβ”€β”€ main.jsx          # Entry point
β”‚   └── App.jsx           # Main component
└── index.html            # HTML template

Create Command:

npm create vite@latest my-react-app -- --template react
cd my-react-app
npm install

Dependencies Check:

  • vite in dependencies or devDependencies
  • react in dependencies
  • react-dom in dependencies

Generated Files Structure:

project-root/
β”œβ”€β”€ Dockerfile              # Multi-stage build for React + Vite
β”œβ”€β”€ docker-compose.yml      # Container orchestration
β”œβ”€β”€ ecosystem.config.js     # PM2 process manager configuration
β”œβ”€β”€ deploy.sh              # Deployment automation script
β”œβ”€β”€ .env.example           # Environment variables template
β”œβ”€β”€ package.json           # Your existing file
β”œβ”€β”€ vite.config.js         # Your existing file
└── src/                   # Your existing source code
    β”œβ”€β”€ main.jsx
    └── App.jsx

Sample vite.config.js Enhancement:

import { defineConfig } from 'vite';
import react from '@vitejs/plugin-react';

export default defineConfig({
  plugins: [react()],
  server: {
    host: '0.0.0.0',
    port: 3000,
  },
  build: {
    outDir: 'dist',
    sourcemap: false,
  },
});

2. Next.js (Full-stack React Framework)

Pre-Requirements:

# Must have these files in your project root:
β”œβ”€β”€ package.json           # Required - Contains Next.js dependencies
β”œβ”€β”€ next.config.js         # Next.js configuration (optional)
β”œβ”€β”€ pages/                 # Pages directory OR
β”œβ”€β”€ app/                   # App directory (Next.js 13+)
β”‚   β”œβ”€β”€ layout.js         # Root layout
β”‚   └── page.js           # Home page
└── public/               # Static assets

Create Command:

npx create-next-app@latest my-nextjs-app
cd my-nextjs-app

Dependencies Check:

  • next in dependencies
  • react in dependencies
  • react-dom in dependencies

Generated Files Structure:

project-root/
β”œβ”€β”€ Dockerfile              # Optimized for Next.js (build + runtime)
β”œβ”€β”€ docker-compose.yml      # Container with Next.js optimizations
β”œβ”€β”€ ecosystem.config.js     # PM2 configuration for Next.js
β”œβ”€β”€ deploy.sh              # Next.js specific deployment
β”œβ”€β”€ .env.example           # Next.js environment variables
β”œβ”€β”€ package.json           # Your existing file
β”œβ”€β”€ next.config.js         # Your existing file
β”œβ”€β”€ pages/                 # Your existing pages
└── public/                # Your existing static assets

Sample next.config.js Enhancement:

/** @type {import('next').NextConfig} */
const nextConfig = {
  output: 'standalone',
  experimental: {
    outputFileTracingRoot: path.join(__dirname, '../../'),
  },
};

module.exports = nextConfig;

Environment Variables (.env.example):

NODE_ENV=production
PORT=3000
NEXTAUTH_SECRET=your-secret-key
NEXTAUTH_URL=http://localhost:3000

3. Node.js Backend (Express/NestJS API)

Pre-Requirements:

# Must have these files in your project root:
β”œβ”€β”€ package.json           # Required - Contains Express/NestJS dependencies
β”œβ”€β”€ src/                   # Source code directory OR
β”œβ”€β”€ index.js              # Entry point OR
β”œβ”€β”€ app.js                # Main application file
└── routes/               # Routes directory (optional)

Create Commands:

# Express.js
mkdir my-node-backend && cd my-node-backend
npm init -y
npm install express cors helmet morgan dotenv

# NestJS
npm i -g @nestjs/cli
nest new my-nest-project

Dependencies Check:

  • express OR @nestjs/core in dependencies
  • Valid Node.js backend structure

Generated Files Structure:

project-root/
β”œβ”€β”€ Dockerfile              # Backend-optimized container
β”œβ”€β”€ docker-compose.yml      # Multi-service (App + MySQL + Redis)
β”œβ”€β”€ ecosystem.config.js     # PM2 configuration for backend
β”œβ”€β”€ deploy.sh              # Backend deployment with database
β”œβ”€β”€ .env.example           # Database and service configurations
β”œβ”€β”€ package.json           # Your existing file
β”œβ”€β”€ src/                   # Your existing source code
β”‚   β”œβ”€β”€ index.js
β”‚   β”œβ”€β”€ routes/
β”‚   └── controllers/
└── node_modules/          # Your existing dependencies

Sample Express Server (src/index.js):

const express = require('express');
const cors = require('cors');
const helmet = require('helmet');
const morgan = require('morgan');
require('dotenv').config();

const app = express();
const PORT = process.env.PORT || 3000;

// Middleware
app.use(helmet());
app.use(cors());
app.use(morgan('combined'));
app.use(express.json());

// Routes
app.get('/', (req, res) => {
  res.json({ message: 'Node.js API is running!' });
});

app.get('/health', (req, res) => {
  res.json({ status: 'healthy', timestamp: new Date().toISOString() });
});

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

Services in docker-compose.yml:

services:
  app: # Your Node.js application
  mysql: # MySQL 8.0 database
  redis: # Redis cache

Environment Variables (.env.example):

NODE_ENV=production
PORT=3000
DB_HOST=mysql
DB_PORT=3306
DB_USER=root
DB_PASSWORD=rootpassword
DB_NAME=your_database
REDIS_HOST=redis
REDIS_PORT=6379
JWT_SECRET=your-jwt-secret

4. PHP Laravel (Backend Framework)

Pre-Requirements:

# Must have these files in your project root:
β”œβ”€β”€ composer.json          # Required - Contains Laravel dependencies
β”œβ”€β”€ artisan               # Laravel CLI tool
β”œβ”€β”€ app/                  # Application code
β”‚   β”œβ”€β”€ Http/
β”‚   └── Models/
β”œβ”€β”€ config/               # Configuration files
β”œβ”€β”€ database/             # Database files
β”‚   β”œβ”€β”€ migrations/
β”‚   └── seeders/
β”œβ”€β”€ routes/               # Route definitions
β”‚   β”œβ”€β”€ web.php
β”‚   └── api.php
└── storage/              # Storage directory
    β”œβ”€β”€ app/
    β”œβ”€β”€ framework/
    └── logs/

Create Command:

composer create-project laravel/laravel my-laravel-app
cd my-laravel-app
php artisan key:generate

Dependencies Check:

  • laravel/framework in composer.json
  • PHP version compatibility
  • Valid Laravel project structure

Generated Files Structure:

project-root/
β”œβ”€β”€ Dockerfile              # PHP-FPM with Nginx
β”œβ”€β”€ docker-compose.yml      # Laravel + MariaDB setup
β”œβ”€β”€ deploy.sh              # Laravel-specific deployment
β”œβ”€β”€ .env.example           # Laravel environment template
β”œβ”€β”€ composer.json          # Your existing file
β”œβ”€β”€ artisan               # Your existing Laravel CLI
β”œβ”€β”€ app/                  # Your existing application code
β”œβ”€β”€ config/               # Your existing configuration
β”œβ”€β”€ database/             # Your existing database files
β”œβ”€β”€ routes/               # Your existing routes
β”œβ”€β”€ storage/              # Your existing storage
└── vendor/               # Composer dependencies

Services in docker-compose.yml:

services:
  app: # Laravel application (PHP-FPM + Nginx)
  mariadb: # MariaDB 10.6 database

Environment Variables (.env.example):

APP_NAME=YourLaravelApp
APP_ENV=production
APP_KEY=base64:your-app-key
APP_DEBUG=false
APP_URL=http://localhost

DB_CONNECTION=mysql
DB_HOST=mariadb
DB_PORT=3306
DB_DATABASE=laravel_db
DB_USERNAME=laravel_user
DB_PASSWORD=laravel_password

5. Python Django (Full-stack Python Framework)

Pre-Requirements:

# Recommended project structure (optional - will be created if missing):
β”œβ”€β”€ manage.py             # Django management script (indicates Django project)
β”œβ”€β”€ requirements.txt      # Python dependencies (optional)
β”œβ”€β”€ myproject/            # Project directory
β”‚   β”œβ”€β”€ __init__.py
β”‚   β”œβ”€β”€ settings.py
β”‚   β”œβ”€β”€ urls.py
β”‚   └── wsgi.py
└── myapp/                # Application directory (optional)
    β”œβ”€β”€ __init__.py
    β”œβ”€β”€ models.py
    β”œβ”€β”€ views.py
    └── urls.py

Create Commands:

# Create virtual environment
python -m venv django_env
source django_env/bin/activate  # Linux/Mac
# django_env\Scripts\activate   # Windows

# Install Django
pip install django

# Create project
django-admin startproject myproject .
python manage.py startapp myapp
pip freeze > requirements.txt

Dependencies Check:

  • Python installation
  • Optional: Django project structure
  • Optional: requirements.txt file

Generated Files Structure:

project-root/
β”œβ”€β”€ Dockerfile              # Python Django container
β”œβ”€β”€ docker-compose.yml      # Django + MySQL + Nginx setup
β”œβ”€β”€ nginx/
β”‚   └── conf.d/
β”‚       └── default.conf    # Nginx configuration for Django
β”œβ”€β”€ deploy.sh              # Django deployment script
β”œβ”€β”€ .env.example           # Django environment variables
β”œβ”€β”€ requirements.txt       # Sample Python dependencies (generated if missing)
β”œβ”€β”€ manage.py              # Your existing Django management script
β”œβ”€β”€ myproject/             # Your existing Django project
β”‚   β”œβ”€β”€ settings.py
β”‚   β”œβ”€β”€ urls.py
β”‚   └── wsgi.py
└── static/                # Static files directory

Services in docker-compose.yml:

services:
  web: # Django application
  nginx: # Nginx reverse proxy
  mysql: # MySQL 8.0 database

Generated requirements.txt (if missing):

Django>=4.2.0
mysqlclient>=2.1.0
gunicorn>=20.1.0
python-decouple>=3.6
Pillow>=9.5.0

Environment Variables (.env.example):

DEBUG=False
SECRET_KEY=your-django-secret-key
DATABASE_URL=mysql://django_user:django_password@mysql:3306/django_db
ALLOWED_HOSTS=localhost,127.0.0.1

6. Python FastAPI (API Framework)

Pre-Requirements:

# Recommended project structure (optional):
β”œβ”€β”€ main.py               # FastAPI application entry point
β”œβ”€β”€ requirements.txt      # Python dependencies (optional)
β”œβ”€β”€ app/                  # Application directory (optional)
β”‚   β”œβ”€β”€ __init__.py
β”‚   β”œβ”€β”€ routers/
β”‚   β”œβ”€β”€ models/
β”‚   └── database.py
└── tests/                # Tests directory (optional)

Create Commands:

# Create virtual environment
python -m venv fastapi_env
source fastapi_env/bin/activate  # Linux/Mac

# Install FastAPI
pip install fastapi uvicorn sqlalchemy pymysql
pip freeze > requirements.txt

# Create basic structure
mkdir app
touch main.py app/__init__.py

Dependencies Check:

  • Python installation
  • Optional: FastAPI project structure
  • Optional: requirements.txt file

Generated Files Structure:

project-root/
β”œβ”€β”€ Dockerfile              # FastAPI optimized container
β”œβ”€β”€ docker-compose.yml      # FastAPI + MySQL setup
β”œβ”€β”€ deploy.sh              # FastAPI deployment script
β”œβ”€β”€ .env.example           # API environment variables
β”œβ”€β”€ requirements.txt       # FastAPI dependencies (generated if missing)
β”œβ”€β”€ main.py                # Your existing FastAPI app (or create new)
β”œβ”€β”€ app/                   # Your existing application code
β”‚   β”œβ”€β”€ routers/
β”‚   β”œβ”€β”€ models/
β”‚   └── database.py
└── tests/                 # Your existing tests

Sample FastAPI main.py:

from fastapi import FastAPI
from fastapi.responses import JSONResponse

app = FastAPI(
    title="My FastAPI App",
    description="A FastAPI application with CI/CD",
    version="1.0.0"
)

@app.get("/")
async def root():
    return {"message": "Hello from FastAPI!"}

@app.get("/health")
async def health_check():
    return JSONResponse(content={"status": "healthy"})

@app.get("/items/{item_id}")
async def read_item(item_id: int, q: str = None):
    return {"item_id": item_id, "q": q}

Services in docker-compose.yml:

services:
  web: # FastAPI application
  mysql: # MySQL 8.0 database

Generated requirements.txt (if missing):

fastapi>=0.100.0
uvicorn[standard]>=0.22.0
sqlalchemy>=2.0.0
pymysql>=1.0.3
pydantic>=2.0.0
python-multipart>=0.0.6

Environment Variables (.env.example):

DATABASE_URL=mysql+pymysql://fastapi_user:fastapi_password@mysql:3306/fastapi_db
SECRET_KEY=your-fastapi-secret-key
ALGORITHM=HS256
ACCESS_TOKEN_EXPIRE_MINUTES=30

7. Simple Python (Python with Nginx)

Pre-Requirements:

# Minimal requirements (all files will be created if missing):
β”œβ”€β”€ *.py                  # Any Python files (optional)
β”œβ”€β”€ requirements.txt      # Python dependencies (optional)
└── static/               # Static files directory (optional)

Create Commands:

# Create project directory
mkdir my-python-app && cd my-python-app

# Create virtual environment
python -m venv venv
source venv/bin/activate  # Linux/Mac

# Install Flask
pip install flask
pip freeze > requirements.txt

Dependencies Check:

  • Python installation
  • Project directory exists

Generated Files Structure:

project-root/
β”œβ”€β”€ Dockerfile              # Python with Flask/WSGI container
β”œβ”€β”€ docker-compose.yml      # Python + Nginx setup
β”œβ”€β”€ nginx/
β”‚   └── conf.d/
β”‚       └── default.conf    # Nginx configuration for Python
β”œβ”€β”€ deploy.sh              # Python deployment script
β”œβ”€β”€ .env.example           # Basic environment variables
β”œβ”€β”€ requirements.txt       # Python web dependencies (generated)
β”œβ”€β”€ app.py                 # Sample Flask application (generated)
β”œβ”€β”€ wsgi.py                # WSGI entry point (generated)
└── static/                # Static files directory

Services in docker-compose.yml:

services:
  web: # Python Flask application
  nginx: # Nginx reverse proxy

Generated app.py:

from flask import Flask, jsonify, render_template_string

app = Flask(__name__)

@app.route('/')
def hello_world():
    return render_template_string('''
    <!DOCTYPE html>
    <html>
    <head><title>Python Flask App</title></head>
    <body>
        <h1>Hello from Python Flask!</h1>
        <p>Your Flask application is running successfully.</p>
        <a href="/api">Check API</a>
    </body>
    </html>
    ''')

@app.route('/api')
def api():
    return jsonify({"message": "Hello from Python Flask API!"})

@app.route('/health')
def health_check():
    return jsonify({"status": "healthy"})

if __name__ == '__main__':
    app.run(host='0.0.0.0', port=5000, debug=False)

Generated wsgi.py:

from app import app

if __name__ == "__main__":
    app.run()

Generated requirements.txt:

Flask>=2.3.0
gunicorn>=20.1.0
python-dotenv>=1.0.0

πŸ”„ Complete Step-by-Step Usage Guide

Phase 1: Create Your Application

Step 1: Choose Your Technology

Select from the supported project types and create your application using the commands provided above.

Step 2: Verify Your Setup

# For Node.js projects
npm run dev  # or npm start

# For Python projects
python app.py  # or python manage.py runserver

# For PHP Laravel
php artisan serve

# For Next.js
npm run dev

Phase 2: Generate CI/CD Configuration

Step 1: Navigate to Your Project

cd your-project-directory

Step 2: Run the Generator

npx quick-cicd

Step 3: System Requirements Check

The tool will automatically check:

βœ“ Checking system requirements...
   Node.js v18.17.0 βœ“, Git βœ“, Docker βœ“

Step 4: Select Project Type

Choose from the interactive menu:

πŸ“¦ Select your project type:
❯ βš›οΈ  React with Vite (Frontend SPA)
  πŸ”Ό Next.js (Full-stack React Framework)
  🟒 Node.js Backend (Express/NestJS API)
  🐘 PHP Laravel (Backend Framework)
  --- Python Projects ---
  🐍 Python Django (Full-stack Python Framework with MySQL)
  ⚑ Python FastAPI (API Framework with MySQL)
  πŸ”Ή Simple Python (Python file with Nginx)

Step 5: Project Validation

The tool validates your project structure:

βœ“ Validating project configuration...
βœ“ Project configuration validated successfully

Step 6: Handle Existing Files

If CI/CD files exist, choose an action:

⚠️  Existing files found:
   β€’ Dockerfile (Docker container configuration)
   β€’ docker-compose.yml (Docker Compose orchestration)

How would you like to proceed?
❯ πŸ”„ Overwrite existing files
  πŸ“ Create with different names (.new extension)
  ❌ Cancel operation

Step 7: File Generation

Watch the progress:

βœ“ Generating CI/CD files...
   Generating Dockerfile... (1/5)
   Generating docker-compose.yml... (2/5)
   Generating deploy.sh... (3/5)
   Generating .env.example... (4/5)
   Generating ecosystem.config.js... (5/5)

Step 8: Review Generated Files

πŸ“ Generated Files:
─────────────────────────────────────────────────
   βœ“ Dockerfile (Docker container configuration)
   βœ“ docker-compose.yml (Docker Compose orchestration)
   βœ“ ecosystem.config.js (PM2 process manager config)
   βœ“ deploy.sh (Deployment automation script)
   βœ“ .env.example (Environment variables template)

Step 9: Next Steps

Follow the completion guide:

πŸŽ‰ SUCCESS!
Your CI/CD configuration has been generated successfully!

πŸ“ Next steps:
──────────────────────────────────────────────────
   1. Review and customize the generated files
   2. Configure environment variables in .env.example
   3. Set up your deployment server
   4. Test locally with Docker: docker-compose up
   5. Build your project: npm run build

3. Docker Not Running

# Start Docker service
sudo systemctl start docker  # Linux
# Or start Docker Desktop on Windows/Mac

# Check Docker status
docker --version
docker-compose --version

4. Permission Issues (Linux)

# Add user to docker group
sudo usermod -aG docker $USER
# Logout and login again

πŸ“ž Support & Contact

Developer Information:

Getting Help:

  1. Check this documentation first
  2. Review generated files for configuration issues
  3. Test locally before deploying
  4. Contact developer for specific issues

Run npx quick-cicd to get started with automated CI/CD setup for your project!