mandag 30. desember 2024

Docker for Python and PHP Development: A Comprehensive Guide with VS Code

Introduction

Docker has revolutionized how we develop and deploy applications. It ensures consistent environments, simplifies dependency management, and makes it easier to collaborate. This post serves as a comprehensive guide to using Docker effectively with Python and PHP projects, particularly when using VS Code as your IDE. We’ll explore key concepts, best practices, and the transition from development to production.

Why Docker for Development?

Docker containers offer several advantages:

  • Consistent Environments: Eliminate “it works on my machine” problems by providing an environment identical to staging and production.
  • Dependency Isolation: Avoid conflicts between project dependencies.
  • Simplified Onboarding: New developers can set up their environment quickly by running a simple Docker command.
  • Collaboration: Sharing Docker images streamlines team collaboration.
  • Scalability: Containers are fundamental for building scalable applications.

Best Practices: Docker + Python/PHP + VS Code

Let’s dive into the best ways to integrate Docker into your Python or PHP development workflow using VS Code.

1. Project Structure:

  • Dedicated Dockerfile: A Dockerfile should reside at the root of your project. It defines how the Docker image is built.
  • docker-compose.yml (Recommended): Use Docker Compose for managing multiple containers (application, database, etc.).

2. Dockerfile Best Practices:

  • Multi-Stage Builds: Keep your final image small and secure by using multiple stages during the build process.
  • Use Official Images: Start with official Python or PHP images from Docker Hub (e.g., python:3.11-slim, php:8.2-apache).
  • Pin Versions: Use specific versions for Python, PHP, and other dependencies for stability.
  • Install Dependencies: Use requirements.txt (Python) or composer.json (PHP) for dependency management.
  • Copy Code Last: Copy application code after installing dependencies to leverage Docker’s caching.
  • Set a User (Security): Create and use a non-root user.
  • Expose Ports: Use EXPOSE to declare ports your application will use.
  • Clear Entrypoint: Define the application’s start command using CMD or ENTRYPOINT.

Example Dockerfile (Python):

# Stage 1: Build Dependencies
FROM python:3.11-slim AS builder
WORKDIR /app
COPY requirements.txt .
RUN pip install --no-cache-dir -r requirements.txt

# Stage 2: Final Image
FROM python:3.11-slim
WORKDIR /app
COPY --from=builder /app/ ./
COPY . .
RUN useradd -ms /bin/bash appuser
USER appuser
EXPOSE 5000
CMD ["python", "app.py"]

Example Dockerfile (PHP):

# Stage 1: Build Dependencies
FROM php:8.2-apache AS builder
WORKDIR /var/www/html
COPY composer.json composer.lock ./
RUN composer install --no-scripts --no-interaction --prefer-dist

# Stage 2: Final Image
FROM php:8.2-apache
WORKDIR /var/www/html
COPY --from=builder /var/www/html/vendor ./vendor
COPY . .
RUN chown -R www-data:www-data /var/www/html
EXPOSE 80
CMD ["apache2-foreground"]

3. docker-compose.yml (Essential):

  • Define Services: Configure containers and their relationships (e.g., app, db).
  • Environment Variables: Set environment variables using environment:.
  • Volumes: Mount host directories to container directories using volumes:.
  • Networking: Create custom networks for service communication.
  • Build from Dockerfile: Use build: . to build an image or image: to use a pre-built image.

Example docker-compose.yml (Python):

version: "3.9"
services:
  app:
    build: .
    ports:
      - "5000:5000"
    volumes:
      - .:/app
    environment:
      DEBUG: "True"
    depends_on:
      - db
  db:
    image: postgres:14
    ports:
      - "5432:5432"
    environment:
      POSTGRES_USER: "myuser"
      POSTGRES_PASSWORD: "mypassword"
      POSTGRES_DB: "mydatabase"
    volumes:
      - pgdata:/var/lib/postgresql/data
volumes:
  pgdata:

Example docker-compose.yml (PHP):

version: "3.9"
services:
  app:
    build: .
    ports:
      - "8000:80"
    volumes:
      - .:/var/www/html
    depends_on:
      - db
    environment:
      DB_HOST: db
      DB_USER: root
      DB_PASSWORD: password
      DB_NAME: my_database
  db:
    image: mariadb:10.6
    environment:
      MYSQL_ROOT_PASSWORD: password
      MYSQL_DATABASE: my_database
    ports:
      - 3306:3306

4. VS Code Integration:

  • Docker Extension: Install the official Docker extension for VS Code:
    • Docker Explorer: View containers, images, volumes, and networks.
    • Dockerfile syntax highlighting.
    • Container Management: Manage containers from VS Code.
    • Remote Container Development: Develop code inside containers using Devcontainers.
  • Devcontainers (.devcontainer):
    • Create .devcontainer/devcontainer.json for a configured development environment inside Docker.
    • Specify dockerFile or image.
    • Set workspaceFolder, forwardPorts, extensions, settings, etc.

Example devcontainer.json (Python):

{
    "name": "Python Devcontainer",
    "build": {
        "dockerfile": "../Dockerfile"
    },
    "workspaceFolder": "/app",
    "forwardPorts": [
        5000
    ],
    "customizations": {
        "vscode": {
            "extensions": [
                "ms-python.python"
            ]
        }
    }
}

Example devcontainer.json (PHP):

{
    "name": "PHP Devcontainer",
    "build": {
      "dockerfile": "../Dockerfile"
    },
    "workspaceFolder": "/var/www/html",
    "forwardPorts": [
      80
    ],
    "customizations": {
      "vscode": {
          "extensions": [
              "bmewburn.vscode-intelephense-client"
          ]
        }
    }
  }

5. Managing File Changes and Git:

  • Volumes: Use bind mounts (e.g., volumes: - .:/app) to map the host code to the container. Changes on either side are synchronized.
  • Git on the Host: Manage your Git repository on the host, not inside the container. VS Code integration handles Git tasks outside the container environment.
  • .dockerignore: Create a .dockerignore file to exclude unnecessary files from Docker images (e.g., .git, node_modules, etc.) to improve the performance of the image building and to avoid sensitive data to leak.

6. Production Deployment Considerations:

  • Move Code Into the Image: The main difference between production and development is that in production we need our code inside the container. No volumes, therefore no dynamic modifications.
  • Multi-Stage Builds: Ensure your production Dockerfile has the proper configuration.
  • Remove Volume Mounts: Do not use volume mounts in your production docker-compose.yml.
  • Set Environment Variables: Use environment variables for configuration settings.
  • CI/CD Integration: Use a CI/CD pipeline for building and deploying images from your production branch.
  • Secrets Management: Do not hardcode secrets. use tools such as Hashicorp Vault for better security.

7. Going from Production to Development:

  • Create a Dockerfile.dev: Create a development version of your Dockerfile without the COPY . . or equivalent for source code.
  • Add Development Tools: Reinstall development tools.
  • Use a docker-compose.dev.yml: Use a separate Compose file that includes volume mounts.
  • Mount Code: Map the local code directory to the container using volumes.
  • Run: use docker compose -f docker-compose.dev.yml up -d --build
  • Debugging: Now you can use your favourite debugger to debug your code inside the container.
  • Naming Conventions: The filename Dockerfile.dev is a convention for human understanding but not recognized by docker itself. Docker only reads the Dockerfile and will require a -f parameter to indicate the filename to be used if it is not called Dockerfile.

8. Extracting Source Code from Production Images:

  • Temporary Container: Run a temporary container with docker run --name temp_container <image-name> /bin/sh.
  • Copy using docker cp: Copy the source code directory using docker cp temp_container:<source-directory> <host-destination>.
  • Stop and Remove: Remove the temporary container with docker stop temp_container && docker rm temp_container.

Conclusion:

Docker, when used correctly with Python, PHP, and VS Code, streamlines development and deployment. Understanding best practices for Dockerfiles, docker-compose.yml, and VS Code integration is key to a smooth workflow. This guide should equip you with the knowledge to build efficient and maintainable containerized applications.

Key Takeaways:

  • Use multi-stage builds for smaller, secure images.
  • Utilize docker-compose.yml for multi-container setups.
  • Leverage VS Code’s Docker extension and Devcontainers.
  • Use volumes for efficient development but not for production.
  • Handle the transition between production and development using different docker-compose.yml configurations and Dockerfile files.

Setup MySQL repliaction from scratch.

 How to setup a replication instance from only a single server.


First backup the database, 

MASTER SERVER:

Edit the MySQL configuration file (/etc/mysql/mysql.conf.d/mysqld.cnf ) to enable binary logging and specify the server as the master.

[mysqld] 
server-id=1 
log_bin=mysql-bin

Run the following command to restart mysql deamon:

sudo systemctl restart mysql

Backup the original database on the master server.

--master-data=2 er important. it includes the binlog information in the backup file. to be used to synchronize the slave to the master.

mysqldump -u root --p --opt --single-transaction --master-data=2 --databases db_to_backup > backup.sql > /dev/null 2>&1 &

slog in to the MySQL server:

mysql -u root -p CREATE USER 'replica_user'@'%' IDENTIFIED BY 'password'; GRANT REPLICATION SLAVE ON *.* TO 'replica_user'@'%'; FLUSH PRIVILEGES;

Run the following command inside mysql command line.

CREATE USER 'replica_user'@'%' IDENTIFIED BY 'password'; GRANT REPLICATION SLAVE ON *.* TO 'replica_user'@'%'; FLUSH PRIVILEGES;


mysql -u root -p CREATE USER 'replica_user'@'%' IDENTIFIED BY 'password'; GRANT REPLICATION SLAVE ON *.* TO 'replica_user'@'%'; FLUSH PRIVILEGES;

d] 

mysqldump -u root --p --opt --single-transaction --master-data=2 --databases db_to_backup > backup.sql > /dev/null 2>&1 &

Then setup the mysql server instance on a new computer or vm and import the data, 

søndag 7. mai 2023

Visual Studio code replace curly braces with brackets (PHP)

To replace curly braces with brackets using search and replace in Visual Studio code for PHP use this search/replace pattern: 

Enable regex search.

Example:

$image{0} to $image[0]

 

Search: (\$[a-z]+)\{(.)\} 

Replace: $1[$2]


 

søndag 2. mai 2021

PI24 + RTL-AIS

  1. Burn PI24 to SDcard
  2. boot and setup wpa_supplicant and raspi_config if applicable
  3. setup FR24 and it working
  4. install giut and build-essentials
  5. install dependencies, not librtlsdr-dev if you are compiling your own version to get rid of errors see below.
  6. git clonw rtl_ais and compile
    https://pysselilivet.blogspot.com/2020/05/ais-reciever-for-raspberry-pi-2-channel.html
  7. keep rtl-sdr units always connected to the same USB ports on the RPi and use device index parameters to point which unit to which software

    Compiling custom librtlsdr-dev

torsdag 1. november 2018

stepper motor microstepping vs current.

I had a problem with missed steps on my CNC, as far as I can see it relates to the motor drive current. Higher current more lost steps and vice versa.