Self-hosting n8n gives you incredible power and cost savings, but webhook integrations can sometimes fail in ways that don’t occur with cloud-hosted solutions. If you’re seeing “Execution cancelled” errors or webhooks that simply don’t trigger, you’re not alone. We’ll show you how to diagnose and fix the most common webhook problems in self-hosted n8n installations.
The Problem: When Webhooks Go Silent
You’ve successfully set up your n8n instance following our complete tutorial, everything looks perfect, but suddenly your Telegram bots stop responding, API webhooks time out, and executions get cancelled with cryptic error messages. This is typically caused by a missing but critical configuration that cloud-hosted n8n handles automatically.
What You’ll Fix
By the end of this guide, you’ll have:
- ✅ Properly configured webhook URLs for all external services
- ✅ Working Telegram bot integrations with reliable message handling
- ✅ Functional API webhooks from third-party services
- ✅ No more “execution cancelled” errors from webhook timeouts
- ✅ Production-ready webhook configuration that survives server restarts
- ✅ Advanced troubleshooting skills for future webhook issues
Prerequisites
- Working n8n installation (preferably from our Hetzner setup guide)
- n8n running behind a reverse proxy (Traefik, Nginx, etc.)
- HTTPS enabled with valid SSL certificates
- SSH access to your server
- Basic Docker and command line knowledge
Understanding the Root Cause
Why Self-Hosted n8n Webhooks Fail
When you run n8n behind a reverse proxy (which you should for security and SSL), n8n needs to know its public URL to generate correct webhook endpoints. Without this configuration, n8n creates webhook URLs like:
❌ Wrong: https://yourdomain.com:5678/webhook/abc123
❌ Wrong: http://localhost:5678/webhook/abc123
Instead of the correct format:
✅ Correct: https://yourdomain.com/webhook/abc123
The Missing Environment Variable
The solution is the WEBHOOK_URL
environment variable that tells n8n exactly where it’s publicly accessible. This is automatic in cloud solutions but must be manually configured in self-hosted setups.
Step 1: Diagnose Your Current Setup
Check Your Container Configuration
First, let’s see what your current n8n configuration looks like:
# Navigate to your n8n directory
cd /opt/n8n
# Check current environment variables
cat docker-compose.yml | grep -A 20 "environment:"
Test Webhook URL Generation
Create a simple webhook workflow to see what URLs n8n is generating:
- Open your n8n interface
- Create a new workflow
- Add a “Webhook” trigger node
- Note the generated webhook URL
If the URL includes :5678
or uses localhost
, you have the problem we’re fixing.
Check Container Logs
Look for webhook-related errors:
# Check n8n logs for webhook issues
docker logs n8n-n8n-1 | grep -i webhook
# Look for execution errors
docker logs n8n-n8n-1 | grep -i "cancelled\|timeout\|failed"
Step 2: Fix the Primary Issue – Add WEBHOOK_URL
For Single n8n Instance
If you followed our original setup guide, edit your Docker Compose file:
cd /opt/n8n
# Create backup first
cp docker-compose.yml docker-compose.yml.backup
# Edit the configuration
nano docker-compose.yml
Add the WEBHOOK_URL
environment variable to your existing configuration:
version: '3'
services:
n8n:
image: n8nio/n8n:latest
restart: always
environment:
- N8N_HOST=n8n.yourdomain.com
- NODE_ENV=production
- N8N_PROTOCOL=https
- N8N_PORT=5678
- N8N_EDITOR_BASE_URL=https://n8n.yourdomain.com
- N8N_EMAIL_MODE=smtp
- N8N_SMTP_HOST=mailserver
- N8N_SMTP_PORT=25
- N8N_SMTP_SSL=false
- N8N_SMTP_USER=
- N8N_SMTP_PASS=
- N8N_SMTP_SENDER=noreply@yourdomain.com
- N8N_TRUST_PROXY_HEADER=true
- N8N_RUNNERS_ENABLED=true
# 🔧 ADD THIS LINE - Critical for webhook functionality
- WEBHOOK_URL=https://n8n.yourdomain.com
volumes:
- ./data:/home/node/.n8n
networks:
- proxy
labels:
- "traefik.enable=true"
- "traefik.http.routers.n8n.rule=Host(`n8n.yourdomain.com`)"
- "traefik.http.routers.n8n.entrypoints=https"
- "traefik.http.routers.n8n.tls.certresolver=letsencrypt"
- "traefik.http.services.n8n.loadbalancer.server.port=5678"
networks:
proxy:
external: true
For Multiple n8n Instances
If you’re running multiple n8n instances (e.g., for different teams), each needs its own WEBHOOK_URL
:
# First instance (/opt/n8n/docker-compose.yml)
environment:
- WEBHOOK_URL=https://n8n.yourdomain.com
# Second instance (/opt/n8n-team2/docker-compose.yml)
environment:
- WEBHOOK_URL=https://team2.yourdomain.com
Restart Your Container
Apply the changes:
# Stop the container
docker compose down
# Start with new configuration
docker compose up -d
# Verify it's running
docker ps | grep n8n
Step 3: Verify the Fix
Check the Container Logs
You should now see the correct URL in the logs:
docker logs n8n-n8n-1 --tail 10
Look for this line:
Editor is now accessible via:
https://n8n.yourdomain.com # ✅ Should NOT include :5678
Test Webhook Generation
- Go back to your test webhook workflow
- Delete the old webhook node
- Add a new webhook node
- Verify the generated URL is correct:
https://yourdomain.com/webhook/...
(no port number)
Test External Webhook
Create a simple test workflow:
# Test with curl
curl -X POST https://n8n.yourdomain.com/webhook/test \
-H "Content-Type: application/json" \
-d '{"test": "webhook working"}'
Step 4: Configure Telegram Bot Integration
The Telegram-Specific Challenge
Telegram requires HTTPS webhooks and has strict URL requirements. Here’s how to set up a working Telegram bot:
Create Telegram Bot Workflow
- Create a new workflow in n8n
- Add a “Telegram Trigger” node
- Configure your bot token
- The webhook URL should now be correctly formatted
Register Webhook with Telegram
# Replace YOUR_BOT_TOKEN with your actual token
# Replace the webhook URL with your actual webhook URL from n8n
curl -F "url=https://n8n.yourdomain.com/webhook/abc123" \
https://api.telegram.org/botYOUR_BOT_TOKEN/setWebhook
Verify Telegram Webhook
Check if Telegram can reach your webhook:
curl https://api.telegram.org/botYOUR_BOT_TOKEN/getWebhookInfo
You should see:
{
"ok": true,
"result": {
"url": "https://n8n.yourdomain.com/webhook/abc123",
"has_custom_certificate": false,
"pending_update_count": 0
}
}
Step 5: Advanced Webhook Configuration
Enable WebSocket Support in Traefik
Some webhook scenarios require WebSocket support. Add these labels to your Traefik configuration if you experience connection issues:
# In your n8n docker-compose.yml, add to labels:
labels:
- "traefik.enable=true"
- "traefik.http.routers.n8n.rule=Host(`n8n.yourdomain.com`)"
- "traefik.http.routers.n8n.entrypoints=https"
- "traefik.http.routers.n8n.tls.certresolver=letsencrypt"
- "traefik.http.services.n8n.loadbalancer.server.port=5678"
# Add these for WebSocket support:
- "traefik.http.routers.n8n.middlewares=websocket-headers"
- "traefik.http.middlewares.websocket-headers.headers.customrequestheaders.Connection=Upgrade"
- "traefik.http.middlewares.websocket-headers.headers.customrequestheaders.Upgrade=websocket"
Configure Webhook Timeouts
For long-running webhook processes, increase timeouts:
environment:
# Add these for webhook reliability
- N8N_DEFAULT_BINARY_DATA_MODE=filesystem
- N8N_PAYLOAD_SIZE_MAX=16MB
- EXECUTIONS_DATA_SAVE_ON_ERROR=all
- EXECUTIONS_DATA_SAVE_ON_SUCCESS=all
- EXECUTIONS_DATA_SAVE_MANUAL_EXECUTIONS=true
Troubleshooting Common Issues
Problem: Still Getting Port Numbers in URLs
Symptoms:
- Webhook URLs still show
:5678
- External services can’t reach webhooks
Solution:
# Check if environment variable is properly set
docker exec n8n-n8n-1 env | grep WEBHOOK_URL
# If missing, recreate container:
docker compose down
docker compose up -d --force-recreate
Problem: “Bad webhook: HTTPS URL must be provided”
Symptoms:
- Telegram bot setup fails
- Error mentions HTTPS requirement
Cause: Your webhook URL is not using HTTPS or has SSL certificate issues.
Solution:
# Test SSL certificate
curl -I https://n8n.yourdomain.com
# Check Traefik logs for SSL issues
docker logs traefik | grep -i certificate
# Verify domain DNS points to your server
nslookup n8n.yourdomain.com
Problem: Webhooks Work in Test Mode but Fail in Production
Symptoms:
- Test webhook executions work fine
- Production webhooks timeout or fail
Solution:
# Check for webhook URL conflicts
docker logs n8n-n8n-1 | grep "webhook.*test"
# Ensure production workflows use production URLs
# Deactivate test workflows before activating production ones
Problem: “Connection reset by peer” or 502 Bad Gateway
Symptoms:
- Intermittent webhook failures
- Gateway errors in logs
Solution:
# Check if container is running out of memory
docker stats n8n-n8n-1
# Increase container resources if needed:
# Add to docker-compose.yml under the n8n service:
deploy:
resources:
limits:
memory: 2G
reservations:
memory: 1G
Security Considerations
Webhook IP Whitelisting
For sensitive webhooks, consider IP restrictions:
# In your webhook node configuration
"ipWhitelist": ["192.168.1.0/24", "10.0.0.0/8"]
Webhook Authentication
Always use webhook authentication when possible:
# In your webhook configuration
"authenticationMethod": "headerAuth"
"authenticationData": {
"name": "X-API-Key",
"value": "your-secret-key"
}
Rate Limiting
Protect against webhook abuse:
# Add to Traefik labels
- "traefik.http.middlewares.rate-limit.ratelimit.average=10"
- "traefik.http.middlewares.rate-limit.ratelimit.burst=20"
- "traefik.http.routers.n8n.middlewares=rate-limit"
Monitoring and Maintenance
Monitor Webhook Health
Create a monitoring workflow:
- Add a “Cron” trigger (every 5 minutes)
- Add an “HTTP Request” node to test your webhook
- Add notification logic for failures
Log Webhook Activity
Enable detailed webhook logging:
environment:
- N8N_LOG_LEVEL=debug
- N8N_LOG_OUTPUT=console,file
- N8N_LOG_FILE_COUNT_MAX=100
- N8N_LOG_FILE_SIZE_MAX=16
Backup Webhook Configurations
#!/bin/bash
# Create webhook backup script
mkdir -p /opt/backups/webhook-configs
cd /opt/n8n
# Backup workflow definitions
docker exec n8n-n8n-1 n8n export:workflow --backup --output=/tmp/workflows-backup.json
docker cp n8n-n8n-1:/tmp/workflows-backup.json /opt/backups/webhook-configs/workflows-$(date +%Y%m%d).json
# Backup credentials
docker exec n8n-n8n-1 n8n export:credentials --backup --output=/tmp/credentials-backup.json
docker cp n8n-n8n-1:/tmp/credentials-backup.json /opt/backups/webhook-configs/credentials-$(date +%Y%m%d).json
Performance Optimization
Webhook Response Optimization
Configure efficient webhook responses:
environment:
# Optimize for webhook performance
- N8N_DISABLE_UI=false
- N8N_BINARY_DATA_TTL=1440
- N8N_PERSISTED_BINARY_DATA_TTL=1440
- GENERIC_TIMEZONE=UTC
Database Cleanup for Webhooks
High-volume webhooks can fill your database:
# Add to weekly cron job
#!/bin/bash
docker exec n8n-n8n-1 n8n execute --help
# Clean old executions (keep last 1000)
docker exec n8n-n8n-1 n8n execute \
--file=/usr/local/lib/node_modules/n8n/bin/cleanup \
--maxAge=30 \
--maxExecutions=1000
Testing Webhook Integrations
Test Suite for Common Webhook Types
Create test workflows for different webhook types:
Simple REST API Webhook:
{
"method": "POST",
"url": "https://n8n.yourdomain.com/webhook/test-api",
"headers": {
"Content-Type": "application/json"
},
"body": {
"test": true,
"timestamp": "{{new Date().toISOString()}}"
}
}
Telegram Bot Test: Send a message to your bot and verify the workflow triggers correctly.
Form Submission Test:
<form action="https://n8n.yourdomain.com/webhook/form-test" method="POST">
<input type="text" name="name" value="Test User">
<input type="email" name="email" value="test@example.com">
<button type="submit">Test Webhook</button>
</form>
Scaling Webhook Infrastructure
Multiple n8n Instances with Load Balancing
For high-volume webhook processing:
# docker-compose.yml for load-balanced setup
version: '3'
services:
n8n-1:
image: n8nio/n8n:latest
environment:
- WEBHOOK_URL=https://n8n.yourdomain.com
- N8N_PORT=5678
# ... other config
n8n-2:
image: n8nio/n8n:latest
environment:
- WEBHOOK_URL=https://n8n.yourdomain.com
- N8N_PORT=5679
# ... other config
# Add Traefik load balancing labels:
# - "traefik.http.services.n8n.loadbalancer.server.port=5678,5679"
Webhook Queue Management
For handling webhook bursts:
environment:
- QUEUE_BULL_REDIS_HOST=redis
- QUEUE_BULL_REDIS_PORT=6379
- EXECUTIONS_MODE=queue
- EXECUTIONS_TIMEOUT=3600
- EXECUTIONS_TIMEOUT_MAX=7200
Cost and Performance Impact
Webhook Processing Costs
When properly configured, webhook processing is extremely efficient:
- Server Resources: Minimal CPU/memory impact for most webhooks
- Storage: Execution data scales with webhook volume
- Network: Bandwidth scales with payload sizes
Cost Comparison
Self-hosted webhook processing vs. cloud alternatives:
- n8n Cloud Starter: $20/month (5,000 executions)
- Self-hosted (Hetzner CX11): €4.51/month (unlimited executions)
- Savings: $180+ annually with unlimited webhook capacity
Advanced Integration Examples
Webhook to Database Pipeline
Complete example for webhook-to-database integration:
# Workflow: API Webhook → Data Validation → Database Insert
# 1. Webhook Trigger (receives data)
# 2. Function Node (validates/transforms data)
# 3. Database Node (inserts processed data)
# 4. HTTP Response (confirms receipt)
Multi-Service Webhook Router
Route different webhook types to appropriate handlers:
# Workflow: Webhook Router
# 1. Webhook Trigger (catches all webhooks)
# 2. Switch Node (routes by webhook source)
# 3. Multiple branches for different services
# 4. Appropriate response formatting
Conclusion
Properly configured webhooks are essential for a production-ready n8n installation. The WEBHOOK_URL
environment variable is the single most important configuration for webhook reliability in self-hosted setups. Combined with proper SSL configuration and monitoring, your self-hosted n8n instance can handle webhook workloads that would cost hundreds of dollars monthly in cloud solutions.
Key Benefits of This Configuration
- Cost-effective: Process unlimited webhooks for under €5/month
- Reliable: Production-tested configuration handles high-volume scenarios
- Secure: HTTPS, authentication, and rate limiting protect your infrastructure
- Scalable: Architecture supports growth from personal projects to enterprise workflows
- Private: Your webhook data never leaves your infrastructure
This guide builds upon our original n8n setup tutorial to create a complete, webhook-ready automation platform. Whether you’re processing Telegram messages, API callbacks, or form submissions, your self-hosted n8n instance now handles them all reliably and cost-effectively.
For complex webhook scenarios or enterprise-grade implementations, consider reaching out for professional consultation to optimize your specific use case.
About tva
tva ensures comprehensive infrastructure management of database systems, cloud environments, and global supply chains. Our methodical approach combines rigorous security protocols with performance optimization, while strategic advisory services enable precise coordination of both digital capabilities and physical assets – maintaining the highest standards of operational excellence and compliance throughout all engagements.
Visit tva.sg for more information about our services and additional automation tutorials.