container-deployment

Container & Deployment Engineer

Safety Notice

This listing is imported from skills.sh public index metadata. Review upstream SKILL.md and repository scripts before running.

Copy this and send it to your AI assistant to learn

Install skill "container-deployment" with this command: npx skills add richertunes/brainarr/richertunes-brainarr-container-deployment

Container & Deployment Engineer

Mission

Design and implement containerization and deployment automation for Brainarr, enabling easy distribution, deployment, and scaling across diverse environments.

Expertise Areas

  1. Docker Containerization
  • Create optimized Dockerfiles for plugins

  • Build multi-stage Docker images

  • Implement layer caching strategies

  • Manage container image sizes

  • Handle .NET runtime containers

  1. Container Registry Management
  • Publish to GitHub Container Registry (GHCR)

  • Manage Docker Hub repositories

  • Implement image tagging strategies

  • Handle multi-architecture images

  • Manage registry authentication

  1. Deployment Automation
  • Create deployment pipelines

  • Implement blue-green deployments

  • Handle zero-downtime deployments

  • Implement rollback strategies

  • Manage environment-specific configs

  1. Kubernetes Orchestration
  • Create Kubernetes manifests

  • Design Helm charts

  • Implement service deployments

  • Handle ConfigMaps and Secrets

  • Manage persistent volumes

  1. Infrastructure as Code
  • Write Terraform configurations

  • Create CloudFormation templates

  • Implement Ansible playbooks

  • Design docker-compose files

  • Manage environment provisioning

Current Project Context

Brainarr Infrastructure Status

  • Containerization: ❌ No Docker images published

  • Existing Docker Usage: ✅ Uses Docker to extract Lidarr assemblies

  • Deployment: ⚠️ Manual installation only

  • Orchestration: ❌ No Kubernetes/Helm charts

  • IaC: ⚠️ Examples exist in documentation but not CI-integrated

Existing Docker References

  • .github/workflows/ci.yml

  • Extracts from ghcr.io/hotio/lidarr:pr-plugins-3.1.2.4913

  • docs/deployment/

  • Docker Compose examples (not automated)

  • docs/deployment/

  • Dockerfile examples (not automated)

Enhancement Opportunities

  • Publish Pre-packaged Images: Lidarr + Brainarr combined image

  • Plugin-only Image: Lightweight plugin distribution

  • Multi-arch Support: amd64, arm64, arm/v7

  • Registry Publishing: GHCR automated in release workflow

  • Helm Chart: Kubernetes deployment automation

Best Practices

Docker Image Design

Option 1: Pre-packaged Lidarr + Brainarr

FROM ghcr.io/hotio/lidarr:pr-plugins-3.1.2.4913

LABEL org.opencontainers.image.source="https://github.com/RicherTunes/brainarr" LABEL org.opencontainers.image.description="Lidarr with Brainarr AI plugin pre-installed" LABEL org.opencontainers.image.licenses="MIT"

Copy plugin files

COPY --chown=hotio:hotio artifacts/plugin/ /config/plugins/RicherTunes/Brainarr/

Add health check

HEALTHCHECK --interval=30s --timeout=10s --start-period=60s --retries=3
CMD curl -f http://localhost:8686/ping || exit 1

EXPOSE 8686

ENTRYPOINT ["/init"]

Benefits:

  • One-command deployment

  • No manual plugin installation

  • Consistent versions

  • Easy upgrades

Option 2: Plugin-only Sidecar

FROM alpine:latest

LABEL org.opencontainers.image.source="https://github.com/RicherTunes/brainarr" LABEL org.opencontainers.image.description="Brainarr plugin files for mounting into Lidarr"

Create plugin directory structure

RUN mkdir -p /plugin/RicherTunes/Brainarr

Copy plugin artifacts

COPY artifacts/plugin/ /plugin/RicherTunes/Brainarr/

Create volume for mounting

VOLUME ["/plugin"]

Use scratch base for minimal size

FROM scratch COPY --from=0 /plugin /plugin VOLUME ["/plugin"]

Benefits:

  • Minimal image size

  • Volume mount approach

  • Independent updates

  • Flexible deployment

Multi-Architecture Builds

In .github/workflows/release.yml

  • name: Build and push multi-arch image uses: docker/build-push-action@v5 with: context: . platforms: linux/amd64,linux/arm64,linux/arm/v7 push: true tags: | ghcr.io/richertunes/brainarr:${{ env.VERSION }} ghcr.io/richertunes/brainarr:latest

Image Tagging Strategy

  • latest

  • Latest stable release

  • v1.3.1

  • Specific version

  • v1.3

  • Minor version track

  • v1

  • Major version track

  • develop

  • Development branch

  • pr-123

  • Pull request builds

  • sha-abc123

  • Commit SHA builds

Docker Compose for Development

version: '3.9'

services: lidarr: image: ghcr.io/richertunes/lidarr-brainarr:latest container_name: lidarr-brainarr environment: - PUID=1000 - PGID=1000 - TZ=America/New_York - BRAINARR_API_KEY=${BRAINARR_API_KEY} volumes: - ./config:/config - ./music:/music - ./downloads:/downloads ports: - "8686:8686" restart: unless-stopped healthcheck: test: ["CMD", "curl", "-f", "http://localhost:8686/ping"] interval: 30s timeout: 10s retries: 3 start_period: 60s

Kubernetes Deployment

apiVersion: apps/v1 kind: Deployment metadata: name: lidarr-brainarr labels: app: lidarr plugin: brainarr spec: replicas: 1 selector: matchLabels: app: lidarr template: metadata: labels: app: lidarr spec: containers: - name: lidarr image: ghcr.io/richertunes/lidarr-brainarr:v1.3.1 ports: - containerPort: 8686 env: - name: PUID value: "1000" - name: PGID value: "1000" volumeMounts: - name: config mountPath: /config - name: music mountPath: /music livenessProbe: httpGet: path: /ping port: 8686 initialDelaySeconds: 60 periodSeconds: 30 volumes: - name: config persistentVolumeClaim: claimName: lidarr-config - name: music persistentVolumeClaim: claimName: music-library

Helm Chart Structure

helm/brainarr/ ├── Chart.yaml ├── values.yaml ├── templates/ │ ├── deployment.yaml │ ├── service.yaml │ ├── ingress.yaml │ ├── configmap.yaml │ └── secret.yaml └── README.md

Deployment Strategies

Blue-Green Deployment

  • Deploy new version (green) alongside current (blue)

  • Run health checks on green

  • Switch traffic from blue to green

  • Keep blue running for quick rollback

  • Decommission blue after validation period

Canary Deployment

  • Deploy new version to subset of instances (10%)

  • Monitor metrics and error rates

  • Gradually increase traffic (25%, 50%, 100%)

  • Rollback if issues detected

  • Full rollout when stable

Rolling Deployment

  • Update instances one at a time

  • Health check before proceeding to next

  • Maintain service availability throughout

  • Automatic rollback on failures

CI/CD Integration

GitHub Actions Container Workflow

name: Container Build and Publish

on: push: tags: - 'v*..' workflow_dispatch:

jobs: build-and-push: runs-on: ubuntu-latest permissions: contents: read packages: write

steps:
  - uses: actions/checkout@v4

  - name: Set up Docker Buildx
    uses: docker/setup-buildx-action@v3

  - name: Log in to GHCR
    uses: docker/login-action@v3
    with:
      registry: ghcr.io
      username: ${{ github.actor }}
      password: ${{ secrets.GITHUB_TOKEN }}

  - name: Extract version
    id: version
    run: echo "VERSION=${GITHUB_REF#refs/tags/v}" >> $GITHUB_OUTPUT

  - name: Build and push
    uses: docker/build-push-action@v5
    with:
      context: .
      platforms: linux/amd64,linux/arm64
      push: true
      tags: |
        ghcr.io/richertunes/brainarr:${{ steps.version.outputs.VERSION }}
        ghcr.io/richertunes/brainarr:latest
      cache-from: type=gha
      cache-to: type=gha,mode=max

Troubleshooting

Image Size Too Large

Problem: Docker image is 500MB+ Solutions:

  • Use multi-stage builds

  • Clean up package caches

  • Avoid installing dev dependencies

  • Use .dockerignore

Slow Container Builds

Problem: Build takes 10+ minutes Solutions:

  • Enable Docker layer caching

  • Use GitHub Actions cache

  • Parallelize builds

  • Optimize layer order

Permission Issues

Problem: Plugin files not readable in container Solutions:

  • Set correct PUID/PGID

  • Use COPY --chown in Dockerfile

  • Check volume mount permissions

Health Check Failures

Problem: Container marked unhealthy Solutions:

  • Increase start-period

  • Verify health check endpoint

  • Check Lidarr startup time

  • Review container logs

Implementation Roadmap

Phase 1: Basic Containerization

  • Create Dockerfile for Lidarr + Brainarr image

  • Add .dockerignore file

  • Test local builds

  • Document manual build process

Phase 2: CI/CD Integration

  • Add container-build.yml workflow

  • Configure GHCR authentication

  • Implement image tagging strategy

  • Test automated builds on tags

Phase 3: Multi-Architecture

  • Set up Docker Buildx

  • Add ARM support (arm64, arm/v7)

  • Test on different platforms

  • Document supported architectures

Phase 4: Orchestration

  • Create Helm chart

  • Add Kubernetes manifests

  • Document deployment options

  • Provide example configurations

Related Skills

  • release-automation

  • Integrate container builds in releases

  • artifact-manager

  • Manage container images as artifacts

  • observability

  • Add monitoring to deployed containers

Examples

Example 1: Create Docker Image

User: "Create a Docker image that includes Lidarr and Brainarr" Action:

  • Create Dockerfile with multi-stage build

  • Base on ghcr.io/hotio/lidarr:pr-plugins

  • Copy Brainarr plugin files

  • Add health check

  • Test local build

  • Document usage

Example 2: Publish to GHCR

User: "Automatically publish Docker images on release" Action:

  • Create .github/workflows/container-build.yml

  • Configure GHCR authentication

  • Add multi-arch build support

  • Implement version tagging from git tags

  • Test on release tag

  • Document image usage in README

Example 3: Create Helm Chart

User: "Create a Helm chart for Kubernetes deployment" Action:

  • Create helm/brainarr/ directory structure

  • Write Chart.yaml with metadata

  • Create deployment, service, ingress templates

  • Add values.yaml with sensible defaults

  • Document installation: helm install brainarr ./helm/brainarr

Source Transparency

This detail page is rendered from real SKILL.md content. Trust labels are metadata-based hints, not a safety guarantee.

Related Skills

Related by shared tags or category signals.

Coding

code-quality

No summary provided by upstream source.

Repository SourceNeeds Review
Automation

release-automation

No summary provided by upstream source.

Repository SourceNeeds Review
Security

security-compliance

No summary provided by upstream source.

Repository SourceNeeds Review
General

image-gen

Generate AI images from text prompts. Triggers on: "生成图片", "画一张", "AI图", "generate image", "配图", "create picture", "draw", "visualize", "generate an image".

Archived SourceRecently Updated
container-deployment | V50.AI