// Step-by-step walkthrough with a complete Jenkinsfile example for building, pushing, and deploying Docker containers to a private registry.
This guide uses test/dummy values to demonstrate a Jenkins pipeline for Docker deployments to a Sonatype Nexus registry. We’ll explain prerequisites, credential setup, and pipeline configuration for a secure CI/CD workflow.
Before configuring the Jenkinsfile:
Nexus Repository Setup
https://your-nexus-registry.local
).Jenkins Preparation
Credential Setup
nexus-docker-credentials
(used later in the pipeline).What is nexus-credentials
?
docker:push
permissions).How to Create It:
nexus-service-account
(example)nexus-docker-credentials
(reference this ID in the pipeline)Below is a pipeline with generic placeholders for testing:
pipeline {
agent any
environment {
// Example Nexus registry URL (replace with your test URL)
DOCKER_REGISTRY = 'https://your-nexus-registry.local'
// Example image name (use a test repository path)
DOCKER_IMAGE = 'your-nexus-registry.local/test-app:latest'
// Example container name
DOCKER_CONTAINER = 'test-container'
// Example port
PORT = 8080
}
stages {
stage('Clone Repo') {
steps { checkout scm }
}
stage('Build Image') {
steps { sh 'docker build -t $DOCKER_IMAGE .' }
}
stage('Push to Nexus') {
steps {
// Use the credential ID created earlier
withDockerRegistry([
credentialsId: 'nexus-docker-credentials',
url: DOCKER_REGISTRY
]) {
sh 'docker push $DOCKER_IMAGE'
}
}
}
stage('Deploy') {
steps {
sh '''
docker stop $DOCKER_CONTAINER || true
docker rm $DOCKER_CONTAINER || true
docker run -d --name $DOCKER_CONTAINER -p $PORT:$PORT $DOCKER_IMAGE
'''
}
}
}
}
DOCKER_REGISTRY
: Replace your-nexus-registry.local
with your Nexus Docker registry URL.DOCKER_IMAGE
: Follow the format: <nexus-registry>/<repository>/<image-name>:<tag>
.credentialsId: 'nexus-docker-credentials'
references the credential you created in Jenkins.withDockerRegistry
block handles login/logout to Nexus automatically.|| true
to avoid pipeline failures if the container doesn’t exist.Test Your Setup:
docker logs test-container
.Security Tips:
docker:push
only.Troubleshooting:
docker login
test.This configuration ensures a secure, repeatable deployment process to Nexus. 🛠️