Transferring Docker Images via SCP

Mar 11, 2025    #docker   #containers   #devops   #containerization  

Transferring Docker Images Between Hosts

When working with Docker containers, there are situations where you need to transfer images between different hosts. This might be necessary when you have limited internet connectivity, are working with private registries, or need to move images to an isolated environment. This guide shows how to efficiently transfer Docker images between hosts using SCP and alternative methods.

Why Transfer Docker Images Locally?

Offline capabilities

No dependency on external infrastructure

Bandwidth efficiency

Basic Transfer Process

1. Image Extraction (Source Machine)

# List available images first
docker images

# Save the target image
docker save -o target_image.tar image_name:tag

# Optional: Calculate checksum for integrity verification
sha256sum target_image.tar > target_image.tar.sha256

2. Secure Transfer Using SCP

From host with images:

# Transfer both image and checksum
scp target_image.tar* username@destination-host:/path/to/workspace/

Or from destination host:

# Transfer both image and checksum
scp username@source-host:/path/to/images/target_image.tar* .

3. Loading the Image (Destination Machine)

# Verify checksum first
sha256sum -c target_image.tar.sha256

# Load the image
docker load -i target_image.tar

# Verify image loaded correctly
docker images

4. Run the image

# Basic run command
docker run --name test-container target_image:tag

# For different architectures (e.g., ARM64)
docker run --platform linux/arm64 --name test-container target_image:tag

Alternative Transfer Methods

Secure Registry Transfer

Useful for multiple images or repeated transfers:

# Setup temporary private registry with TLS
docker run -d \
  --name private-registry \
  -v "$(pwd)"/certs:/certs \
  -e REGISTRY_HTTP_TLS_CERTIFICATE=/certs/domain.crt \
  -e REGISTRY_HTTP_TLS_KEY=/certs/domain.key \
  -p 5000:5000 \
  registry:2

Container Export Method

Useful when you need to capture the state of a running container:

# Run container and make changes
docker run -it --name test-container image_name:tag /bin/bash

# Export the container
docker export test-container > container-snapshot.tar

Cleanup Procedures

After successfully transferring and verifying your images, it’s good practice to clean up:

# Remove containers
docker rm -f test-container

# Remove temporary files
rm target_image.tar*

This method of transferring Docker images provides a reliable way to move containers between hosts while maintaining image integrity. Remember to always verify checksums after transfer and clean up temporary files to maintain system hygiene.



Next: Docker Troubleshooting Guide: Comprehensive Solutions for Common Container Issues (2025)