azure-nodejs-production
Express/Node.js Production Configuration for Azure
Overview
When deploying Express/Node.js apps to Azure (Container Apps, App Service), you MUST configure production settings that aren't needed locally.
Required Production Settings
1. Trust Proxy (CRITICAL)
Azure load balancers and reverse proxies sit in front of your app. Without trust proxy, you'll get:
- Wrong client IP addresses
- HTTPS detection failures
- Cookie issues
// app.js or server.js
const app = express();
// REQUIRED for Azure - trust the Azure load balancer
app.set('trust proxy', 1); // Trust first proxy
// Or trust all proxies (less secure but simpler)
app.set('trust proxy', true);
2. Cookie Configuration
Azure's infrastructure requires specific cookie settings:
// Session configuration
app.use(session({
secret: process.env.SESSION_SECRET,
resave: false,
saveUninitialized: false,
cookie: {
secure: process.env.NODE_ENV === 'production', // HTTPS only in prod
sameSite: 'lax', // Required for Azure
httpOnly: true,
maxAge: 24 * 60 * 60 * 1000 // 24 hours
}
}));
Key settings:
sameSite: 'lax'- Required for cookies to work through Azure's proxysecure: true- Only in production (HTTPS)httpOnly: true- Prevent XSS attacks
3. Health Check Endpoint
Azure Container Apps and App Service check your app's health:
// Add health check endpoint
app.get('/health', (req, res) => {
res.status(200).json({ status: 'healthy', timestamp: new Date().toISOString() });
});
// Or minimal version
app.get('/health', (req, res) => res.sendStatus(200));
Configure in Container Apps:
az containerapp update \
--name APP \
--resource-group RG \
--health-probe-path /health \
--health-probe-interval 30
4. Port Configuration
Azure sets the port via environment variable:
// Listen on Azure's port or default to 3000
const port = process.env.PORT || process.env.WEBSITES_PORT || 3000;
app.listen(port, '0.0.0.0', () => {
console.log(`Server running on port ${port}`);
});
Important: Bind to 0.0.0.0, not localhost or 127.0.0.1.
5. Environment Detection
const isProduction = process.env.NODE_ENV === 'production';
const isAzure = process.env.WEBSITE_SITE_NAME || process.env.CONTAINER_APP_NAME;
if (isProduction || isAzure) {
app.set('trust proxy', 1);
// Enable production-only settings
}
Complete Production Configuration
// app.js - Production-ready Express configuration for Azure
const express = require('express');
const session = require('express-session');
const app = express();
// Environment
const isProduction = process.env.NODE_ENV === 'production';
// Trust Azure load balancer
if (isProduction) {
app.set('trust proxy', 1);
}
// Security headers
app.use((req, res, next) => {
res.setHeader('X-Content-Type-Options', 'nosniff');
res.setHeader('X-Frame-Options', 'DENY');
next();
});
// JSON parsing
app.use(express.json());
app.use(express.urlencoded({ extended: true }));
// Session (if using)
app.use(session({
secret: process.env.SESSION_SECRET || 'dev-secret-change-in-prod',
resave: false,
saveUninitialized: false,
cookie: {
secure: isProduction,
sameSite: 'lax',
httpOnly: true,
maxAge: 24 * 60 * 60 * 1000
}
}));
// Health check
app.get('/health', (req, res) => {
res.status(200).json({ status: 'ok' });
});
// Your routes here
app.get('/', (req, res) => {
res.json({ message: 'Hello from Azure!' });
});
// Error handler
app.use((err, req, res, next) => {
console.error(err.stack);
res.status(500).json({ error: isProduction ? 'Internal error' : err.message });
});
// Start server
const port = process.env.PORT || 3000;
app.listen(port, '0.0.0.0', () => {
console.log(`Server running on port ${port}`);
});
Dockerfile for Azure
FROM node:20-alpine
WORKDIR /app
# Install dependencies first (better caching)
COPY package*.json ./
RUN npm ci --only=production
# Copy app
COPY . .
# Set production environment
ENV NODE_ENV=production
# Expose port (Azure uses PORT env var)
EXPOSE 3000
# Health check
HEALTHCHECK \
CMD wget --no-verbose --tries=1 --spider http://localhost:3000/health || exit 1
# Start app
CMD ["node", "app.js"]
Common Issues
Cookies Not Setting
Symptom: Session lost between requests
Fix:
- Add
app.set('trust proxy', 1) - Set
sameSite: 'lax'in cookie config - Set
secure: trueonly if using HTTPS
Wrong Client IP
Symptom: req.ip returns Azure internal IP
Fix:
app.set('trust proxy', 1);
// Now req.ip returns actual client IP
HTTPS Redirect Loop
Symptom: Infinite redirects when forcing HTTPS
Fix:
// Check x-forwarded-proto, not req.secure
// Use a trusted host instead of the untrusted Host header to avoid open redirects
const TRUSTED_HOST = process.env.APP_PUBLIC_HOSTNAME; // e.g. "myapp.contoso.com"
app.use((req, res, next) => {
if (req.get('x-forwarded-proto') !== 'https' && process.env.NODE_ENV === 'production') {
const host = TRUSTED_HOST;
if (!host) {
// If no trusted host is configured, skip redirect to avoid using untrusted Host header
return next();
}
// Optionally enforce an allowlist here for extra safety
return res.redirect(`https://${host}${req.originalUrl}`);
}
next();
});
Health Check Failing
Symptom: Container restarts repeatedly
Fix:
- Ensure
/healthendpoint returns 200 - Check app starts within startup probe timeout
- Verify port matches container configuration
Environment Variables
Set these in Azure:
az containerapp update \
--name APP \
--resource-group RG \
--set-env-vars \
NODE_ENV=production \
SESSION_SECRET=your-secret-here \
PORT=3000
⚠️ Important distinction:
azd env setvs Application Environment Variables
azd env setsets variables for the azd provisioning process, NOT application runtime environment variables. These are used by azd and Bicep during deployment (e.g.,AZURE_LOCATION,AZURE_SUBSCRIPTION_ID).Application environment variables (like
NODE_ENV,SESSION_SECRET) must be configured in one of these ways:
- In Bicep templates - Define in the resource's
envproperty- Via Azure CLI - Use
az containerapp update --set-env-vars(shown above)- In azure.yaml - Use the
envsection in service configuration
Setting azd provisioning parameters:
# These are for azd/Bicep configuration, NOT application runtime
azd env set AZURE_LOCATION eastus
azd env set AZURE_SUBSCRIPTION_ID <subscription-id>
Setting application environment variables in azure.yaml:
services:
api:
host: containerapp
# Application runtime environment variables
env:
NODE_ENV: production
PORT: "3000"
Setting application environment variables in Bicep:
env: [
{ name: 'NODE_ENV', value: 'production' }
{ name: 'SESSION_SECRET', secretRef: 'session-secret' }
]