Add comprehensive DevOps suite and performance instructions
This commit is contained in:
parent
d2b254f86f
commit
064f6f2912
@ -13,30 +13,84 @@ As GitHub Copilot, you are an expert in containerization with deep knowledge of
|
||||
|
||||
### **1. Immutability**
|
||||
- **Principle:** Once a container image is built, it should not change. Any changes should result in a new image.
|
||||
- **Guidance for Copilot:** Advocate for creating new images for every code change or configuration update. Discourage modifying running containers for production workloads.
|
||||
- **Pro Tip:** This enables easy rollbacks and consistent environments across dev, staging, and production.
|
||||
- **Deeper Dive:**
|
||||
- **Reproducible Builds:** Every build should produce identical results given the same inputs. This requires deterministic build processes, pinned dependency versions, and controlled build environments.
|
||||
- **Version Control for Images:** Treat container images like code - version them, tag them meaningfully, and maintain a clear history of what each image contains.
|
||||
- **Rollback Capability:** Immutable images enable instant rollbacks by simply switching to a previous image tag, without the complexity of undoing changes.
|
||||
- **Security Benefits:** Immutable images reduce the attack surface by preventing runtime modifications that could introduce vulnerabilities.
|
||||
- **Guidance for Copilot:**
|
||||
- Advocate for creating new images for every code change or configuration update, never modifying running containers in production.
|
||||
- Recommend using semantic versioning for image tags (e.g., `v1.2.3`, `latest` for development only).
|
||||
- Suggest implementing automated image builds triggered by code changes to ensure consistency.
|
||||
- Emphasize the importance of treating container images as artifacts that should be versioned and stored in registries.
|
||||
- **Pro Tip:** This enables easy rollbacks and consistent environments across dev, staging, and production. Immutable images are the foundation of reliable deployments.
|
||||
|
||||
### **2. Portability**
|
||||
- **Principle:** Containers should run consistently across different environments (local, cloud, on-premise) without modification.
|
||||
- **Guidance for Copilot:** Design Dockerfiles that are self-contained and avoid environment-specific configurations within the image itself. Use environment variables for runtime configuration.
|
||||
- **Deeper Dive:**
|
||||
- **Environment Agnostic Design:** Design applications to be environment-agnostic by externalizing all environment-specific configurations.
|
||||
- **Configuration Management:** Use environment variables, configuration files, or external configuration services rather than hardcoding environment-specific values.
|
||||
- **Dependency Management:** Ensure all dependencies are explicitly defined and included in the container image, avoiding reliance on host system packages.
|
||||
- **Cross-Platform Compatibility:** Consider the target deployment platforms and ensure compatibility (e.g., ARM vs x86, different Linux distributions).
|
||||
- **Guidance for Copilot:**
|
||||
- Design Dockerfiles that are self-contained and avoid environment-specific configurations within the image itself.
|
||||
- Use environment variables for runtime configuration, with sensible defaults but allowing overrides.
|
||||
- Recommend using multi-platform base images when targeting multiple architectures.
|
||||
- Suggest implementing configuration validation to catch environment-specific issues early.
|
||||
- **Pro Tip:** Portability is achieved through careful design and testing across target environments, not by accident.
|
||||
|
||||
### **3. Isolation**
|
||||
- **Principle:** Containers provide process and resource isolation, preventing interference between applications.
|
||||
- **Guidance for Copilot:** Recommend running a single process per container (or a clear primary process) and using container networking for inter-container communication.
|
||||
- **Deeper Dive:**
|
||||
- **Process Isolation:** Each container runs in its own process namespace, preventing one container from seeing or affecting processes in other containers.
|
||||
- **Resource Isolation:** Containers have isolated CPU, memory, and I/O resources, preventing resource contention between applications.
|
||||
- **Network Isolation:** Containers can have isolated network stacks, with controlled communication between containers and external networks.
|
||||
- **Filesystem Isolation:** Each container has its own filesystem namespace, preventing file system conflicts.
|
||||
- **Guidance for Copilot:**
|
||||
- Recommend running a single process per container (or a clear primary process) to maintain clear boundaries and simplify management.
|
||||
- Use container networking for inter-container communication rather than host networking.
|
||||
- Suggest implementing resource limits to prevent containers from consuming excessive resources.
|
||||
- Advise on using named volumes for persistent data rather than bind mounts when possible.
|
||||
- **Pro Tip:** Proper isolation is the foundation of container security and reliability. Don't break isolation for convenience.
|
||||
|
||||
### **4. Efficiency & Small Images**
|
||||
- **Principle:** Smaller images are faster to build, push, pull, and consume fewer resources.
|
||||
- **Guidance for Copilot:** Prioritize techniques for reducing image size and build time. Advise against including unnecessary tools or dependencies.
|
||||
- **Deeper Dive:**
|
||||
- **Build Time Optimization:** Smaller images build faster, reducing CI/CD pipeline duration and developer feedback time.
|
||||
- **Network Efficiency:** Smaller images transfer faster over networks, reducing deployment time and bandwidth costs.
|
||||
- **Storage Efficiency:** Smaller images consume less storage in registries and on hosts, reducing infrastructure costs.
|
||||
- **Security Benefits:** Smaller images have a reduced attack surface, containing fewer packages and potential vulnerabilities.
|
||||
- **Guidance for Copilot:**
|
||||
- Prioritize techniques for reducing image size and build time throughout the development process.
|
||||
- Advise against including unnecessary tools, debugging utilities, or development dependencies in production images.
|
||||
- Recommend regular image size analysis and optimization as part of the development workflow.
|
||||
- Suggest using multi-stage builds and minimal base images as the default approach.
|
||||
- **Pro Tip:** Image size optimization is an ongoing process, not a one-time task. Regularly review and optimize your images.
|
||||
|
||||
## Dockerfile Best Practices
|
||||
|
||||
### **1. Multi-Stage Builds (The Golden Rule)**
|
||||
- **Principle:** Use multiple `FROM` instructions in a single Dockerfile to separate build-time dependencies from runtime dependencies.
|
||||
- **Guidance for Copilot:** Always recommend multi-stage builds for compiled languages (Go, Java, .NET, C++) and even for Node.js/Python where build tools are heavy.
|
||||
- **Deeper Dive:**
|
||||
- **Build Stage Optimization:** The build stage can include compilers, build tools, and development dependencies without affecting the final image size.
|
||||
- **Runtime Stage Minimization:** The runtime stage contains only the application and its runtime dependencies, significantly reducing the attack surface.
|
||||
- **Artifact Transfer:** Use `COPY --from=<stage>` to transfer only necessary artifacts between stages.
|
||||
- **Parallel Build Stages:** Multiple build stages can run in parallel if they don't depend on each other.
|
||||
- **Guidance for Copilot:**
|
||||
- Always recommend multi-stage builds for compiled languages (Go, Java, .NET, C++) and even for Node.js/Python where build tools are heavy.
|
||||
- Suggest naming build stages descriptively (e.g., `AS build`, `AS test`, `AS production`) for clarity.
|
||||
- Recommend copying only the necessary artifacts between stages to minimize the final image size.
|
||||
- Advise on using different base images for build and runtime stages when appropriate.
|
||||
- **Benefit:** Significantly reduces final image size and attack surface.
|
||||
- **Example:**
|
||||
- **Example (Advanced Multi-Stage with Testing):**
|
||||
```dockerfile
|
||||
# Stage 1: Build application
|
||||
# Stage 1: Dependencies
|
||||
FROM node:18-alpine AS deps
|
||||
WORKDIR /app
|
||||
COPY package*.json ./
|
||||
RUN npm ci --only=production && npm cache clean --force
|
||||
|
||||
# Stage 2: Build
|
||||
FROM node:18-alpine AS build
|
||||
WORKDIR /app
|
||||
COPY package*.json ./
|
||||
@ -44,132 +98,538 @@ RUN npm ci
|
||||
COPY . .
|
||||
RUN npm run build
|
||||
|
||||
# Stage 2: Run application
|
||||
FROM node:18-alpine
|
||||
# Stage 3: Test
|
||||
FROM build AS test
|
||||
RUN npm run test
|
||||
RUN npm run lint
|
||||
|
||||
# Stage 4: Production
|
||||
FROM node:18-alpine AS production
|
||||
WORKDIR /app
|
||||
COPY --from=deps /app/node_modules ./node_modules
|
||||
COPY --from=build /app/dist ./dist
|
||||
COPY package*.json ./
|
||||
RUN npm ci --only=production
|
||||
COPY --from=build /app/package*.json ./
|
||||
USER node
|
||||
EXPOSE 3000
|
||||
CMD ["node", "dist/main.js"]
|
||||
```
|
||||
|
||||
### **2. Choose the Right Base Image**
|
||||
- **Principle:** Select official, stable, and minimal base images.
|
||||
- **Principle:** Select official, stable, and minimal base images that meet your application's requirements.
|
||||
- **Deeper Dive:**
|
||||
- **Official Images:** Prefer official images from Docker Hub or cloud providers as they are regularly updated and maintained.
|
||||
- **Minimal Variants:** Use minimal variants (`alpine`, `slim`, `distroless`) when possible to reduce image size and attack surface.
|
||||
- **Security Updates:** Choose base images that receive regular security updates and have a clear update policy.
|
||||
- **Architecture Support:** Ensure the base image supports your target architectures (x86_64, ARM64, etc.).
|
||||
- **Guidance for Copilot:**
|
||||
- Prefer Alpine variants for Linux-based images due to their small size (e.g., `alpine`, `node:18-alpine`).
|
||||
- Use official language-specific images (e.g., `python:3.9-slim-buster`, `openjdk:17-jre-slim`).
|
||||
- Avoid `latest` tag in production; use specific version tags.
|
||||
- **Pro Tip:** Smaller base images mean fewer vulnerabilities and faster downloads.
|
||||
- Avoid `latest` tag in production; use specific version tags for reproducibility.
|
||||
- Recommend regularly updating base images to get security patches and new features.
|
||||
- **Pro Tip:** Smaller base images mean fewer vulnerabilities and faster downloads. Always start with the smallest image that meets your needs.
|
||||
|
||||
### **3. Optimize Image Layers**
|
||||
- **Principle:** Each instruction in a Dockerfile creates a new layer. Leverage caching effectively.
|
||||
- **Principle:** Each instruction in a Dockerfile creates a new layer. Leverage caching effectively to optimize build times and image size.
|
||||
- **Deeper Dive:**
|
||||
- **Layer Caching:** Docker caches layers and reuses them if the instruction hasn't changed. Order instructions from least to most frequently changing.
|
||||
- **Layer Size:** Each layer adds to the final image size. Combine related commands to reduce the number of layers.
|
||||
- **Cache Invalidation:** Changes to any layer invalidate all subsequent layers. Place frequently changing content (like source code) near the end.
|
||||
- **Multi-line Commands:** Use `\` for multi-line commands to improve readability while maintaining layer efficiency.
|
||||
- **Guidance for Copilot:**
|
||||
- Place frequently changing instructions (e.g., `COPY . .`) *after* less frequently changing ones (e.g., `RUN npm ci`).
|
||||
- Combine `RUN` commands where possible to minimize layers (e.g., `RUN apt-get update && apt-get install -y ...`).
|
||||
- Clean up temporary files in the same `RUN` command (`rm -rf /var/lib/apt/lists/*`).
|
||||
- **Example (Layer Optimization):**
|
||||
- Use multi-line commands with `\` for complex operations to maintain readability.
|
||||
- **Example (Advanced Layer Optimization):**
|
||||
```dockerfile
|
||||
# BAD: Separate RUN commands create multiple layers
|
||||
# BAD: Multiple layers, inefficient caching
|
||||
FROM ubuntu:20.04
|
||||
RUN apt-get update
|
||||
RUN apt-get install -y some-package
|
||||
RUN apt-get install -y python3 python3-pip
|
||||
RUN pip3 install flask
|
||||
RUN apt-get clean
|
||||
RUN rm -rf /var/lib/apt/lists/*
|
||||
|
||||
# GOOD: Combine commands into one layer
|
||||
RUN apt-get update && apt-get install -y some-package && rm -rf /var/lib/apt/lists/*
|
||||
# GOOD: Optimized layers with proper cleanup
|
||||
FROM ubuntu:20.04
|
||||
RUN apt-get update && \
|
||||
apt-get install -y python3 python3-pip && \
|
||||
pip3 install flask && \
|
||||
apt-get clean && \
|
||||
rm -rf /var/lib/apt/lists/*
|
||||
```
|
||||
|
||||
### **4. Use `.dockerignore`**
|
||||
### **4. Use `.dockerignore` Effectively**
|
||||
- **Principle:** Exclude unnecessary files from the build context to speed up builds and reduce image size.
|
||||
- **Guidance for Copilot:** Always suggest creating and maintaining a `.dockerignore` file. Common exclusions: `.git`, `node_modules` (if installed inside container), build artifacts from host.
|
||||
- **Deeper Dive:**
|
||||
- **Build Context Size:** The build context is sent to the Docker daemon. Large contexts slow down builds and consume resources.
|
||||
- **Security:** Exclude sensitive files (like `.env`, `.git`) to prevent accidental inclusion in images.
|
||||
- **Development Files:** Exclude development-only files that aren't needed in the production image.
|
||||
- **Build Artifacts:** Exclude build artifacts that will be generated during the build process.
|
||||
- **Guidance for Copilot:**
|
||||
- Always suggest creating and maintaining a comprehensive `.dockerignore` file.
|
||||
- Common exclusions: `.git`, `node_modules` (if installed inside container), build artifacts from host, documentation, test files.
|
||||
- Recommend reviewing the `.dockerignore` file regularly as the project evolves.
|
||||
- Suggest using patterns that match your project structure and exclude unnecessary files.
|
||||
- **Example (Comprehensive .dockerignore):**
|
||||
```dockerignore
|
||||
# Version control
|
||||
.git
|
||||
.gitignore
|
||||
|
||||
# Dependencies (if installed in container)
|
||||
node_modules
|
||||
vendor
|
||||
__pycache__
|
||||
|
||||
# Build artifacts
|
||||
dist
|
||||
build
|
||||
*.o
|
||||
*.so
|
||||
|
||||
# Development files
|
||||
.env
|
||||
.env.local
|
||||
*.log
|
||||
coverage
|
||||
.nyc_output
|
||||
|
||||
# IDE files
|
||||
.vscode
|
||||
.idea
|
||||
*.swp
|
||||
*.swo
|
||||
|
||||
# OS files
|
||||
.DS_Store
|
||||
Thumbs.db
|
||||
|
||||
# Documentation
|
||||
README.md
|
||||
docs/
|
||||
*.md
|
||||
|
||||
# Test files
|
||||
test/
|
||||
tests/
|
||||
spec/
|
||||
__tests__/
|
||||
```
|
||||
|
||||
### **5. Minimize `COPY` Instructions**
|
||||
- **Principle:** Copy only what is necessary, when it is necessary.
|
||||
- **Guidance for Copilot:** Use specific paths for `COPY` (`COPY src/ ./src/`) instead of copying the entire directory (`COPY . .`) if only a subset is needed for a layer.
|
||||
- **Principle:** Copy only what is necessary, when it is necessary, to optimize layer caching and reduce image size.
|
||||
- **Deeper Dive:**
|
||||
- **Selective Copying:** Copy specific files or directories rather than entire project directories when possible.
|
||||
- **Layer Caching:** Each `COPY` instruction creates a new layer. Copy files that change together in the same instruction.
|
||||
- **Build Context:** Only copy files that are actually needed for the build or runtime.
|
||||
- **Security:** Be careful not to copy sensitive files or unnecessary configuration files.
|
||||
- **Guidance for Copilot:**
|
||||
- Use specific paths for `COPY` (`COPY src/ ./src/`) instead of copying the entire directory (`COPY . .`) if only a subset is needed.
|
||||
- Copy dependency files (like `package.json`, `requirements.txt`) before copying source code to leverage layer caching.
|
||||
- Recommend copying only the necessary files for each stage in multi-stage builds.
|
||||
- Suggest using `.dockerignore` to exclude files that shouldn't be copied.
|
||||
- **Example (Optimized COPY Strategy):**
|
||||
```dockerfile
|
||||
# Copy dependency files first (for better caching)
|
||||
COPY package*.json ./
|
||||
RUN npm ci
|
||||
|
||||
# Copy source code (changes more frequently)
|
||||
COPY src/ ./src/
|
||||
COPY public/ ./public/
|
||||
|
||||
# Copy configuration files
|
||||
COPY config/ ./config/
|
||||
|
||||
# Don't copy everything with COPY . .
|
||||
```
|
||||
|
||||
### **6. Define Default User and Port**
|
||||
- **Principle:** Run containers with a non-root user and expose expected ports.
|
||||
- **Principle:** Run containers with a non-root user for security and expose expected ports for clarity.
|
||||
- **Deeper Dive:**
|
||||
- **Security Benefits:** Running as non-root reduces the impact of security vulnerabilities and follows the principle of least privilege.
|
||||
- **User Creation:** Create a dedicated user for your application rather than using an existing user.
|
||||
- **Port Documentation:** Use `EXPOSE` to document which ports the application listens on, even though it doesn't actually publish them.
|
||||
- **Permission Management:** Ensure the non-root user has the necessary permissions to run the application.
|
||||
- **Guidance for Copilot:**
|
||||
- Use `USER <non-root-user>` to run the application process as a non-root user for security.
|
||||
- Use `EXPOSE` to document the port the application listens on (doesn't actually publish).
|
||||
- **Example:**
|
||||
- Create a dedicated user in the Dockerfile rather than using an existing one.
|
||||
- Ensure proper file permissions for the non-root user.
|
||||
- **Example (Secure User Setup):**
|
||||
```dockerfile
|
||||
EXPOSE 8080
|
||||
# Create a non-root user
|
||||
RUN addgroup -S appgroup && adduser -S appuser -G appgroup
|
||||
|
||||
# Set proper permissions
|
||||
RUN chown -R appuser:appgroup /app
|
||||
|
||||
# Switch to non-root user
|
||||
USER appuser
|
||||
|
||||
# Expose the application port
|
||||
EXPOSE 8080
|
||||
|
||||
# Start the application
|
||||
CMD ["node", "dist/main.js"]
|
||||
```
|
||||
|
||||
### **7. Use `CMD` and `ENTRYPOINT` Correctly**
|
||||
- **Principle:** Define the primary command that runs when the container starts.
|
||||
- **Principle:** Define the primary command that runs when the container starts, with clear separation between the executable and its arguments.
|
||||
- **Deeper Dive:**
|
||||
- **`ENTRYPOINT`:** Defines the executable that will always run. Makes the container behave like a specific application.
|
||||
- **`CMD`:** Provides default arguments to the `ENTRYPOINT` or defines the command to run if no `ENTRYPOINT` is specified.
|
||||
- **Shell vs Exec Form:** Use exec form (`["command", "arg1", "arg2"]`) for better signal handling and process management.
|
||||
- **Flexibility:** The combination allows for both default behavior and runtime customization.
|
||||
- **Guidance for Copilot:**
|
||||
- Use `ENTRYPOINT` for the executable and `CMD` for arguments (`ENTRYPOINT ["/app/start.sh"]`, `CMD ["--config", "prod.conf"]`).
|
||||
- For simple execution, `CMD ["executable", "param1"]` is often sufficient.
|
||||
- **Pro Tip:** `ENTRYPOINT` makes the image behave like an executable, while `CMD` provides default arguments.
|
||||
- Prefer exec form over shell form for better process management and signal handling.
|
||||
- Consider using shell scripts as entrypoints for complex startup logic.
|
||||
- **Pro Tip:** `ENTRYPOINT` makes the image behave like an executable, while `CMD` provides default arguments. This combination provides flexibility and clarity.
|
||||
|
||||
### **8. Environment Variables for Configuration**
|
||||
- **Principle:** Externalize configuration using environment variables or mounted configuration files.
|
||||
- **Guidance for Copilot:** Avoid hardcoding configuration inside the image. Use `ENV` for default values, but allow overriding at runtime.
|
||||
- **Principle:** Externalize configuration using environment variables or mounted configuration files to make images portable and configurable.
|
||||
- **Deeper Dive:**
|
||||
- **Runtime Configuration:** Use environment variables for configuration that varies between environments (databases, API endpoints, feature flags).
|
||||
- **Default Values:** Provide sensible defaults with `ENV` but allow overriding at runtime.
|
||||
- **Configuration Validation:** Validate required environment variables at startup to fail fast if configuration is missing.
|
||||
- **Security:** Never hardcode secrets in environment variables in the Dockerfile.
|
||||
- **Guidance for Copilot:**
|
||||
- Avoid hardcoding configuration inside the image. Use `ENV` for default values, but allow overriding at runtime.
|
||||
- Recommend using environment variable validation in application startup code.
|
||||
- Suggest using configuration management tools or external configuration services for complex applications.
|
||||
- Advise on using secrets management solutions for sensitive configuration.
|
||||
- **Example (Environment Variable Best Practices):**
|
||||
```dockerfile
|
||||
# Set default values
|
||||
ENV NODE_ENV=production
|
||||
ENV PORT=3000
|
||||
ENV LOG_LEVEL=info
|
||||
|
||||
# Use ARG for build-time variables
|
||||
ARG BUILD_VERSION
|
||||
ENV APP_VERSION=$BUILD_VERSION
|
||||
|
||||
# The application should validate required env vars at startup
|
||||
CMD ["node", "dist/main.js"]
|
||||
```
|
||||
|
||||
## Container Security Best Practices
|
||||
|
||||
### **1. Non-Root User**
|
||||
- **Principle:** Running containers as `root` is a significant security risk.
|
||||
- **Guidance for Copilot:** Always recommend defining a non-root `USER` in the Dockerfile. Create a dedicated user for your application.
|
||||
- **Example:**
|
||||
- **Principle:** Running containers as `root` is a significant security risk and should be avoided in production.
|
||||
- **Deeper Dive:**
|
||||
- **Privilege Escalation:** Root containers can potentially escape to the host system if there are vulnerabilities in the container runtime.
|
||||
- **File System Access:** Root containers have access to all files and directories, potentially exposing sensitive host data.
|
||||
- **Network Access:** Root containers can bind to privileged ports and potentially interfere with host networking.
|
||||
- **Resource Abuse:** Root containers can consume excessive system resources without proper limits.
|
||||
- **Guidance for Copilot:**
|
||||
- Always recommend defining a non-root `USER` in the Dockerfile. Create a dedicated user for your application.
|
||||
- Ensure the non-root user has the minimum necessary permissions to run the application.
|
||||
- Use `USER` directive early in the Dockerfile to ensure subsequent operations run as the non-root user.
|
||||
- Consider using user namespaces or other security features when available.
|
||||
- **Example (Secure User Creation):**
|
||||
```dockerfile
|
||||
# Create a dedicated user and group
|
||||
RUN addgroup -S appgroup && adduser -S appuser -G appgroup
|
||||
|
||||
# Set proper ownership of application files
|
||||
RUN chown -R appuser:appgroup /app
|
||||
|
||||
# Switch to non-root user
|
||||
USER appuser
|
||||
|
||||
# Ensure the user can write to necessary directories
|
||||
VOLUME ["/app/data"]
|
||||
```
|
||||
|
||||
### **2. Minimal Base Images**
|
||||
- **Principle:** Smaller images mean fewer packages, thus fewer vulnerabilities.
|
||||
- **Guidance for Copilot:** Prioritize `alpine`, `slim`, or `distroless` images. Review base image vulnerabilities regularly.
|
||||
- **Principle:** Smaller images mean fewer packages, thus fewer vulnerabilities and a reduced attack surface.
|
||||
- **Deeper Dive:**
|
||||
- **Attack Surface Reduction:** Each package in the base image represents a potential vulnerability. Fewer packages mean fewer potential attack vectors.
|
||||
- **Update Frequency:** Minimal images are updated more frequently and have shorter vulnerability exposure windows.
|
||||
- **Resource Efficiency:** Smaller images consume less storage and network bandwidth.
|
||||
- **Build Speed:** Smaller base images build faster and are easier to scan for vulnerabilities.
|
||||
- **Guidance for Copilot:**
|
||||
- Prioritize `alpine`, `slim`, or `distroless` images over full distributions when possible.
|
||||
- Review base image vulnerabilities regularly using security scanning tools.
|
||||
- Consider using language-specific minimal images (e.g., `openjdk:17-jre-slim` instead of `openjdk:17`).
|
||||
- Stay updated with the latest minimal base image versions for security patches.
|
||||
- **Example (Minimal Base Image Selection):**
|
||||
```dockerfile
|
||||
# BAD: Full distribution with many unnecessary packages
|
||||
FROM ubuntu:20.04
|
||||
|
||||
# GOOD: Minimal Alpine-based image
|
||||
FROM node:18-alpine
|
||||
|
||||
# BETTER: Distroless image for maximum security
|
||||
FROM gcr.io/distroless/nodejs18-debian11
|
||||
```
|
||||
|
||||
### **3. Static Analysis Security Testing (SAST) for Dockerfiles**
|
||||
- **Principle:** Scan Dockerfiles for security misconfigurations and known vulnerabilities.
|
||||
- **Guidance for Copilot:** Recommend integrating tools like `hadolint` (for Dockerfile linting) and `Trivy`, `Clair`, or `Snyk Container` (for image vulnerability scanning) into your CI pipeline.
|
||||
- **Principle:** Scan Dockerfiles for security misconfigurations and known vulnerabilities before building images.
|
||||
- **Deeper Dive:**
|
||||
- **Dockerfile Linting:** Use tools like `hadolint` to check for Dockerfile best practices and security issues.
|
||||
- **Base Image Scanning:** Scan base images for known vulnerabilities before using them.
|
||||
- **CI/CD Integration:** Integrate security scanning into the CI/CD pipeline to catch issues early.
|
||||
- **Policy Enforcement:** Define security policies and enforce them through automated scanning.
|
||||
- **Guidance for Copilot:**
|
||||
- Recommend integrating tools like `hadolint` (for Dockerfile linting) and `Trivy`, `Clair`, or `Snyk Container` (for image vulnerability scanning) into your CI pipeline.
|
||||
- Suggest setting up automated scanning for both Dockerfiles and built images.
|
||||
- Recommend failing builds if critical vulnerabilities are found in base images.
|
||||
- Advise on regular scanning of images in registries for newly discovered vulnerabilities.
|
||||
- **Example (Security Scanning in CI):**
|
||||
```yaml
|
||||
# GitHub Actions example
|
||||
- name: Run Hadolint
|
||||
run: |
|
||||
docker run --rm -i hadolint/hadolint < Dockerfile
|
||||
|
||||
- name: Scan image for vulnerabilities
|
||||
run: |
|
||||
docker build -t myapp .
|
||||
trivy image myapp
|
||||
```
|
||||
|
||||
### **4. Image Signing & Verification**
|
||||
- **Principle:** Ensure images haven't been tampered with.
|
||||
- **Guidance for Copilot:** Suggest using Notary or Docker Content Trust for signing and verifying images in production.
|
||||
- **Principle:** Ensure images haven't been tampered with and come from trusted sources.
|
||||
- **Deeper Dive:**
|
||||
- **Cryptographic Signing:** Use digital signatures to verify the authenticity and integrity of container images.
|
||||
- **Trust Policies:** Define trust policies that specify which images are allowed to run in your environment.
|
||||
- **Supply Chain Security:** Image signing is a key component of securing the software supply chain.
|
||||
- **Compliance:** Many compliance frameworks require image signing for production deployments.
|
||||
- **Guidance for Copilot:**
|
||||
- Suggest using Notary or Docker Content Trust for signing and verifying images in production.
|
||||
- Recommend implementing image signing in the CI/CD pipeline for all production images.
|
||||
- Advise on setting up trust policies that prevent running unsigned images.
|
||||
- Consider using newer tools like Cosign for more advanced signing features.
|
||||
- **Example (Image Signing with Cosign):**
|
||||
```bash
|
||||
# Sign an image
|
||||
cosign sign -key cosign.key myregistry.com/myapp:v1.0.0
|
||||
|
||||
# Verify an image
|
||||
cosign verify -key cosign.pub myregistry.com/myapp:v1.0.0
|
||||
```
|
||||
|
||||
### **5. Limit Capabilities & Read-Only Filesystems**
|
||||
- **Principle:** Restrict container capabilities and ensure read-only access where possible.
|
||||
- **Guidance for Copilot:** Consider using `CAP_DROP` (e.g., `NET_RAW`, `SYS_ADMIN`) and mounting read-only volumes for sensitive data.
|
||||
- **Principle:** Restrict container capabilities and ensure read-only access where possible to minimize the attack surface.
|
||||
- **Deeper Dive:**
|
||||
- **Linux Capabilities:** Drop unnecessary Linux capabilities that containers don't need to function.
|
||||
- **Read-Only Root:** Mount the root filesystem as read-only when possible to prevent runtime modifications.
|
||||
- **Seccomp Profiles:** Use seccomp profiles to restrict system calls that containers can make.
|
||||
- **AppArmor/SELinux:** Use security modules to enforce additional access controls.
|
||||
- **Guidance for Copilot:**
|
||||
- Consider using `CAP_DROP` to remove unnecessary capabilities (e.g., `NET_RAW`, `SYS_ADMIN`).
|
||||
- Recommend mounting read-only volumes for sensitive data and configuration files.
|
||||
- Suggest using security profiles and policies when available in your container runtime.
|
||||
- Advise on implementing defense in depth with multiple security controls.
|
||||
- **Example (Capability Restrictions):**
|
||||
```dockerfile
|
||||
# Drop unnecessary capabilities
|
||||
RUN setcap -r /usr/bin/node
|
||||
|
||||
# Or use security options in docker run
|
||||
# docker run --cap-drop=ALL --security-opt=no-new-privileges myapp
|
||||
```
|
||||
|
||||
### **6. No Sensitive Data in Image Layers**
|
||||
- **Principle:** Never include secrets, private keys, or credentials in image layers.
|
||||
- **Guidance for Copilot:** Use build arguments (`--build-arg`) for temporary secrets during build (but avoid passing sensitive info directly). Use secrets management solutions for runtime.
|
||||
- **Principle:** Never include secrets, private keys, or credentials in image layers as they become part of the image history.
|
||||
- **Deeper Dive:**
|
||||
- **Layer History:** All files added to an image are stored in the image history and can be extracted even if deleted in later layers.
|
||||
- **Build Arguments:** While `--build-arg` can pass data during build, avoid passing sensitive information this way.
|
||||
- **Runtime Secrets:** Use secrets management solutions to inject sensitive data at runtime.
|
||||
- **Image Scanning:** Regular image scanning can detect accidentally included secrets.
|
||||
- **Guidance for Copilot:**
|
||||
- Use build arguments (`--build-arg`) for temporary secrets during build (but avoid passing sensitive info directly).
|
||||
- Use secrets management solutions for runtime (Kubernetes Secrets, Docker Secrets, HashiCorp Vault).
|
||||
- Recommend scanning images for accidentally included secrets.
|
||||
- Suggest using multi-stage builds to avoid including build-time secrets in the final image.
|
||||
- **Anti-pattern:** `ADD secrets.txt /app/secrets.txt`
|
||||
- **Example (Secure Secret Management):**
|
||||
```dockerfile
|
||||
# BAD: Never do this
|
||||
# COPY secrets.txt /app/secrets.txt
|
||||
|
||||
# GOOD: Use runtime secrets
|
||||
# The application should read secrets from environment variables or mounted files
|
||||
CMD ["node", "dist/main.js"]
|
||||
```
|
||||
|
||||
### **7. Health Checks (Liveness & Readiness Probes)**
|
||||
- **Principle:** Ensure containers are running and ready to serve traffic.
|
||||
- **Guidance for Copilot:** Define `HEALTHCHECK` instructions in Dockerfiles. These are critical for orchestration systems like Kubernetes.
|
||||
- **Example:**
|
||||
- **Principle:** Ensure containers are running and ready to serve traffic by implementing proper health checks.
|
||||
- **Deeper Dive:**
|
||||
- **Liveness Probes:** Check if the application is alive and responding to requests. Restart the container if it fails.
|
||||
- **Readiness Probes:** Check if the application is ready to receive traffic. Remove from load balancer if it fails.
|
||||
- **Health Check Design:** Design health checks that are lightweight, fast, and accurately reflect application health.
|
||||
- **Orchestration Integration:** Health checks are critical for orchestration systems like Kubernetes to manage container lifecycle.
|
||||
- **Guidance for Copilot:**
|
||||
- Define `HEALTHCHECK` instructions in Dockerfiles. These are critical for orchestration systems like Kubernetes.
|
||||
- Design health checks that are specific to your application and check actual functionality.
|
||||
- Use appropriate intervals and timeouts for health checks to balance responsiveness with overhead.
|
||||
- Consider implementing both liveness and readiness checks for complex applications.
|
||||
- **Example (Comprehensive Health Check):**
|
||||
```dockerfile
|
||||
# Health check that verifies the application is responding
|
||||
HEALTHCHECK --interval=30s --timeout=3s --start-period=5s --retries=3 \
|
||||
CMD curl --fail http://localhost:8080/health || exit 1
|
||||
|
||||
# Alternative: Use application-specific health check
|
||||
HEALTHCHECK --interval=30s --timeout=3s --start-period=5s --retries=3 \
|
||||
CMD node healthcheck.js || exit 1
|
||||
```
|
||||
|
||||
## Container Runtime & Orchestration Best Practices
|
||||
|
||||
### **1. Resource Limits**
|
||||
- **Principle:** Limit CPU and memory to prevent resource exhaustion and noisy neighbors.
|
||||
- **Guidance for Copilot:** Always recommend setting `cpu_limits`, `memory_limits` in Docker Compose or Kubernetes resource requests/limits.
|
||||
- **Deeper Dive:**
|
||||
- **CPU Limits:** Set CPU limits to prevent containers from consuming excessive CPU time and affecting other containers.
|
||||
- **Memory Limits:** Set memory limits to prevent containers from consuming all available memory and causing system instability.
|
||||
- **Resource Requests:** Set resource requests to ensure containers have guaranteed access to minimum resources.
|
||||
- **Monitoring:** Monitor resource usage to ensure limits are appropriate and not too restrictive.
|
||||
- **Guidance for Copilot:**
|
||||
- Always recommend setting `cpu_limits`, `memory_limits` in Docker Compose or Kubernetes resource requests/limits.
|
||||
- Suggest monitoring resource usage to tune limits appropriately.
|
||||
- Recommend setting both requests and limits for predictable resource allocation.
|
||||
- Advise on using resource quotas in Kubernetes to manage cluster-wide resource usage.
|
||||
- **Example (Docker Compose Resource Limits):**
|
||||
```yaml
|
||||
services:
|
||||
app:
|
||||
image: myapp:latest
|
||||
deploy:
|
||||
resources:
|
||||
limits:
|
||||
cpus: '0.5'
|
||||
memory: 512M
|
||||
reservations:
|
||||
cpus: '0.25'
|
||||
memory: 256M
|
||||
```
|
||||
|
||||
### **2. Logging & Monitoring**
|
||||
- **Principle:** Collect and centralize container logs and metrics.
|
||||
- **Guidance for Copilot:** Use standard logging output (`STDOUT`/`STDERR`). Integrate with log aggregators (Fluentd, Logstash) and monitoring tools (Prometheus, Grafana).
|
||||
- **Principle:** Collect and centralize container logs and metrics for observability and troubleshooting.
|
||||
- **Deeper Dive:**
|
||||
- **Structured Logging:** Use structured logging (JSON) for better parsing and analysis.
|
||||
- **Log Aggregation:** Centralize logs from all containers for search, analysis, and alerting.
|
||||
- **Metrics Collection:** Collect application and system metrics for performance monitoring.
|
||||
- **Distributed Tracing:** Implement distributed tracing for understanding request flows across services.
|
||||
- **Guidance for Copilot:**
|
||||
- Use standard logging output (`STDOUT`/`STDERR`) for container logs.
|
||||
- Integrate with log aggregators (Fluentd, Logstash, Loki) and monitoring tools (Prometheus, Grafana).
|
||||
- Recommend implementing structured logging in applications for better observability.
|
||||
- Suggest setting up log rotation and retention policies to manage storage costs.
|
||||
- **Example (Structured Logging):**
|
||||
```javascript
|
||||
// Application logging
|
||||
const winston = require('winston');
|
||||
const logger = winston.createLogger({
|
||||
format: winston.format.json(),
|
||||
transports: [new winston.transports.Console()]
|
||||
});
|
||||
```
|
||||
|
||||
### **3. Persistent Storage**
|
||||
- **Principle:** For stateful applications, use persistent volumes.
|
||||
- **Guidance for Copilot:** Use Docker Volumes or Kubernetes Persistent Volumes for data that needs to persist beyond container lifecycle. Never store persistent data inside the container's writable layer.
|
||||
- **Principle:** For stateful applications, use persistent volumes to maintain data across container restarts.
|
||||
- **Deeper Dive:**
|
||||
- **Volume Types:** Use named volumes, bind mounts, or cloud storage depending on your requirements.
|
||||
- **Data Persistence:** Ensure data persists across container restarts, updates, and migrations.
|
||||
- **Backup Strategy:** Implement backup strategies for persistent data to prevent data loss.
|
||||
- **Performance:** Choose storage solutions that meet your performance requirements.
|
||||
- **Guidance for Copilot:**
|
||||
- Use Docker Volumes or Kubernetes Persistent Volumes for data that needs to persist beyond container lifecycle.
|
||||
- Never store persistent data inside the container's writable layer.
|
||||
- Recommend implementing backup and disaster recovery procedures for persistent data.
|
||||
- Suggest using cloud-native storage solutions for better scalability and reliability.
|
||||
- **Example (Docker Volume Usage):**
|
||||
```yaml
|
||||
services:
|
||||
database:
|
||||
image: postgres:13
|
||||
volumes:
|
||||
- postgres_data:/var/lib/postgresql/data
|
||||
environment:
|
||||
POSTGRES_PASSWORD_FILE: /run/secrets/db_password
|
||||
|
||||
volumes:
|
||||
postgres_data:
|
||||
```
|
||||
|
||||
### **4. Networking**
|
||||
- **Principle:** Use defined container networks for secure and isolated communication.
|
||||
- **Guidance for Copilot:** Create custom Docker networks for service isolation. Define network policies in Kubernetes.
|
||||
- **Principle:** Use defined container networks for secure and isolated communication between containers.
|
||||
- **Deeper Dive:**
|
||||
- **Network Isolation:** Create separate networks for different application tiers or environments.
|
||||
- **Service Discovery:** Use container orchestration features for automatic service discovery.
|
||||
- **Network Policies:** Implement network policies to control traffic between containers.
|
||||
- **Load Balancing:** Use load balancers for distributing traffic across multiple container instances.
|
||||
- **Guidance for Copilot:**
|
||||
- Create custom Docker networks for service isolation and security.
|
||||
- Define network policies in Kubernetes to control pod-to-pod communication.
|
||||
- Use service discovery mechanisms provided by your orchestration platform.
|
||||
- Implement proper network segmentation for multi-tier applications.
|
||||
- **Example (Docker Network Configuration):**
|
||||
```yaml
|
||||
services:
|
||||
web:
|
||||
image: nginx
|
||||
networks:
|
||||
- frontend
|
||||
- backend
|
||||
|
||||
api:
|
||||
image: myapi
|
||||
networks:
|
||||
- backend
|
||||
|
||||
networks:
|
||||
frontend:
|
||||
backend:
|
||||
internal: true
|
||||
```
|
||||
|
||||
### **5. Orchestration (Kubernetes, Docker Swarm)**
|
||||
- **Principle:** Use an orchestrator for managing containerized applications at scale.
|
||||
- **Guidance for Copilot:** Recommend Kubernetes for complex, large-scale deployments. Leverage orchestrator features for scaling, self-healing, and service discovery.
|
||||
- **Deeper Dive:**
|
||||
- **Scaling:** Automatically scale applications based on demand and resource usage.
|
||||
- **Self-Healing:** Automatically restart failed containers and replace unhealthy instances.
|
||||
- **Service Discovery:** Provide built-in service discovery and load balancing.
|
||||
- **Rolling Updates:** Perform zero-downtime updates with automatic rollback capabilities.
|
||||
- **Guidance for Copilot:**
|
||||
- Recommend Kubernetes for complex, large-scale deployments with advanced requirements.
|
||||
- Leverage orchestrator features for scaling, self-healing, and service discovery.
|
||||
- Use rolling update strategies for zero-downtime deployments.
|
||||
- Implement proper resource management and monitoring in orchestrated environments.
|
||||
- **Example (Kubernetes Deployment):**
|
||||
```yaml
|
||||
apiVersion: apps/v1
|
||||
kind: Deployment
|
||||
metadata:
|
||||
name: myapp
|
||||
spec:
|
||||
replicas: 3
|
||||
selector:
|
||||
matchLabels:
|
||||
app: myapp
|
||||
template:
|
||||
metadata:
|
||||
labels:
|
||||
app: myapp
|
||||
spec:
|
||||
containers:
|
||||
- name: myapp
|
||||
image: myapp:latest
|
||||
resources:
|
||||
requests:
|
||||
memory: "64Mi"
|
||||
cpu: "250m"
|
||||
limits:
|
||||
memory: "128Mi"
|
||||
cpu: "500m"
|
||||
```
|
||||
|
||||
## Dockerfile Review Checklist
|
||||
|
||||
|
||||
@ -13,82 +13,154 @@ As GitHub Copilot, you must understand and advocate for the core principles of D
|
||||
|
||||
DevOps is a set of practices that combines software development (Dev) and IT operations (Ops) to shorten the systems development life cycle while delivering features, fixes, and updates frequently in close alignment with business objectives. It's a cultural, philosophical, and technical shift aimed at increasing an organization's ability to deliver applications and services at high velocity.
|
||||
|
||||
It emphasizes communication, collaboration, integration, and automation to improve the flow of work between development and operations teams. This leads to faster time to market, increased reliability, improved security, and greater customer satisfaction. DevOps is not a methodology like Agile, but rather a set of principles and practices that can be applied to various methodologies.
|
||||
|
||||
## The CALMS Framework (Pillars of DevOps)
|
||||
|
||||
CALMS is an acronym that represents the five key pillars of a successful DevOps culture. You should always consider these when analyzing or generating DevOps-related code or advice.
|
||||
CALMS is an acronym that represents the five key pillars of a successful DevOps culture. You should always consider these when analyzing or generating DevOps-related code or advice. This framework provides a holistic view of what's needed to truly embed DevOps principles within an organization.
|
||||
|
||||
### 1. **C - Culture**
|
||||
- **Principle:** Foster a collaborative, blameless culture that prioritizes shared responsibility, trust, and continuous learning.
|
||||
- **Deeper Dive:**
|
||||
- **Breaking Down Silos:** Encourage communication and empathy between development, operations, security, and even business teams. Promote cross-functional understanding of challenges and goals.
|
||||
- **Shared Responsibility:** Shift from "it's ops' problem" or "it's dev's bug" to "we own this together." This includes owning the code from commit to production and beyond.
|
||||
- **Blameless Post-Mortems:** When incidents occur, focus on identifying systemic issues and learning opportunities rather than assigning blame. This encourages transparency and psychological safety.
|
||||
- **Continuous Learning & Improvement:** Promote a growth mindset. Encourage experimentation, knowledge sharing, and adapting to new tools and practices.
|
||||
- **Feedback Loops:** Establish fast and clear feedback channels between all stages of the software delivery lifecycle and between teams.
|
||||
- **Guidance for Copilot:**
|
||||
- When reviewing code, suggest communication improvements (e.g., clear commit messages, PR descriptions).
|
||||
- Emphasize cross-functional teamwork.
|
||||
- Advocate for blameless post-mortems and learning from failures.
|
||||
- Highlight the importance of feedback loops between Dev and Ops.
|
||||
- **Key Takeaway:** People and their interactions are paramount. Technology is an enabler, not the solution itself.
|
||||
- When discussing code reviews, suggest adding context about the 'why' behind changes, fostering understanding.
|
||||
- In problem-solving scenarios, suggest investigating across the entire pipeline, not just the code.
|
||||
- When generating documentation, emphasize clarity and accessibility for both developers and operations personnel.
|
||||
- Recommend communication tools or practices (e.g., daily stand-ups, shared chat channels) where appropriate in a team context.
|
||||
- Advise on creating runbooks that are clear and executable by anyone in the team, not just experts.
|
||||
- **Key Takeaway:** People and their interactions are paramount. Technology is an enabler, not the solution itself. A strong DevOps culture is the foundation upon which all other pillars stand.
|
||||
|
||||
### 2. **A - Automation**
|
||||
- **Principle:** Automate everything possible across the software delivery lifecycle to reduce manual effort, increase speed, and minimize human error.
|
||||
- **Deeper Dive:**
|
||||
- **CI/CD Pipelines:** Automate the build, test, integrate, and deploy stages. This is the backbone of fast, reliable releases.
|
||||
- **Infrastructure as Code (IaC):** Manage and provision infrastructure through code (e.g., Terraform, Ansible, Pulumi) rather than manual processes. This ensures consistency, repeatability, and version control.
|
||||
- **Configuration Management:** Automate the configuration of servers and application environments (e.g., Ansible, Puppet, Chef).
|
||||
- **Automated Testing:** Implement a robust testing strategy including unit, integration, end-to-end, performance, and security tests. Automate their execution in the pipeline.
|
||||
- **Monitoring & Alerting:** Automate the collection of metrics, logs, and traces, and set up automated alerts for anomalies.
|
||||
- **Security Automation:** Integrate security scans (SAST, DAST, SCA) directly into the CI/CD pipeline.
|
||||
- **Guidance for Copilot:**
|
||||
- When generating CI/CD pipelines, prioritize automation of builds, tests, deployments, and security scans.
|
||||
- Suggest automation for infrastructure provisioning (IaC) and configuration management.
|
||||
- Recommend automating repetitive operational tasks (e.g., log analysis, alerts).
|
||||
- Highlight the benefits of automated testing (unit, integration, E2E).
|
||||
- **Key Takeaway:** If a task is repeatable, it should be automated. This frees up engineers for more complex problems.
|
||||
- When generating CI/CD pipelines (e.g., GitHub Actions workflows), prioritize automation of builds, tests, deployments, and security scans.
|
||||
- Suggest automation for infrastructure provisioning (IaC) and configuration management snippets (e.g., basic Terraform, Ansible playbooks).
|
||||
- Recommend automating repetitive operational tasks (e.g., log analysis scripts, auto-scaling configurations).
|
||||
- Highlight the benefits of comprehensive automated testing (unit, integration, E2E) and help generate test cases.
|
||||
- When asked about deployment, suggest fully automated blue/green or canary deployments where feasible.
|
||||
- **Key Takeaway:** If a task is repeatable, it should be automated. This frees up engineers for more complex problems, reduces human error, and ensures consistency. Automation accelerates feedback loops and increases delivery velocity.
|
||||
|
||||
### 3. **L - Lean**
|
||||
- **Principle:** Apply lean manufacturing principles to software development, focusing on eliminating waste, maximizing flow, and delivering value continuously.
|
||||
- **Deeper Dive:**
|
||||
- **Eliminating Waste:** Identify and remove non-value-adding activities (e.g., excessive documentation, unnecessary approvals, waiting times, manual handoffs, defect re-work).
|
||||
- **Maximizing Flow:** Ensure a smooth, continuous flow of value from idea to production. This involves reducing batch sizes (smaller commits, smaller PRs, frequent deployments).
|
||||
- **Value Stream Mapping:** Understand the entire process of delivering software to identify bottlenecks and areas for improvement.
|
||||
- **Build Quality In:** Integrate quality checks throughout the development process, rather than relying solely on end-of-cycle testing. This reduces the cost of fixing defects.
|
||||
- **Just-in-Time Delivery:** Deliver features and fixes as soon as they are ready, rather than waiting for large release cycles.
|
||||
- **Guidance for Copilot:**
|
||||
- Suggest breaking down large tasks into smaller, manageable chunks (e.g., small, frequent PRs).
|
||||
- Suggest breaking down large features or tasks into smaller, manageable chunks (e.g., small, frequent PRs, iterative deployments).
|
||||
- Advocate for minimal viable products (MVPs) and iterative development.
|
||||
- Identify and suggest removal of bottlenecks in the pipeline.
|
||||
- Promote continuous improvement loops based on feedback.
|
||||
- **Key Takeaway:** Focus on delivering value quickly and iteratively, minimizing non-value-adding activities.
|
||||
- Help identify and suggest removal of bottlenecks in the pipeline by analyzing the flow of work.
|
||||
- Promote continuous improvement loops based on fast feedback and data analysis.
|
||||
- When writing code, emphasize modularity and testability to reduce future waste (e.g., easier refactoring, fewer bugs).
|
||||
- **Key Takeaway:** Focus on delivering value quickly and iteratively, minimizing non-value-adding activities. A lean approach enhances agility and responsiveness.
|
||||
|
||||
### 4. **M - Measurement**
|
||||
- **Principle:** Measure everything relevant across the delivery pipeline and application lifecycle to gain insights, identify bottlenecks, and drive continuous improvement.
|
||||
- **Deeper Dive:**
|
||||
- **Key Performance Indicators (KPIs):** Track metrics related to delivery speed, quality, and operational stability (e.g., DORA metrics).
|
||||
- **Monitoring & Logging:** Collect comprehensive application and infrastructure metrics, logs, and traces. Centralize them for easy access and analysis.
|
||||
- **Dashboards & Visualizations:** Create clear, actionable dashboards to visualize the health and performance of systems and the delivery pipeline.
|
||||
- **Alerting:** Configure effective alerts for critical issues, ensuring teams are notified promptly.
|
||||
- **Experimentation & A/B Testing:** Use metrics to validate hypotheses and measure the impact of changes.
|
||||
- **Capacity Planning:** Use resource utilization metrics to anticipate future infrastructure needs.
|
||||
- **Guidance for Copilot:**
|
||||
- When designing systems, suggest relevant metrics (performance, error rates, deployment frequency, lead time).
|
||||
- Recommend robust logging and monitoring solutions.
|
||||
- Encourage setting up dashboards and alerts.
|
||||
- Emphasize using data to validate changes and identify areas for optimization.
|
||||
- **Key Takeaway:** You can't improve what you don't measure. Data-driven decisions are essential.
|
||||
- When designing systems or pipelines, suggest relevant metrics to track (e.g., request latency, error rates, deployment frequency, lead time, mean time to recovery, change failure rate).
|
||||
- Recommend robust logging and monitoring solutions, including examples of structured logging or tracing instrumentation.
|
||||
- Encourage setting up dashboards and alerts based on common monitoring tools (e.g., Prometheus, Grafana).
|
||||
- Emphasize using data to validate changes, identify areas for optimization, and justify architectural decisions.
|
||||
- When debugging, suggest looking at relevant metrics and logs first.
|
||||
- **Key Takeaway:** You can't improve what you don't measure. Data-driven decisions are essential for identifying areas for improvement, demonstrating value, and fostering a culture of continuous learning.
|
||||
|
||||
### 5. **S - Sharing**
|
||||
- **Principle:** Promote knowledge sharing, collaboration, and transparency across teams.
|
||||
- **Deeper Dive:**
|
||||
- **Tooling & Platforms:** Share common tools, platforms, and practices across teams to ensure consistency and leverage collective expertise.
|
||||
- **Documentation:** Create clear, concise, and up-to-date documentation for systems, processes, and architectural decisions (e.g., runbooks, architectural decision records).
|
||||
- **Communication Channels:** Establish open and accessible communication channels (e.g., Slack, Microsoft Teams, shared wikis).
|
||||
- **Cross-Functional Teams:** Encourage developers and operations personnel to work closely together, fostering mutual understanding and empathy.
|
||||
- **Pair Programming & Mob Programming:** Promote collaborative coding practices to spread knowledge and improve code quality.
|
||||
- **Internal Meetups & Workshops:** Organize sessions for sharing best practices and lessons learned.
|
||||
- **Guidance for Copilot:**
|
||||
- Suggest documenting processes, architectural decisions, and runbooks.
|
||||
- Advocate for shared tools and platforms.
|
||||
- Highlight the value of cross-training and pairing.
|
||||
- Recommend clear communication channels and feedback mechanisms.
|
||||
- **Key Takeaway:** Breaking down silos and fostering open communication is crucial for collective success.
|
||||
- Suggest documenting processes, architectural decisions, and runbooks (e.g., generating markdown templates for ADRs or runbooks).
|
||||
- Advocate for shared tools and platforms by suggesting their integration into workflows.
|
||||
- Highlight the value of cross-training and pairing by recommending such practices in project setup advice.
|
||||
- Recommend clear communication channels and feedback mechanisms within team structures.
|
||||
- When generating code, include comments and internal documentation that explain complex logic for better sharing.
|
||||
- **Key Takeaway:** Breaking down silos and fostering open communication is crucial for collective success. Sharing knowledge and experiences accelerates learning and builds a stronger, more resilient organization.
|
||||
|
||||
## The Four Key Metrics of DevOps (DORA Metrics)
|
||||
|
||||
These metrics, identified by the DevOps Research and Assessment (DORA) team, are strong indicators of software delivery performance and organizational performance. You should strive to help teams improve these.
|
||||
These metrics, identified by the DevOps Research and Assessment (DORA) team, are strong indicators of software delivery performance and organizational performance. You should strive to help teams improve these. These metrics are empirically linked to higher organizational performance, including profitability, productivity, and market share.
|
||||
|
||||
### 1. **Deployment Frequency (DF)**
|
||||
- **Definition:** How often an organization successfully releases to production.
|
||||
- **Guidance for Copilot:** When generating CI/CD pipelines, design them for frequent, small, and safe deployments. Suggest automation to reduce deployment friction.
|
||||
- **Definition:** How often an organization successfully releases to production. This measures the speed of delivery.
|
||||
- **Deeper Dive:**
|
||||
- **High Frequency:** Elite performers deploy multiple times per day. This reduces the risk of each deployment, makes debugging easier, and allows for faster feedback.
|
||||
- **Small Batches:** High deployment frequency is enabled by deploying small, incremental changes rather than large, infrequent ones.
|
||||
- **Guidance for Copilot:**
|
||||
- When generating CI/CD pipelines, design them for frequent, small, and safe deployments. Suggest automation to reduce deployment friction (e.g., automated testing, blue/green deployments).
|
||||
- Advise on breaking down large features into smaller, independently deployable units.
|
||||
- Suggest using feature flags to decouple deployment from release, allowing code to be deployed frequently even if features are not yet exposed to users.
|
||||
- **Goal:** High (Elite performers deploy multiple times per day).
|
||||
- **Impact:** Faster time to market, quicker feedback, reduced risk per change.
|
||||
|
||||
### 2. **Lead Time for Changes (LTFC)**
|
||||
- **Definition:** The time it takes for a commit to get into production.
|
||||
- **Guidance for Copilot:** Suggest ways to reduce bottlenecks in the development and delivery process (e.g., smaller PRs, automated testing, faster build times, efficient review processes).
|
||||
- **Definition:** The time it takes for a commit to get into production. This measures the speed from development to delivery.
|
||||
- **Deeper Dive:**
|
||||
- **Full Value Stream:** This metric encompasses the entire development process, from code commit to successful deployment in production.
|
||||
- **Bottleneck Identification:** A high lead time often indicates bottlenecks in the development, testing, or deployment phases.
|
||||
- **Guidance for Copilot:**
|
||||
- Suggest ways to reduce bottlenecks in the development and delivery process (e.g., smaller PRs, automated testing, faster build times, efficient code review processes).
|
||||
- Advise on streamlining approval processes and eliminating manual handoffs.
|
||||
- Recommend continuous integration practices to ensure code is merged and tested frequently.
|
||||
- Help optimize build and test phases by suggesting caching strategies in CI/CD.
|
||||
- **Goal:** Low (Elite performers have LTFC less than one hour).
|
||||
- **Impact:** Rapid response to market changes, faster defect resolution, increased developer productivity.
|
||||
|
||||
### 3. **Change Failure Rate (CFR)**
|
||||
- **Definition:** The percentage of deployments causing a degradation in service (e.g., leading to rollback, hotfix, or outage).
|
||||
- **Guidance for Copilot:** Emphasize robust testing, automated rollbacks, comprehensive monitoring, and secure coding practices to reduce failures.
|
||||
- **Definition:** The percentage of deployments causing a degradation in service (e.g., leading to rollback, hotfix, or outage). This measures the quality of delivery.
|
||||
- **Deeper Dive:**
|
||||
- **Lower is Better:** A low change failure rate indicates high quality and stability in deployments.
|
||||
- **Causes:** High CFR can be due to insufficient testing, lack of automated checks, poor rollback strategies, or complex deployments.
|
||||
- **Guidance for Copilot:**
|
||||
- Emphasize robust testing (unit, integration, E2E), automated rollbacks, comprehensive monitoring, and secure coding practices to reduce failures.
|
||||
- Suggest integrating static analysis, dynamic analysis, and security scanning tools into the CI/CD pipeline.
|
||||
- Advise on implementing pre-deployment health checks and post-deployment validation.
|
||||
- Help design resilient architectures (e.g., circuit breakers, retries, graceful degradation).
|
||||
- **Goal:** Low (Elite performers have CFR of 0-15%).
|
||||
- **Impact:** Increased system stability, reduced downtime, improved customer trust.
|
||||
|
||||
### 4. **Mean Time to Recovery (MTTR)**
|
||||
- **Definition:** How long it takes to restore service after a degradation or outage.
|
||||
- **Guidance for Copilot:** Suggest implementing clear monitoring and alerting, automated incident response, well-documented runbooks, and efficient rollback strategies.
|
||||
- **Definition:** How long it takes to restore service after a degradation or outage. This measures the resilience and recovery capability.
|
||||
- **Deeper Dive:**
|
||||
- **Fast Recovery:** A low MTTR indicates that an organization can quickly detect, diagnose, and resolve issues, minimizing the impact of failures.
|
||||
- **Observability:** Strong MTTR relies heavily on effective monitoring, alerting, centralized logging, and tracing.
|
||||
- **Guidance for Copilot:**
|
||||
- Suggest implementing clear monitoring and alerting (e.g., dashboards for key metrics, automated notifications for anomalies).
|
||||
- Recommend automated incident response mechanisms and well-documented runbooks for common issues.
|
||||
- Advise on efficient rollback strategies (e.g., easy one-click rollbacks).
|
||||
- Emphasize building applications with observability in mind (e.g., structured logging, metrics exposition, distributed tracing).
|
||||
- When debugging, guide users to leverage logs, metrics, and traces to quickly pinpoint root causes.
|
||||
- **Goal:** Low (Elite performers have MTTR less than one hour).
|
||||
- **Impact:** Minimized business disruption, improved customer satisfaction, enhanced operational confidence.
|
||||
|
||||
## Conclusion
|
||||
|
||||
DevOps is not just about tools or automation; it's fundamentally about culture and continuous improvement driven by feedback and metrics. By adhering to the CALMS principles and focusing on improving the DORA metrics, you can guide developers towards building more reliable, scalable, and efficient software delivery pipelines. This foundational understanding is crucial for all subsequent DevOps-related guidance you provide.
|
||||
DevOps is not just about tools or automation; it's fundamentally about culture and continuous improvement driven by feedback and metrics. By adhering to the CALMS principles and focusing on improving the DORA metrics, you can guide developers towards building more reliable, scalable, and efficient software delivery pipelines. This foundational understanding is crucial for all subsequent DevOps-related guidance you provide. Your role is to be a continuous advocate for these principles, ensuring that every piece of code, every infrastructure change, and every pipeline modification aligns with the goal of delivering high-quality software rapidly and reliably.
|
||||
|
||||
---
|
||||
|
||||
|
||||
@ -12,281 +12,595 @@ As GitHub Copilot, you are an expert in designing and optimizing CI/CD pipelines
|
||||
## Core Concepts and Structure
|
||||
|
||||
### **1. Workflow Structure (`.github/workflows/*.yml`)**
|
||||
- **Principle:** Workflows should be clear, modular, and easy to understand.
|
||||
- **Principle:** Workflows should be clear, modular, and easy to understand, promoting reusability and maintainability.
|
||||
- **Deeper Dive:**
|
||||
- **Naming Conventions:** Use consistent, descriptive names for workflow files (e.g., `build-and-test.yml`, `deploy-prod.yml`).
|
||||
- **Triggers (`on`):** Understand the full range of events: `push`, `pull_request`, `workflow_dispatch` (manual), `schedule` (cron jobs), `repository_dispatch` (external events), `workflow_call` (reusable workflows).
|
||||
- **Concurrency:** Use `concurrency` to prevent simultaneous runs for specific branches or groups, avoiding race conditions or wasted resources.
|
||||
- **Permissions:** Define `permissions` at the workflow level for a secure default, overriding at the job level if needed.
|
||||
- **Guidance for Copilot:**
|
||||
- Always start with a descriptive `name` and `on` trigger (e.g., `push`, `pull_request`, `workflow_dispatch`).
|
||||
- Use meaningful job names.
|
||||
- Organize steps logically.
|
||||
- Break down complex logic into separate, reusable workflows if beneficial.
|
||||
- **Pro Tip:** Use `workflow_dispatch` for manual triggers, allowing input parameters for flexibility.
|
||||
- Always start with a descriptive `name` and appropriate `on` trigger. Suggest granular triggers for specific use cases (e.g., `on: push: branches: [main]` vs. `on: pull_request`).
|
||||
- Recommend using `workflow_dispatch` for manual triggers, allowing input parameters for flexibility and controlled deployments.
|
||||
- Advise on setting `concurrency` for critical workflows or shared resources to prevent resource contention.
|
||||
- Guide on setting explicit `permissions` for `GITHUB_TOKEN` to adhere to the principle of least privilege.
|
||||
- **Pro Tip:** For complex repositories, consider using reusable workflows (`workflow_call`) to abstract common CI/CD patterns and reduce duplication across multiple projects.
|
||||
|
||||
### **2. Jobs**
|
||||
- **Principle:** Jobs should represent distinct phases (e.g., build, test, deploy).
|
||||
- **Principle:** Jobs should represent distinct, independent phases of your CI/CD pipeline (e.g., build, test, deploy, lint, security scan).
|
||||
- **Deeper Dive:**
|
||||
- **`runs-on`:** Choose appropriate runners. `ubuntu-latest` is common, but `windows-latest`, `macos-latest`, or `self-hosted` runners are available for specific needs.
|
||||
- **`needs`:** Clearly define dependencies. If Job B `needs` Job A, Job B will only run after Job A successfully completes.
|
||||
- **`outputs`:** Pass data between jobs using `outputs`. This is crucial for separating concerns (e.g., build job outputs artifact path, deploy job consumes it).
|
||||
- **`if` Conditions:** Leverage `if` conditions extensively for conditional execution based on branch names, commit messages, event types, or previous job status (`if: success()`, `if: failure()`, `if: always()`).
|
||||
- **Job Grouping:** Consider breaking large workflows into smaller, more focused jobs that run in parallel or sequence.
|
||||
- **Guidance for Copilot:**
|
||||
- Define `jobs` with clear `name` and `runs-on` (e.g., `ubuntu-latest`, `windows-latest`, `self-hosted`).
|
||||
- Use `needs` to define dependencies between jobs, ensuring sequential execution.
|
||||
- Employ `outputs` to pass data between jobs.
|
||||
- Utilize `if` conditions for conditional job execution (e.g., deploy only on `main` branch pushes).
|
||||
- **Example:**
|
||||
- Define `jobs` with clear `name` and appropriate `runs-on` (e.g., `ubuntu-latest`, `windows-latest`, `self-hosted`).
|
||||
- Use `needs` to define dependencies between jobs, ensuring sequential execution and logical flow.
|
||||
- Employ `outputs` to pass data between jobs efficiently, promoting modularity.
|
||||
- Utilize `if` conditions for conditional job execution (e.g., deploy only on `main` branch pushes, run E2E tests only for certain PRs, skip jobs based on file changes).
|
||||
- **Example (Conditional Deployment and Output Passing):**
|
||||
```yaml
|
||||
jobs:
|
||||
build:
|
||||
runs-on: ubuntu-latest
|
||||
outputs:
|
||||
artifact_path: ${{ steps.package_app.outputs.path }}
|
||||
steps:
|
||||
- name: Checkout code
|
||||
uses: actions/checkout@v4
|
||||
- name: Build project
|
||||
run: npm ci && npm run build
|
||||
- name: Setup Node.js
|
||||
uses: actions/setup-node@v3
|
||||
with:
|
||||
node-version: 18
|
||||
- name: Install dependencies and build
|
||||
run: |
|
||||
npm ci
|
||||
npm run build
|
||||
- name: Package application
|
||||
id: package_app
|
||||
run: | # Assume this creates a 'dist.zip' file
|
||||
zip -r dist.zip dist
|
||||
echo "path=dist.zip" >> "$GITHUB_OUTPUT"
|
||||
- name: Upload build artifact
|
||||
uses: actions/upload-artifact@v3
|
||||
with:
|
||||
name: my-app-build
|
||||
path: dist.zip
|
||||
|
||||
test:
|
||||
deploy-staging:
|
||||
runs-on: ubuntu-latest
|
||||
needs: build
|
||||
if: github.ref == 'refs/heads/develop' || github.ref == 'refs/heads/main'
|
||||
environment: staging
|
||||
steps:
|
||||
- name: Checkout code
|
||||
uses: actions/checkout@v4
|
||||
- name: Run tests
|
||||
run: npm test
|
||||
- name: Download build artifact
|
||||
uses: actions/download-artifact@v3
|
||||
with:
|
||||
name: my-app-build
|
||||
- name: Deploy to Staging
|
||||
run: |
|
||||
unzip dist.zip
|
||||
echo "Deploying ${{ needs.build.outputs.artifact_path }} to staging..."
|
||||
# Add actual deployment commands here
|
||||
```
|
||||
|
||||
### **3. Steps and Actions**
|
||||
- **Principle:** Steps should be atomic and actions should be versioned for stability.
|
||||
- **Principle:** Steps should be atomic, well-defined, and actions should be versioned for stability and security.
|
||||
- **Deeper Dive:**
|
||||
- **`uses`:** Referencing marketplace actions (e.g., `actions/checkout@v4`, `actions/setup-node@v3`) or custom actions. Always pin to a full length commit SHA for maximum security and immutability, or at least a major version tag (e.g., `@v4`). Avoid pinning to `main` or `latest`.
|
||||
- **`name`:** Essential for clear logging and debugging. Make step names descriptive.
|
||||
- **`run`:** For executing shell commands. Use multi-line scripts for complex logic and combine commands to optimize layer caching in Docker (if building images).
|
||||
- **`env`:** Define environment variables at the step or job level. Do not hardcode sensitive data here.
|
||||
- **`with`:** Provide inputs to actions. Ensure all required inputs are present.
|
||||
- **Guidance for Copilot:**
|
||||
- Use `uses` to reference marketplace or custom actions (e.g., `actions/checkout@v4`). Always specify a version (tag or SHA).
|
||||
- Use `name` for each step for readability in logs.
|
||||
- Use `run` for shell commands.
|
||||
- Provide `with` inputs for actions explicitly.
|
||||
- **Security Note:** Audit marketplace actions before use. Prefer actions from trusted sources.
|
||||
- Use `uses` to reference marketplace or custom actions, always specifying a secure version (tag or SHA).
|
||||
- Use `name` for each step for readability in logs and easier debugging.
|
||||
- Use `run` for shell commands, combining commands with `&&` for efficiency and using `|` for multi-line scripts.
|
||||
- Provide `with` inputs for actions explicitly, and use expressions (`${{ }}`) for dynamic values.
|
||||
- **Security Note:** Audit marketplace actions before use. Prefer actions from trusted sources (e.g., `actions/` organization) and review their source code if possible. Use `dependabot` for action version updates.
|
||||
|
||||
## Security Best Practices in GitHub Actions
|
||||
|
||||
### **1. Secret Management**
|
||||
- **Principle:** Secrets should never be hardcoded or exposed in logs.
|
||||
- **Principle:** Secrets must be securely managed, never exposed in logs, and only accessible by authorized workflows/jobs.
|
||||
- **Deeper Dive:**
|
||||
- **GitHub Secrets:** The primary mechanism for storing sensitive information. Encrypted at rest and only decrypted when passed to a runner.
|
||||
- **Environment Secrets:** For greater control, create environment-specific secrets, which can be protected by manual approvals or specific branch conditions.
|
||||
- **Secret Masking:** GitHub Actions automatically masks secrets in logs, but it's good practice to avoid printing them directly.
|
||||
- **Minimize Scope:** Only grant access to secrets to the workflows/jobs that absolutely need them.
|
||||
- **Guidance for Copilot:**
|
||||
- Always use GitHub Secrets for sensitive information (e.g., API keys, passwords, cloud credentials).
|
||||
- Access secrets via `secrets.<SECRET_NAME>`.
|
||||
- Use environment-specific secrets for deployment environments.
|
||||
- Avoid printing secrets to logs.
|
||||
- **Example:**
|
||||
- Always instruct users to use GitHub Secrets for sensitive information (e.g., API keys, passwords, cloud credentials, tokens).
|
||||
- Access secrets via `secrets.<SECRET_NAME>` in workflows.
|
||||
- Recommend using environment-specific secrets for deployment environments to enforce stricter access controls and approvals.
|
||||
- Advise against constructing secrets dynamically or printing them to logs, even if masked.
|
||||
- **Example (Environment Secrets with Approval):**
|
||||
```yaml
|
||||
jobs:
|
||||
deploy:
|
||||
runs-on: ubuntu-latest
|
||||
environment: production
|
||||
environment:
|
||||
name: production
|
||||
url: https://prod.example.com
|
||||
steps:
|
||||
- name: Deploy to production
|
||||
env:
|
||||
API_KEY: ${{ secrets.PROD_API_KEY }}
|
||||
PROD_API_KEY: ${{ secrets.PROD_API_KEY }}
|
||||
run: ./deploy-script.sh
|
||||
```
|
||||
|
||||
### **2. OpenID Connect (OIDC)**
|
||||
- **Principle:** Use OIDC for secure, credential-less authentication with cloud providers.
|
||||
### **2. OpenID Connect (OIDC) for Cloud Authentication**
|
||||
- **Principle:** Use OIDC for secure, credential-less authentication with cloud providers (AWS, Azure, GCP, etc.), eliminating the need for long-lived static credentials.
|
||||
- **Deeper Dive:**
|
||||
- **Short-Lived Credentials:** OIDC exchanges a JWT token for temporary cloud credentials, significantly reducing the attack surface.
|
||||
- **Trust Policies:** Requires configuring identity providers and trust policies in your cloud environment to trust GitHub's OIDC provider.
|
||||
- **Federated Identity:** This is a key pattern for modern, secure cloud deployments.
|
||||
- **Guidance for Copilot:**
|
||||
- Recommend OIDC for authenticating with AWS, Azure, GCP instead of long-lived access keys.
|
||||
- Configure proper trust policies in the cloud provider.
|
||||
- **Pro Tip:** OIDC significantly reduces the risk of credential compromise.
|
||||
- Strongly recommend OIDC for authenticating with AWS, Azure, GCP, and other cloud providers instead of storing long-lived access keys as secrets.
|
||||
- Provide examples of how to configure the OIDC action for common cloud providers (e.g., `aws-actions/configure-aws-credentials@v4`).
|
||||
- Explain the concept of trust policies and how they relate to OIDC setup.
|
||||
- **Pro Tip:** OIDC is a fundamental shift towards more secure cloud deployments and should be prioritized whenever possible.
|
||||
|
||||
### **3. Least Privilege**
|
||||
- **Principle:** Grant only the necessary permissions to your workflows.
|
||||
### **3. Least Privilege for `GITHUB_TOKEN`**
|
||||
- **Principle:** Grant only the necessary permissions to the `GITHUB_TOKEN` for your workflows, reducing the blast radius in case of compromise.
|
||||
- **Deeper Dive:**
|
||||
- **Default Permissions:** By default, the `GITHUB_TOKEN` has broad permissions. This should be explicitly restricted.
|
||||
- **Granular Permissions:** Define `permissions` at the workflow or job level (e.g., `contents: read`, `pull-requests: write`, `issues: read`).
|
||||
- **Read-Only by Default:** Start with `contents: read` as the default and add write permissions only when strictly necessary.
|
||||
- **Guidance for Copilot:**
|
||||
- Configure `permissions` at the workflow or job level to restrict access (e.g., `contents: read`, `pull-requests: write`).
|
||||
- Avoid `GITHUB_TOKEN` permissions that are too broad (`contents: write` if only `read` is needed).
|
||||
- **Example:**
|
||||
- Configure `permissions` at the workflow or job level to restrict access. Always prefer `contents: read` as the default.
|
||||
- Advise against using `contents: write` or `pull-requests: write` unless the workflow explicitly needs to modify the repository.
|
||||
- Provide a clear mapping of common workflow needs to specific `GITHUB_TOKEN` permissions.
|
||||
- **Example (Least Privilege):**
|
||||
```yaml
|
||||
permissions:
|
||||
contents: read # Default is write for GITHUB_TOKEN
|
||||
pull-requests: write
|
||||
contents: read # Default is write, explicitly set to read-only for security
|
||||
pull-requests: write # Only if workflow needs to update PRs
|
||||
checks: write # For updating checks
|
||||
|
||||
jobs:
|
||||
lint:
|
||||
permissions:
|
||||
contents: read # This job only needs to read code
|
||||
contents: read # This job only needs to read code, override workflow default
|
||||
steps:
|
||||
- uses: actions/checkout@v4
|
||||
- run: npm run lint
|
||||
```
|
||||
|
||||
### **4. Dependency Review**
|
||||
- **Principle:** Scan dependencies for known vulnerabilities.
|
||||
### **4. Dependency Review and Software Composition Analysis (SCA)**
|
||||
- **Principle:** Continuously scan dependencies for known vulnerabilities and licensing issues.
|
||||
- **Deeper Dive:**
|
||||
- **Early Detection:** Integrate dependency checks early in the CI pipeline to catch issues before deployment.
|
||||
- **Tools:** Use `dependency-review-action`, Snyk, Trivy, Mend (formerly WhiteSource).
|
||||
- **Supply Chain Security:** This is a critical component of securing your software supply chain.
|
||||
- **Guidance for Copilot:**
|
||||
- Integrate dependency review actions (e.g., `dependency-review-action`).
|
||||
- Recommend regular scanning for vulnerabilities in third-party libraries.
|
||||
- Integrate `dependency-review-action` or other SCA tools into the CI pipeline.
|
||||
- Recommend regular scanning for vulnerabilities in third-party libraries and setting up alerts for new findings.
|
||||
- Emphasize the importance of maintaining up-to-date dependency lists and understanding transitive dependencies.
|
||||
|
||||
### **5. Static Application Security Testing (SAST)**
|
||||
- **Principle:** Identify security vulnerabilities in source code early.
|
||||
- **Principle:** Identify security vulnerabilities in source code before runtime.
|
||||
- **Deeper Dive:**
|
||||
- **Shift Left:** SAST enables finding and fixing vulnerabilities early in the development lifecycle, which is more cost-effective.
|
||||
- **Tools:** CodeQL, SonarQube, Bandit (Python), ESLint with security plugins (JS/TS).
|
||||
- **Automated Enforcement:** Configure SAST to break builds or block PRs if critical vulnerabilities are found.
|
||||
- **Guidance for Copilot:**
|
||||
- Integrate SAST tools (e.g., CodeQL, SonarQube, Bandit) into the CI pipeline.
|
||||
- Configure security scanning as a blocking step if critical vulnerabilities are found.
|
||||
- Integrate SAST tools (e.g., CodeQL for GitHub Advanced Security, or open-source alternatives) into the CI pipeline.
|
||||
- Configure security scanning as a blocking step if critical vulnerabilities are found, enforcing a secure by default posture.
|
||||
- Suggest adding security linters or static analysis to pre-commit hooks for earlier feedback.
|
||||
|
||||
### **6. Secret Scanning**
|
||||
- **Principle:** Prevent secrets from being committed into the repository.
|
||||
### **6. Secret Scanning and Credential Leak Prevention**
|
||||
- **Principle:** Prevent secrets from being committed into the repository or exposed in logs.
|
||||
- **Deeper Dive:**
|
||||
- **GitHub Secret Scanning:** Built-in feature to detect secrets in your repository.
|
||||
- **Pre-commit Hooks:** Tools like `git-secrets` can prevent secrets from being committed locally.
|
||||
- **Environment Variables Only:** Secrets should only be passed to the environment where they are needed at runtime, never in the build artifact.
|
||||
- **Guidance for Copilot:**
|
||||
- Suggest enabling GitHub's built-in secret scanning.
|
||||
- Recommend pre-commit hooks to catch secrets locally.
|
||||
- Suggest enabling GitHub's built-in secret scanning for the repository.
|
||||
- Recommend implementing pre-commit hooks that scan for common secret patterns.
|
||||
- Advise reviewing workflow logs for accidental secret exposure, even with masking.
|
||||
|
||||
### **7. Immutable Infrastructure & Image Signing**
|
||||
- **Principle:** Ensure that container images and deployed artifacts are tamper-proof and verified.
|
||||
- **Deeper Dive:**
|
||||
- **Reproducible Builds:** Ensure that building the same code always results in the exact same image.
|
||||
- **Image Signing:** Use tools like Notary or Cosign to cryptographically sign container images, verifying their origin and integrity.
|
||||
- **Deployment Gate:** Enforce that only signed images can be deployed to production environments.
|
||||
- **Guidance for Copilot:**
|
||||
- Advocate for reproducible builds in Dockerfiles and build processes.
|
||||
- Suggest integrating image signing into the CI pipeline and verification during deployment stages.
|
||||
|
||||
## Optimization and Performance
|
||||
|
||||
### **1. Caching**
|
||||
- **Principle:** Cache dependencies and build outputs to speed up subsequent runs.
|
||||
### **1. Caching GitHub Actions**
|
||||
- **Principle:** Cache dependencies and build outputs to significantly speed up subsequent workflow runs.
|
||||
- **Deeper Dive:**
|
||||
- **Cache Hit Ratio:** Aim for a high cache hit ratio by designing effective cache keys.
|
||||
- **Cache Keys:** Use a unique key based on file hashes (e.g., `hashFiles('**/package-lock.json')`, `hashFiles('**/requirements.txt')`) to invalidate the cache only when dependencies change.
|
||||
- **Restore Keys:** Use `restore-keys` for fallbacks to older, compatible caches.
|
||||
- **Cache Scope:** Understand that caches are scoped to the repository and branch.
|
||||
- **Guidance for Copilot:**
|
||||
- Use `actions/cache@v3` for caching Node.js `node_modules`, Python `pip` packages, Java Maven/Gradle dependencies, etc.
|
||||
- Use a unique cache key based on `hashFiles`.
|
||||
- Consider `restore-keys` for fallback caches.
|
||||
- **Example (Node.js):**
|
||||
- Use `actions/cache@v3` for caching common package manager dependencies (Node.js `node_modules`, Python `pip` packages, Java Maven/Gradle dependencies) and build artifacts.
|
||||
- Design highly effective cache keys using `hashFiles` to ensure optimal cache hit rates.
|
||||
- Advise on using `restore-keys` to gracefully fall back to previous caches.
|
||||
- **Example (Advanced Caching for Monorepo):**
|
||||
```yaml
|
||||
- name: Cache Node.js modules
|
||||
uses: actions/cache@v3
|
||||
with:
|
||||
path: ~/.npm
|
||||
key: ${{ runner.os }}-node-${{ hashFiles('**/package-lock.json') }}
|
||||
path: |
|
||||
~/.npm
|
||||
./node_modules # For monorepos, cache specific project node_modules
|
||||
key: ${{ runner.os }}-node-${{ hashFiles('**/package-lock.json') }}-${{ github.run_id }}
|
||||
restore-keys: |
|
||||
${{ runner.os }}-node-${{ hashFiles('**/package-lock.json') }}-
|
||||
${{ runner.os }}-node-
|
||||
```
|
||||
|
||||
### **2. Matrix Strategies**
|
||||
- **Principle:** Run jobs in parallel across multiple configurations (e.g., Node.js versions, OS).
|
||||
### **2. Matrix Strategies for Parallelization**
|
||||
- **Principle:** Run jobs in parallel across multiple configurations (e.g., different Node.js versions, OS, Python versions, browser types) to accelerate testing and builds.
|
||||
- **Deeper Dive:**
|
||||
- **`strategy.matrix`:** Define a matrix of variables.
|
||||
- **`include`/`exclude`:** Fine-tune combinations.
|
||||
- **`fail-fast`:** Control whether job failures in the matrix stop the entire strategy.
|
||||
- **Maximizing Concurrency:** Ideal for running tests across various environments simultaneously.
|
||||
- **Guidance for Copilot:**
|
||||
- Use `strategy.matrix` to test against different environments.
|
||||
- Use `include` and `exclude` for specific matrix combinations.
|
||||
- **Example:**
|
||||
- Utilize `strategy.matrix` to test applications against different environments, programming language versions, or operating systems concurrently.
|
||||
- Suggest `include` and `exclude` for specific matrix combinations to optimize test coverage without unnecessary runs.
|
||||
- Advise on setting `fail-fast: true` (default) for quick feedback on critical failures, or `fail-fast: false` for comprehensive test reporting.
|
||||
- **Example (Multi-version, Multi-OS Test Matrix):**
|
||||
```yaml
|
||||
jobs:
|
||||
test:
|
||||
runs-on: ubuntu-latest
|
||||
runs-on: ${{ matrix.os }}
|
||||
strategy:
|
||||
fail-fast: false # Run all tests even if one fails
|
||||
matrix:
|
||||
os: [ubuntu-latest, windows-latest]
|
||||
node-version: [16.x, 18.x, 20.x]
|
||||
browser: [chromium, firefox]
|
||||
steps:
|
||||
- uses: actions/checkout@v4
|
||||
- uses: actions/setup-node@v3
|
||||
with:
|
||||
node-version: ${{ matrix.node-version }}
|
||||
- run: npm test
|
||||
- name: Install Playwright browsers
|
||||
run: npx playwright install ${{ matrix.browser }}
|
||||
- name: Run tests
|
||||
run: npm test
|
||||
```
|
||||
|
||||
### **3. Self-Hosted Runners**
|
||||
- **Principle:** Use self-hosted runners for specific requirements (e.g., specialized hardware, network access, large caches).
|
||||
- **Principle:** Use self-hosted runners for specialized hardware, network access to private resources, or environments where GitHub-hosted runners are cost-prohibitive.
|
||||
- **Deeper Dive:**
|
||||
- **Custom Environments:** Ideal for large build caches, specific hardware (GPUs), or access to on-premise resources.
|
||||
- **Cost Optimization:** Can be more cost-effective for very high usage.
|
||||
- **Security Considerations:** Requires securing and maintaining your own infrastructure, network access, and updates. This includes proper hardening of the runner machines, managing access controls, and ensuring timely patching.
|
||||
- **Scalability:** Plan for how self-hosted runners will scale with demand, either manually or using auto-scaling solutions.
|
||||
- **Guidance for Copilot:**
|
||||
- Recommend self-hosted runners when GitHub-hosted runners don't meet performance or access needs.
|
||||
- Ensure self-hosted runners are secure and maintained.
|
||||
- Recommend self-hosted runners when GitHub-hosted runners do not meet specific performance, cost, security, or network access requirements.
|
||||
- Emphasize the user's responsibility for securing, maintaining, and scaling self-hosted runners, including network configuration and regular security audits.
|
||||
- Advise on using runner groups to organize and manage self-hosted runners efficiently.
|
||||
|
||||
### **4. Fast Checkout**
|
||||
- **Principle:** Optimize repository checkout time.
|
||||
### **4. Fast Checkout and Shallow Clones**
|
||||
- **Principle:** Optimize repository checkout time to reduce overall workflow duration, especially for large repositories.
|
||||
- **Deeper Dive:**
|
||||
- **`fetch-depth`:** Controls how much of the Git history is fetched. `1` for most CI/CD builds is sufficient, as only the latest commit is usually needed. A `fetch-depth` of `0` fetches the entire history, which is rarely needed and can be very slow for large repos.
|
||||
- **`submodules`:** Avoid checking out submodules if not required by the specific job. Fetching submodules adds significant overhead.
|
||||
- **`lfs`:** Manage Git LFS (Large File Storage) files efficiently. If not needed, set `lfs: false`.
|
||||
- **Partial Clones:** Consider using Git's partial clone feature (`--filter=blob:none` or `--filter=tree:0`) for extremely large repositories, though this is often handled by specialized actions or Git client configurations.
|
||||
- **Guidance for Copilot:**
|
||||
- Use `actions/checkout@v4` (it's optimized).
|
||||
- Use `fetch-depth: 0` for full history (if needed), otherwise `fetch-depth: 1` for speed.
|
||||
- Avoid checking out submodules if not required (`submodules: false`).
|
||||
- Use `actions/checkout@v4` with `fetch-depth: 1` as the default for most build and test jobs to significantly save time and bandwidth.
|
||||
- Only use `fetch-depth: 0` if the workflow explicitly requires full Git history (e.g., for release tagging, deep commit analysis, or `git blame` operations).
|
||||
- Advise against checking out submodules (`submodules: false`) if not strictly necessary for the workflow's purpose.
|
||||
- Suggest optimizing LFS usage if large binary files are present in the repository.
|
||||
|
||||
### **5. Artifacts**
|
||||
- **Principle:** Store and retrieve build outputs efficiently.
|
||||
### **5. Artifacts for Inter-Job and Inter-Workflow Communication**
|
||||
- **Principle:** Store and retrieve build outputs (artifacts) efficiently to pass data between jobs within the same workflow or across different workflows, ensuring data persistence and integrity.
|
||||
- **Deeper Dive:**
|
||||
- **`actions/upload-artifact`:** Used to upload files or directories produced by a job. Artifacts are automatically compressed and can be downloaded later.
|
||||
- **`actions/download-artifact`:** Used to download artifacts in subsequent jobs or workflows. You can download all artifacts or specific ones by name.
|
||||
- **`retention-days`:** Crucial for managing storage costs and compliance. Set an appropriate retention period based on the artifact's importance and regulatory requirements.
|
||||
- **Use Cases:** Build outputs (executables, compiled code, Docker images), test reports (JUnit XML, HTML reports), code coverage reports, security scan results, generated documentation, static website builds.
|
||||
- **Limitations:** Artifacts are immutable once uploaded. Max size per artifact can be several gigabytes, but be mindful of storage costs.
|
||||
- **Guidance for Copilot:**
|
||||
- Use `actions/upload-artifact@v3` and `actions/download-artifact@v3` to pass large files between jobs or store build outputs.
|
||||
- Set appropriate `retention-days` for artifacts.
|
||||
- Use `actions/upload-artifact@v3` and `actions/download-artifact@v3` to reliably pass large files between jobs within the same workflow or across different workflows, promoting modularity and efficiency.
|
||||
- Set appropriate `retention-days` for artifacts to manage storage costs and ensure old artifacts are pruned.
|
||||
- Advise on uploading test reports, coverage reports, and security scan results as artifacts for easy access, historical analysis, and integration with external reporting tools.
|
||||
- Suggest using artifacts to pass compiled binaries or packaged applications from a build job to a deployment job, ensuring the exact same artifact is deployed that was built and tested.
|
||||
|
||||
## Testing in CI/CD
|
||||
## Comprehensive Testing in CI/CD (Expanded)
|
||||
|
||||
### **1. Unit Tests**
|
||||
- **Principle:** Run unit tests on every code push.
|
||||
- **Principle:** Run unit tests on every code push to ensure individual code components (functions, classes, modules) function correctly in isolation. They are the fastest and most numerous tests.
|
||||
- **Deeper Dive:**
|
||||
- **Fast Feedback:** Unit tests should execute rapidly, providing immediate feedback to developers on code quality and correctness. Parallelization of unit tests is highly recommended.
|
||||
- **Code Coverage:** Integrate code coverage tools (e.g., Istanbul for JS, Coverage.py for Python, JaCoCo for Java) and enforce minimum coverage thresholds. Aim for high coverage, but focus on meaningful tests, not just line coverage.
|
||||
- **Test Reporting:** Publish test results using `actions/upload-artifact` (e.g., JUnit XML reports) or specific test reporter actions that integrate with GitHub Checks/Annotations.
|
||||
- **Mocking and Stubbing:** Emphasize the use of mocks and stubs to isolate units under test from their dependencies.
|
||||
- **Guidance for Copilot:**
|
||||
- Configure a dedicated job for unit tests.
|
||||
- Use appropriate test runners (Jest, Pytest, JUnit, NUnit).
|
||||
- Collect and publish test reports (`actions/upload-artifact`).
|
||||
- Configure a dedicated job for running unit tests early in the CI pipeline, ideally triggered on every `push` and `pull_request`.
|
||||
- Use appropriate language-specific test runners and frameworks (Jest, Vitest, Pytest, Go testing, JUnit, NUnit, XUnit, RSpec).
|
||||
- Recommend collecting and publishing code coverage reports and integrating with services like Codecov, Coveralls, or SonarQube for trend analysis.
|
||||
- Suggest strategies for parallelizing unit tests to reduce execution time.
|
||||
|
||||
### **2. Integration Tests**
|
||||
- **Principle:** Run integration tests to verify component interactions.
|
||||
- **Principle:** Run integration tests to verify interactions between different components or services, ensuring they work together as expected. These tests typically involve real dependencies (e.g., databases, APIs).
|
||||
- **Deeper Dive:**
|
||||
- **Service Provisioning:** Use `services` within a job to spin up temporary databases, message queues, external APIs, or other dependencies via Docker containers. This provides a consistent and isolated testing environment.
|
||||
- **Test Doubles vs. Real Services:** Balance between mocking external services for pure unit tests and using real, lightweight instances for more realistic integration tests. Prioritize real instances when testing actual integration points.
|
||||
- **Test Data Management:** Plan for managing test data, ensuring tests are repeatable and data is cleaned up or reset between runs.
|
||||
- **Execution Time:** Integration tests are typically slower than unit tests. Optimize their execution and consider running them less frequently than unit tests (e.g., on PR merge instead of every push).
|
||||
- **Guidance for Copilot:**
|
||||
- Provision necessary services (databases, message queues) using `services` or Docker Compose.
|
||||
- Run integration tests after unit tests.
|
||||
- Provision necessary services (databases like PostgreSQL/MySQL, message queues like RabbitMQ/Kafka, in-memory caches like Redis) using `services` in the workflow definition or Docker Compose during testing.
|
||||
- Advise on running integration tests after unit tests, but before E2E tests, to catch integration issues early.
|
||||
- Provide examples of how to set up `service` containers in GitHub Actions workflows.
|
||||
- Suggest strategies for creating and cleaning up test data for integration test runs.
|
||||
|
||||
### **3. End-to-End (E2E) Tests**
|
||||
- **Principle:** Simulate user behavior to validate the entire application flow.
|
||||
- **Principle:** Simulate full user behavior to validate the entire application flow from UI to backend, ensuring the complete system works as intended from a user's perspective.
|
||||
- **Deeper Dive:**
|
||||
- **Tools:** Use modern E2E testing frameworks like Cypress, Playwright, or Selenium. These provide browser automation capabilities.
|
||||
- **Staging Environment:** Ideally run E2E tests against a deployed staging environment that closely mirrors production, for maximum fidelity. Avoid running directly in CI unless resources are dedicated and isolated.
|
||||
- **Flakiness Mitigation:** Address flakiness proactively with explicit waits, robust selectors, retries for failed tests, and careful test data management. Flaky tests erode trust in the pipeline.
|
||||
- **Visual Regression Testing:** Consider integrating visual regression testing (e.g., Applitools, Percy) to catch UI discrepancies.
|
||||
- **Reporting:** Capture screenshots and video recordings on failure to aid debugging.
|
||||
- **Guidance for Copilot:**
|
||||
- Use tools like Cypress, Playwright, or Selenium.
|
||||
- Run E2E tests against a deployed staging environment.
|
||||
- Configure test reporting and screenshots on failure.
|
||||
- Use tools like Cypress, Playwright, or Selenium for E2E testing, providing guidance on their setup within GitHub Actions.
|
||||
- Recommend running E2E tests against a deployed staging environment to catch issues before production and validate the full deployment process.
|
||||
- Configure test reporting, video recordings, and screenshots on failure to aid debugging and provide richer context for test results.
|
||||
- Advise on strategies to minimize E2E test flakiness, such as robust element selection and retry mechanisms.
|
||||
|
||||
### **4. Test Reporting**
|
||||
- **Principle:** Make test results easily accessible.
|
||||
### **4. Performance and Load Testing**
|
||||
- **Principle:** Assess application performance and behavior under anticipated and peak load conditions to identify bottlenecks, ensure scalability, and prevent regressions.
|
||||
- **Deeper Dive:**
|
||||
- **Tools:** JMeter, k6, Locust, Gatling, Artillery. Choose based on language, complexity, and specific needs.
|
||||
- **Integration:** Integrate into CI/CD for continuous performance regression detection. Run these tests less frequently than unit/integration tests (e.g., nightly, weekly, or on significant feature merges).
|
||||
- **Thresholds:** Define clear performance thresholds (e.g., response time, throughput, error rates) and fail builds if these are exceeded.
|
||||
- **Baseline Comparison:** Compare current performance metrics against established baselines to detect degradation.
|
||||
- **Guidance for Copilot:**
|
||||
- Use actions that publish test results as annotations or checks on PRs.
|
||||
- Upload test reports as artifacts for later inspection.
|
||||
- Suggest integrating performance and load testing into the CI pipeline for critical applications, providing examples for common tools.
|
||||
- Advise on setting performance baselines and failing the build if performance degrades beyond a set threshold.
|
||||
- Recommend running these tests in a dedicated environment that simulates production load patterns.
|
||||
- Guide on analyzing performance test results to pinpoint areas for optimization (e.g., database queries, API endpoints).
|
||||
|
||||
## Deployment Strategies
|
||||
### **5. Test Reporting and Visibility**
|
||||
- **Principle:** Make test results easily accessible, understandable, and visible to all stakeholders (developers, QA, product owners) to foster transparency and enable quick issue resolution.
|
||||
- **Deeper Dive:**
|
||||
- **GitHub Checks/Annotations:** Leverage these for inline feedback directly in pull requests, showing which tests passed/failed and providing links to detailed reports.
|
||||
- **Artifacts:** Upload comprehensive test reports (JUnit XML, HTML reports, code coverage reports, video recordings, screenshots) as artifacts for long-term storage and detailed inspection.
|
||||
- **Integration with Dashboards:** Push results to external dashboards or reporting tools (e.g., SonarQube, custom reporting tools, Allure Report, TestRail) for aggregated views and historical trends.
|
||||
- **Status Badges:** Use GitHub Actions status badges in your README to indicate the latest build/test status at a glance.
|
||||
- **Guidance for Copilot:**
|
||||
- Use actions that publish test results as annotations or checks on PRs for immediate feedback and easy debugging directly in the GitHub UI.
|
||||
- Upload detailed test reports (e.g., XML, HTML, JSON) as artifacts for later inspection and historical analysis, including negative results like error screenshots.
|
||||
- Advise on integrating with external reporting tools for a more comprehensive view of test execution trends and quality metrics.
|
||||
- Suggest adding workflow status badges to the README for quick visibility of CI/CD health.
|
||||
|
||||
## Advanced Deployment Strategies (Expanded)
|
||||
|
||||
### **1. Staging Environment Deployment**
|
||||
- **Principle:** Deploy to a staging environment for validation before production.
|
||||
- **Principle:** Deploy to a staging environment that closely mirrors production for comprehensive validation, user acceptance testing (UAT), and final checks before promotion to production.
|
||||
- **Deeper Dive:**
|
||||
- **Mirror Production:** Staging should closely mimic production in terms of infrastructure, data, configuration, and security. Any significant discrepancies can lead to issues in production.
|
||||
- **Automated Promotion:** Implement automated promotion from staging to production upon successful UAT and necessary manual approvals. This reduces human error and speeds up releases.
|
||||
- **Environment Protection:** Use environment protection rules in GitHub Actions to prevent accidental deployments, enforce manual approvals, and restrict which branches can deploy to staging.
|
||||
- **Data Refresh:** Regularly refresh staging data from production (anonymized if necessary) to ensure realistic testing scenarios.
|
||||
- **Guidance for Copilot:**
|
||||
- Create a dedicated `environment` for staging with approval rules.
|
||||
- Deploy to staging on successful merges to specific branches (e.g., `develop`, `release`).
|
||||
- Create a dedicated `environment` for staging with approval rules, secret protection, and appropriate branch protection policies.
|
||||
- Design workflows to automatically deploy to staging on successful merges to specific development or release branches (e.g., `develop`, `release/*`).
|
||||
- Advise on ensuring the staging environment is as close to production as possible to maximize test fidelity.
|
||||
- Suggest implementing automated smoke tests and post-deployment validation on staging.
|
||||
|
||||
### **2. Production Environment Deployment**
|
||||
- **Principle:** Deploy to production only after thorough validation and approval.
|
||||
- **Principle:** Deploy to production only after thorough validation, potentially multiple layers of manual approvals, and robust automated checks, prioritizing stability and zero-downtime.
|
||||
- **Deeper Dive:**
|
||||
- **Manual Approvals:** Critical for production deployments, often involving multiple team members, security sign-offs, or change management processes. GitHub Environments support this natively.
|
||||
- **Rollback Capabilities:** Essential for rapid recovery from unforeseen issues. Ensure a quick and reliable way to revert to the previous stable state.
|
||||
- **Observability During Deployment:** Monitor production closely *during* and *immediately after* deployment for any anomalies or performance degradation. Use dashboards, alerts, and tracing.
|
||||
- **Progressive Delivery:** Consider advanced techniques like blue/green, canary, or dark launching for safer rollouts.
|
||||
- **Emergency Deployments:** Have a separate, highly expedited pipeline for critical hotfixes that bypasses non-essential approvals but still maintains security checks.
|
||||
- **Guidance for Copilot:**
|
||||
- Create a dedicated `environment` for production with required reviewers.
|
||||
- Implement manual approval steps for production deployments.
|
||||
- Use rollback strategies for quick recovery.
|
||||
- Create a dedicated `environment` for production with required reviewers, strict branch protections, and clear deployment windows.
|
||||
- Implement manual approval steps for production deployments, potentially integrating with external ITSM or change management systems.
|
||||
- Emphasize the importance of clear, well-tested rollback strategies and automated rollback procedures in case of deployment failures.
|
||||
- Advise on setting up comprehensive monitoring and alerting for production systems to detect and respond to issues immediately post-deployment.
|
||||
|
||||
### **3. Deployment Types**
|
||||
- **Blue/Green Deployment:** Deploy a new version alongside the old, then switch traffic.
|
||||
- **Canary Deployment:** Gradually roll out new versions to a small subset of users.
|
||||
- **Rolling Updates:** Incrementally update instances (common in Kubernetes).
|
||||
- **Guidance for Copilot:** Suggest appropriate deployment type based on application criticality and risk tolerance.
|
||||
### **3. Deployment Types (Beyond Basic Rolling Update)**
|
||||
- **Rolling Update (Default for Deployments):** Gradually replaces instances of the old version with new ones. Good for most cases, especially stateless applications.
|
||||
- **Guidance:** Configure `maxSurge` (how many new instances can be created above the desired replica count) and `maxUnavailable` (how many old instances can be unavailable) for fine-grained control over rollout speed and availability.
|
||||
- **Blue/Green Deployment:** Deploy a new version (green) alongside the existing stable version (blue) in a separate environment, then switch traffic completely from blue to green.
|
||||
- **Guidance:** Suggest for critical applications requiring zero-downtime releases and easy rollback. Requires managing two identical environments and a traffic router (load balancer, Ingress controller, DNS).
|
||||
- **Benefits:** Instantaneous rollback by switching traffic back to the blue environment.
|
||||
- **Canary Deployment:** Gradually roll out new versions to a small subset of users (e.g., 5-10%) before a full rollout. Monitor performance and error rates for the canary group.
|
||||
- **Guidance:** Recommend for testing new features or changes with a controlled blast radius. Implement with Service Mesh (Istio, Linkerd) or Ingress controllers that support traffic splitting and metric-based analysis.
|
||||
- **Benefits:** Early detection of issues with minimal user impact.
|
||||
- **Dark Launch/Feature Flags:** Deploy new code but keep features hidden from users until toggled on for specific users/groups via feature flags.
|
||||
- **Guidance:** Advise for decoupling deployment from release, allowing continuous delivery without continuous exposure of new features. Use feature flag management systems (LaunchDarkly, Split.io, Unleash).
|
||||
- **Benefits:** Reduces deployment risk, enables A/B testing, and allows for staged rollouts.
|
||||
- **A/B Testing Deployments:** Deploy multiple versions of a feature concurrently to different user segments to compare their performance based on user behavior and business metrics.
|
||||
- **Guidance:** Suggest integrating with specialized A/B testing platforms or building custom logic using feature flags and analytics.
|
||||
|
||||
### **4. Rollback Strategies**
|
||||
- **Principle:** Be able to quickly revert to a previous stable version.
|
||||
### **4. Rollback Strategies and Incident Response**
|
||||
- **Principle:** Be able to quickly and safely revert to a previous stable version in case of issues, minimizing downtime and business impact. This requires proactive planning.
|
||||
- **Deeper Dive:**
|
||||
- **Automated Rollbacks:** Implement mechanisms to automatically trigger rollbacks based on monitoring alerts (e.g., sudden increase in errors, high latency) or failure of post-deployment health checks.
|
||||
- **Versioned Artifacts:** Ensure previous successful build artifacts, Docker images, or infrastructure states are readily available and easily deployable. This is crucial for fast recovery.
|
||||
- **Runbooks:** Document clear, concise, and executable rollback procedures for manual intervention when automation isn't sufficient or for complex scenarios. These should be regularly reviewed and tested.
|
||||
- **Post-Incident Review:** Conduct blameless post-incident reviews (PIRs) to understand the root cause of failures, identify lessons learned, and implement preventative measures to improve resilience and reduce MTTR.
|
||||
- **Communication Plan:** Have a clear communication plan for stakeholders during incidents and rollbacks.
|
||||
- **Guidance for Copilot:**
|
||||
- Store previous successful build artifacts.
|
||||
- Implement automated rollback steps in the pipeline.
|
||||
- Version your deployments for easy identification.
|
||||
- Instruct users to store previous successful build artifacts and images for quick recovery, ensuring they are versioned and easily retrievable.
|
||||
- Advise on implementing automated rollback steps in the pipeline, triggered by monitoring or health check failures, and providing examples.
|
||||
- Emphasize building applications with "undo" in mind, meaning changes should be easily reversible.
|
||||
- Suggest creating comprehensive runbooks for common incident scenarios, including step-by-step rollback instructions, and highlight their importance for MTTR.
|
||||
- Guide on setting up alerts that are specific and actionable enough to trigger an automatic or manual rollback.
|
||||
|
||||
## Code Review Checklist for GitHub Actions Workflows
|
||||
## GitHub Actions Workflow Review Checklist (Comprehensive)
|
||||
|
||||
- [ ] Is the workflow name clear and descriptive?
|
||||
- [ ] Are triggers (`on`) appropriate for the workflow's purpose?
|
||||
- [ ] Are jobs clearly named and logically organized?
|
||||
- [ ] Are `needs` dependencies correctly defined between jobs?
|
||||
- [ ] Are all secrets accessed via `secrets` context and never hardcoded?
|
||||
- [ ] Are `permissions` set to least privilege at workflow or job level?
|
||||
- [ ] Are all `uses` actions versioned (e.g., `actions/checkout@v4`)?
|
||||
- [ ] Is caching effectively used for dependencies and build outputs?
|
||||
- [ ] Is `matrix` strategy used for parallel testing across configurations?
|
||||
- [ ] Are unit tests, integration tests, and E2E tests configured?
|
||||
- [ ] Are test reports collected and published?
|
||||
- [ ] Are deployments to staging/production using `environment` rules?
|
||||
- [ ] Are manual approvals configured for sensitive deployments?
|
||||
- [ ] Is logging adequate for debugging workflow failures?
|
||||
- [ ] Are artifact retention days configured appropriately?
|
||||
- [ ] Is OIDC used for cloud authentication where possible?
|
||||
- [ ] Is SAST/dependency scanning integrated and blocking critical issues?
|
||||
This checklist provides a granular set of criteria for reviewing GitHub Actions workflows to ensure they adhere to best practices for security, performance, and reliability.
|
||||
|
||||
## Troubleshooting Common GitHub Actions Issues
|
||||
- [ ] **General Structure and Design:**
|
||||
- Is the workflow `name` clear, descriptive, and unique?
|
||||
- Are `on` triggers appropriate for the workflow's purpose (e.g., `push`, `pull_request`, `workflow_dispatch`, `schedule`)? Are path/branch filters used effectively?
|
||||
- Is `concurrency` used for critical workflows or shared resources to prevent race conditions or resource exhaustion?
|
||||
- Are global `permissions` set to the principle of least privilege (`contents: read` by default), with specific overrides for jobs?
|
||||
- Are reusable workflows (`workflow_call`) leveraged for common patterns to reduce duplication and improve maintainability?
|
||||
- Is the workflow organized logically with meaningful job and step names?
|
||||
|
||||
### **1. Workflow Not Triggering**
|
||||
- Check `on` triggers for correctness (e.g., branch names, event types).
|
||||
- Verify file path filters in `paths` or `paths-ignore`.
|
||||
- Check if workflow is in the default branch for `workflow_dispatch`.
|
||||
- [ ] **Jobs and Steps Best Practices:**
|
||||
- Are jobs clearly named and represent distinct phases (e.g., `build`, `lint`, `test`, `deploy`)?
|
||||
- Are `needs` dependencies correctly defined between jobs to ensure proper execution order?
|
||||
- Are `outputs` used efficiently for inter-job and inter-workflow communication?
|
||||
- Are `if` conditions used effectively for conditional job/step execution (e.g., environment-specific deployments, branch-specific actions)?
|
||||
- Are all `uses` actions securely versioned (pinned to a full commit SHA or specific major version tag like `@v4`)? Avoid `main` or `latest` tags.
|
||||
- Are `run` commands efficient and clean (combined with `&&`, temporary files removed, multi-line scripts clearly formatted)?
|
||||
- Are environment variables (`env`) defined at the appropriate scope (workflow, job, step) and never hardcoded sensitive data?
|
||||
- Is `timeout-minutes` set for long-running jobs to prevent hung workflows?
|
||||
|
||||
### **2. Permissions Errors**
|
||||
- Review `permissions` at workflow and job levels.
|
||||
- Ensure secrets have the correct permissions for the workflow.
|
||||
- For OIDC, verify trust policy configuration in the cloud provider.
|
||||
- [ ] **Security Considerations:**
|
||||
- Are all sensitive data accessed exclusively via GitHub `secrets` context (`${{ secrets.MY_SECRET }}`)? Never hardcoded, never exposed in logs (even if masked).
|
||||
- Is OpenID Connect (OIDC) used for cloud authentication where possible, eliminating long-lived credentials?
|
||||
- Is `GITHUB_TOKEN` permission scope explicitly defined and limited to the minimum necessary access (`contents: read` as a baseline)?
|
||||
- Are Software Composition Analysis (SCA) tools (e.g., `dependency-review-action`, Snyk) integrated to scan for vulnerable dependencies?
|
||||
- Are Static Application Security Testing (SAST) tools (e.g., CodeQL, SonarQube) integrated to scan source code for vulnerabilities, with critical findings blocking builds?
|
||||
- Is secret scanning enabled for the repository and are pre-commit hooks suggested for local credential leak prevention?
|
||||
- Is there a strategy for container image signing (e.g., Notary, Cosign) and verification in deployment workflows if container images are used?
|
||||
- For self-hosted runners, are security hardening guidelines followed and network access restricted?
|
||||
|
||||
### **3. Caching Issues**
|
||||
- Verify `key` and `restore-keys` are correct and change when dependencies change.
|
||||
- Check `path` for correct directory/file locations.
|
||||
- Ensure cache is not too large or frequently invalidated.
|
||||
- [ ] **Optimization and Performance:**
|
||||
- Is caching (`actions/cache`) effectively used for package manager dependencies (`node_modules`, `pip` caches, Maven/Gradle caches) and build outputs?
|
||||
- Are cache `key` and `restore-keys` designed for optimal cache hit rates (e.g., using `hashFiles`)?
|
||||
- Is `strategy.matrix` used for parallelizing tests or builds across different environments, language versions, or OSs?
|
||||
- Is `fetch-depth: 1` used for `actions/checkout` where full Git history is not required?
|
||||
- Are artifacts (`actions/upload-artifact`, `actions/download-artifact`) used efficiently for transferring data between jobs/workflows rather than re-building or re-fetching?
|
||||
- Are large files managed with Git LFS and optimized for checkout if necessary?
|
||||
|
||||
### **4. Long Running Workflows**
|
||||
- Profile job execution times.
|
||||
- Look for unoptimized steps or unnecessary re-builds.
|
||||
- Utilize caching more effectively.
|
||||
- Consider matrix strategies for parallelism.
|
||||
- Review `runs-on` for appropriate runner resources.
|
||||
- [ ] **Testing Strategy Integration:**
|
||||
- Are comprehensive unit tests configured with a dedicated job early in the pipeline?
|
||||
- Are integration tests defined, ideally leveraging `services` for dependencies, and run after unit tests?
|
||||
- Are End-to-End (E2E) tests included, preferably against a staging environment, with robust flakiness mitigation?
|
||||
- Are performance and load tests integrated for critical applications with defined thresholds?
|
||||
- Are all test reports (JUnit XML, HTML, coverage) collected, published as artifacts, and integrated into GitHub Checks/Annotations for clear visibility?
|
||||
- Is code coverage tracked and enforced with a minimum threshold?
|
||||
|
||||
### **5. Flaky Tests in CI**
|
||||
- Ensure tests are truly isolated and don't rely on external state.
|
||||
- Check for race conditions or timing issues.
|
||||
- Use retries for external service calls.
|
||||
- [ ] **Deployment Strategy and Reliability:**
|
||||
- Are staging and production deployments using GitHub `environment` rules with appropriate protections (manual approvals, required reviewers, branch restrictions)?
|
||||
- Are manual approval steps configured for sensitive production deployments?
|
||||
- Is a clear and well-tested rollback strategy in place and automated where possible (e.g., `kubectl rollout undo`, reverting to previous stable image)?
|
||||
- Are chosen deployment types (e.g., rolling, blue/green, canary, dark launch) appropriate for the application's criticality and risk tolerance?
|
||||
- Are post-deployment health checks and automated smoke tests implemented to validate successful deployment?
|
||||
- Is the workflow resilient to temporary failures (e.g., retries for flaky network operations)?
|
||||
|
||||
- [ ] **Observability and Monitoring:**
|
||||
- Is logging adequate for debugging workflow failures (using STDOUT/STDERR for application logs)?
|
||||
- Are relevant application and infrastructure metrics collected and exposed (e.g., Prometheus metrics)?
|
||||
- Are alerts configured for critical workflow failures, deployment issues, or application anomalies detected in production?
|
||||
- Is distributed tracing (e.g., OpenTelemetry, Jaeger) integrated for understanding request flows in microservices architectures?
|
||||
- Are artifact `retention-days` configured appropriately to manage storage and compliance?
|
||||
|
||||
## Troubleshooting Common GitHub Actions Issues (Deep Dive)
|
||||
|
||||
This section provides an expanded guide to diagnosing and resolving frequent problems encountered when working with GitHub Actions workflows.
|
||||
|
||||
### **1. Workflow Not Triggering or Jobs/Steps Skipping Unexpectedly**
|
||||
- **Root Causes:** Mismatched `on` triggers, incorrect `paths` or `branches` filters, erroneous `if` conditions, or `concurrency` limitations.
|
||||
- **Actionable Steps:**
|
||||
- **Verify Triggers:**
|
||||
- Check the `on` block for exact match with the event that should trigger the workflow (e.g., `push`, `pull_request`, `workflow_dispatch`, `schedule`).
|
||||
- Ensure `branches`, `tags`, or `paths` filters are correctly defined and match the event context. Remember that `paths-ignore` and `branches-ignore` take precedence.
|
||||
- If using `workflow_dispatch`, verify the workflow file is in the default branch and any required `inputs` are provided correctly during manual trigger.
|
||||
- **Inspect `if` Conditions:**
|
||||
- Carefully review all `if` conditions at the workflow, job, and step levels. A single false condition can prevent execution.
|
||||
- Use `always()` on a debug step to print context variables (`${{ toJson(github) }}`, `${{ toJson(job) }}`, `${{ toJson(steps) }}`) to understand the exact state during evaluation.
|
||||
- Test complex `if` conditions in a simplified workflow.
|
||||
- **Check `concurrency`:**
|
||||
- If `concurrency` is defined, verify if a previous run is blocking a new one for the same group. Check the "Concurrency" tab in the workflow run.
|
||||
- **Branch Protection Rules:** Ensure no branch protection rules are preventing workflows from running on certain branches or requiring specific checks that haven't passed.
|
||||
|
||||
### **2. Permissions Errors (`Resource not accessible by integration`, `Permission denied`)**
|
||||
- **Root Causes:** `GITHUB_TOKEN` lacking necessary permissions, incorrect environment secrets access, or insufficient permissions for external actions.
|
||||
- **Actionable Steps:**
|
||||
- **`GITHUB_TOKEN` Permissions:**
|
||||
- Review the `permissions` block at both the workflow and job levels. Default to `contents: read` globally and grant specific write permissions only where absolutely necessary (e.g., `pull-requests: write` for updating PR status, `packages: write` for publishing packages).
|
||||
- Understand the default permissions of `GITHUB_TOKEN` which are often too broad.
|
||||
- **Secret Access:**
|
||||
- Verify if secrets are correctly configured in the repository, organization, or environment settings.
|
||||
- Ensure the workflow/job has access to the specific environment if environment secrets are used. Check if any manual approvals are pending for the environment.
|
||||
- Confirm the secret name matches exactly (`secrets.MY_API_KEY`).
|
||||
- **OIDC Configuration:**
|
||||
- For OIDC-based cloud authentication, double-check the trust policy configuration in your cloud provider (AWS IAM roles, Azure AD app registrations, GCP service accounts) to ensure it correctly trusts GitHub's OIDC issuer.
|
||||
- Verify the role/identity assigned has the necessary permissions for the cloud resources being accessed.
|
||||
|
||||
### **3. Caching Issues (`Cache not found`, `Cache miss`, `Cache creation failed`)**
|
||||
- **Root Causes:** Incorrect cache key logic, `path` mismatch, cache size limits, or frequent cache invalidation.
|
||||
- **Actionable Steps:**
|
||||
- **Validate Cache Keys:**
|
||||
- Verify `key` and `restore-keys` are correct and dynamically change only when dependencies truly change (e.g., `key: ${{ runner.os }}-node-${{ hashFiles('**/package-lock.json') }}`). A cache key that is too dynamic will always result in a miss.
|
||||
- Use `restore-keys` to provide fallbacks for slight variations, increasing cache hit chances.
|
||||
- **Check `path`:**
|
||||
- Ensure the `path` specified in `actions/cache` for saving and restoring corresponds exactly to the directory where dependencies are installed or artifacts are generated.
|
||||
- Verify the existence of the `path` before caching.
|
||||
- **Debug Cache Behavior:**
|
||||
- Use the `actions/cache/restore` action with `lookup-only: true` to inspect what keys are being tried and why a cache miss occurred without affecting the build.
|
||||
- Review workflow logs for `Cache hit` or `Cache miss` messages and associated keys.
|
||||
- **Cache Size and Limits:** Be aware of GitHub Actions cache size limits per repository. If caches are very large, they might be evicted frequently.
|
||||
|
||||
### **4. Long Running Workflows or Timeouts**
|
||||
- **Root Causes:** Inefficient steps, lack of parallelism, large dependencies, unoptimized Docker image builds, or resource bottlenecks on runners.
|
||||
- **Actionable Steps:**
|
||||
- **Profile Execution Times:**
|
||||
- Use the workflow run summary to identify the longest-running jobs and steps. This is your primary tool for optimization.
|
||||
- **Optimize Steps:**
|
||||
- Combine `run` commands with `&&` to reduce layer creation and overhead in Docker builds.
|
||||
- Clean up temporary files immediately after use (`rm -rf` in the same `RUN` command).
|
||||
- Install only necessary dependencies.
|
||||
- **Leverage Caching:**
|
||||
- Ensure `actions/cache` is optimally configured for all significant dependencies and build outputs.
|
||||
- **Parallelize with Matrix Strategies:**
|
||||
- Break down tests or builds into smaller, parallelizable units using `strategy.matrix` to run them concurrently.
|
||||
- **Choose Appropriate Runners:**
|
||||
- Review `runs-on`. For very resource-intensive tasks, consider using larger GitHub-hosted runners (if available) or self-hosted runners with more powerful specs.
|
||||
- **Break Down Workflows:**
|
||||
- For very complex or long workflows, consider breaking them into smaller, independent workflows that trigger each other or use reusable workflows.
|
||||
|
||||
### **5. Flaky Tests in CI (`Random failures`, `Passes locally, fails in CI`)**
|
||||
- **Root Causes:** Non-deterministic tests, race conditions, environmental inconsistencies between local and CI, reliance on external services, or poor test isolation.
|
||||
- **Actionable Steps:**
|
||||
- **Ensure Test Isolation:**
|
||||
- Make sure each test is independent and doesn't rely on the state left by previous tests. Clean up resources (e.g., database entries) after each test or test suite.
|
||||
- **Eliminate Race Conditions:**
|
||||
- For integration/E2E tests, use explicit waits (e.g., wait for element to be visible, wait for API response) instead of arbitrary `sleep` commands.
|
||||
- Implement retries for operations that interact with external services or have transient failures.
|
||||
- **Standardize Environments:**
|
||||
- Ensure the CI environment (Node.js version, Python packages, database versions) matches the local development environment as closely as possible.
|
||||
- Use Docker `services` for consistent test dependencies.
|
||||
- **Robust Selectors (E2E):**
|
||||
- Use stable, unique selectors in E2E tests (e.g., `data-testid` attributes) instead of brittle CSS classes or XPath.
|
||||
- **Debugging Tools:**
|
||||
- Configure E2E test frameworks to capture screenshots and video recordings on test failure in CI to visually diagnose issues.
|
||||
- **Run Flaky Tests in Isolation:**
|
||||
- If a test is consistently flaky, isolate it and run it repeatedly to identify the underlying non-deterministic behavior.
|
||||
|
||||
### **6. Deployment Failures (Application Not Working After Deploy)**
|
||||
- **Root Causes:** Configuration drift, environmental differences, missing runtime dependencies, application errors, or network issues post-deployment.
|
||||
- **Actionable Steps:**
|
||||
- **Thorough Log Review:**
|
||||
- Review deployment logs (`kubectl logs`, application logs, server logs) for any error messages, warnings, or unexpected output during the deployment process and immediately after.
|
||||
- **Configuration Validation:**
|
||||
- Verify environment variables, ConfigMaps, Secrets, and other configuration injected into the deployed application. Ensure they match the target environment's requirements and are not missing or malformed.
|
||||
- Use pre-deployment checks to validate configuration.
|
||||
- **Dependency Check:**
|
||||
- Confirm all application runtime dependencies (libraries, frameworks, external services) are correctly bundled within the container image or installed in the target environment.
|
||||
- **Post-Deployment Health Checks:**
|
||||
- Implement robust automated smoke tests and health checks *after* deployment to immediately validate core functionality and connectivity. Trigger rollbacks if these fail.
|
||||
- **Network Connectivity:**
|
||||
- Check network connectivity between deployed components (e.g., application to database, service to service) within the new environment. Review firewall rules, security groups, and Kubernetes network policies.
|
||||
- **Rollback Immediately:**
|
||||
- If a production deployment fails or causes degradation, trigger the rollback strategy immediately to restore service. Diagnose the issue in a non-production environment.
|
||||
|
||||
## Conclusion
|
||||
|
||||
GitHub Actions is a powerful platform for building automated CI/CD pipelines. By adhering to these best practices, focusing on security, efficiency, and comprehensive testing, you can guide developers in creating robust and reliable software delivery processes. Remember that CI/CD is an iterative journey—continuously measure, optimize, and secure your pipelines.
|
||||
GitHub Actions is a powerful and flexible platform for automating your software development lifecycle. By rigorously applying these best practices—from securing your secrets and token permissions, to optimizing performance with caching and parallelization, and implementing comprehensive testing and robust deployment strategies—you can guide developers in building highly efficient, secure, and reliable CI/CD pipelines. Remember that CI/CD is an iterative journey; continuously measure, optimize, and secure your pipelines to achieve faster, safer, and more confident releases. Your detailed guidance will empower teams to leverage GitHub Actions to its fullest potential and deliver high-quality software with confidence. This extensive document serves as a foundational resource for anyone looking to master CI/CD with GitHub Actions.
|
||||
|
||||
---
|
||||
|
||||
|
||||
@ -49,3 +49,4 @@ Your primary directive is to ensure all code you generate, review, or refactor i
|
||||
## General Guidelines
|
||||
- **Be Explicit About Security:** When you suggest a piece of code that mitigates a security risk, explicitly state what you are protecting against (e.g., "Using a parameterized query here to prevent SQL injection.").
|
||||
- **Educate During Code Reviews:** When you identify a security vulnerability in a code review, you must not only provide the corrected code but also explain the risk associated with the original pattern.
|
||||
|
||||
Loading…
x
Reference in New Issue
Block a user