"일꾼이 일을 잘하려면 먼저 도구를 갈고 닦아야 한다." - 공자, 『논어』.
첫 장 > 프로그램 작성 > Docker 및 Encore를 사용하여 DigitalOcean에 백엔드 애플리케이션을 배포하는 방법

Docker 및 Encore를 사용하여 DigitalOcean에 백엔드 애플리케이션을 배포하는 방법

2024-11-07에 게시됨
검색:290

How to deploy a backend application to DigitalOcean using Docker and Encore

? This guide shows you how to deploy an Encore application to DigitalOcean using the new encore build command, part of Encore's open source CLI.

This is handy if you prefer manual deployment over the automation offered by Encore's Cloud Platform.

Even when deploying manually, Encore simplifies the process by providing tools to build and configure your app.⚡️

Now let's take a look at how to deploy an Encore app to DigitalOcean's App Platform using Docker and encore build.?

Prerequisites

  • DigitalOcean Account: Make sure you have a DigitalOcean account. If not, you can sign up here.
  • Docker Installed: Ensure Docker is installed on your local machine. You can download it from the Docker website.
  • Encore CLI: Install the Encore CLI:
    • macOS: brew install encoredev/tap/encore
    • Linux: curl -L https://encore.dev/install.sh | bash
    • Windows: iwr https://encore.dev/install.ps1 | iex
  • DigitalOcean CLI (Optional): You can install the DigitalOcean CLI for more flexibility and automation, but it’s not necessary for this tutorial.

Step 1: Create an Encore App

  • Create a New Encore App:

    • If you haven’t already, create a new Encore app using the Encore CLI.
    • You can use the following command to create a new app:
    encore app create myapp
    
    • Select the Hello World template.
    • Follow the prompts to create the app.
  • Build a Docker image:

    • Build the Encore app to generate the docker image for deployment:
    encore build docker myapp  
    

Step 2: Push the Docker Image to a Container Registry

To deploy your Docker image to DigitalOcean, you need to push it to a container registry. DigitalOcean supports
its own container registry, but you can also use DockerHub or other registries. Here’s how to push the image to DigitalOcean’s registry:

  • Create a DigitalOcean Container Registry:

    • Go to the DigitalOcean Control Panel and create a new container registry.
    • Follow the instructions to set it up.
  • Login to DigitalOcean's registry:

    Use the login command provided by DigitalOcean, which will look something like this:

   doctl registry login

You’ll need the DigitalOcean CLI for this, which can be installed from DigitalOcean CLI documentation.

  • Tag your Docker image: Tag your image to match the registry’s URL.
   docker tag myapp registry.digitalocean.com/YOUR_REGISTRY_NAME/myapp:latest
  • Push your Docker image to the registry:
   docker push registry.digitalocean.com/YOUR_REGISTRY_NAME/myapp:latest

Step 3: Deploy the Docker Image to DigitalOcean App Platform

  • Navigate to the App Platform:
    Go to DigitalOcean's App Platform.

  • Create a New App:

    • Click on "Create App".
    • Choose the "DigitalOcean Container Registry" option.
  • Select the Docker Image Source:

    • Select the image you pushed earlier.
  • Configure the App Settings:

    • Set up scaling options: Configure the number of containers, CPU, and memory settings.
    • Environment variables: Add any environment variables your application might need.
    • Choose the region: Pick a region close to your users for better performance.
  • Deploy the App:

    • Click "Next", review the settings, and click "Create Resources".
    • DigitalOcean will take care of provisioning the infrastructure, pulling the Docker image, and starting the application.

Step 4: Monitor and Manage the App

  • Access the Application:
    • Once deployed, you will get a public URL to access your application.
    • Test the app to ensure it’s running as expected, e.g.
curl https://myapp.ondigitalocean.app/hello/world
  • View Logs and Metrics:

    • Go to the "Runtime Logs" tab in the App Platform to view logs
    • Go to the "Insights" tab to view performance metrics.
  • Manage Scaling and Deployment Settings:

    • You can change the app configuration, such as scaling settings, deployment region, or environment variables.

Step 5: Add a Database to Your App

DigitalOcean’s App Platform provides managed databases, allowing you to add a database to your app easily. Here’s how to set up a managed database for your app:

  • Navigate to the DigitalOcean Control Panel:

    • Go to DigitalOcean Control Panel.
    • Click on "Databases" in the left-hand sidebar.
  • Create a New Database Cluster:

    • Click "Create Database Cluster".
    • Choose PostgreSQL
    • Select the database version, data center region, and cluster configuration (e.g., development or production settings based on your needs).
    • Name the database and configure other settings if necessary, then click "Create Database Cluster".
  • Configure the Database Settings:

    • Once the database is created, go to the "Connection Details" tab of the database dashboard.
    • Copy the connection string or individual settings (host, port, username, password, database name). You will need these details to connect your app to the database.
    • Download the CA certificate
  • Create a Database

    • Connect to the database using the connection string provided by DigitalOcean.
   psql -h mydb.db.ondigitalocean.com -U doadmin -d mydb -p 25060
  • Create a database
    CREATE DATABASE mydb;
    ```


   - Create a table


   ```sql
     CREATE TABLE users (
        id SERIAL PRIMARY KEY,
        name VARCHAR(50)
     );
     INSERT INTO users (name) VALUES ('Alice');
  • Declare a Database in your Encore app:
    • Open your Encore app’s codebase.
    • Add mydb database to your app (Encore Database Documentation)
      const mydb = new SQLDatabase("mydb", {
         migrations: "./migrations",
      });

      export const getUser = api(
        { expose: true, method: "GET", path: "/names/:id" },
        async ({id}: {id:number}): Promise => {
          return await mydb.queryRow`SELECT * FROM users WHERE id = ${id}` as { id: number; name: string };
        }
      );
  • Create an Encore Infrastructure config
    • Create a file named infra.config.json in the root of your Encore app.
    • Add the CA certificate and the connection details to the file:
   {
      "$schema": "https://encore.dev/schemas/infra.schema.json",
      "sql_servers": [
      {
         "host": "mydb.db.ondigitalocean.com:25060",
         "tls_config": {
            "ca": "-----BEGIN CERTIFICATE-----\n..."
         },
         "databases": {
            "mydb": {
               "username": "doadmin",
               "password": {"$env": "DB_PASSWORD"}
             }
         }
      }]   
   }
  • Set Up Environment Variables (Optional):

    • Go to the DigitalOcean App Platform dashboard.
    • Select your app.
    • In the "Settings" section, go to "App-Level Environment Variables"
    • Add the database password as an encrypted environment variable called DB_PASSWORD.
  • Build and push the Docker image:

    • Build the Docker image with the updated configuration.
   encore build docker --config infra.config.json myapp
  • Tag and push the Docker image to the DigitalOcean container registry.
   docker tag myapp registry.digitalocean.com/YOUR_REGISTRY_NAME/myapp:latest
   docker push registry.digitalocean.com/YOUR_REGISTRY_NAME/myapp:latest
  • Test the Database Connection:
    • Redeploy the app on DigitalOcean to apply the changes.
    • Test the database connection by calling the API
    curl https://myapp.ondigitalocean.app/names/1

Troubleshooting Tips

  • Deployment Failures: Check the build logs for any errors. Make sure the Docker image is correctly tagged and pushed to the registry.
  • App Not Accessible: Verify that the correct port is exposed in the Dockerfile and the App Platform configuration.
  • Database Connection Issues: Ensure the database connection details are correct and the database is accessible from the app.

Conclusion

That’s it! You’ve successfully deployed an Encore app to DigitalOcean’s App Platform using Docker.?

You can now scale your app, monitor its performance, and manage it easily through the DigitalOcean dashboard.

? Try it yourself

  • Learn about building apps using Encore with these Tutorials.?
  • Find inspiration on what to build with these Open Source App Templates.?

Wrapping up

  • ⭐️ Support the project by starring Encore on GitHub.
  • ? If you have questions or want to share your work, join the developers hangout in Encore's community on Discord.
릴리스 선언문 이 기사는 https://dev.to/encore/how-to-deploy-a-backend-application-to-digitalocean-using-docker-and-encore-1eh0?1에서 복제됩니다. 침해가 있는 경우, 문의 Study_golang@163 .comdelete
최신 튜토리얼 더>
  • 간단한 예제를 통해 JavaScript의 호출, 적용 및 바인딩 이해
    간단한 예제를 통해 JavaScript의 호출, 적용 및 바인딩 이해
    간단한 예제를 통해 JavaScript의 호출, 적용 및 바인딩 이해 JavaScript로 작업할 때 호출, 적용, 바인딩이라는 세 가지 강력한 방법을 접할 수 있습니다. 이러한 메서드는 함수에서 this의 값을 제어하는 ​​데 사용되어 개체 작업을 더...
    프로그램 작성 2024-11-08에 게시됨
  • 중괄호 배치가 JavaScript 실행에 어떤 영향을 미치나요?
    중괄호 배치가 JavaScript 실행에 어떤 영향을 미치나요?
    중괄호 배치 및 JavaScript 실행JavaScript에서 중괄호 배치는 코드의 동작과 출력을 크게 변경할 수 있습니다. 제공된 코드 조각에서 볼 수 있듯이 중괄호 배치를 한 번만 변경해도 결과가 크게 달라질 수 있습니다.자동 세미콜론 삽입 및 정의되지 않은 반환여...
    프로그램 작성 2024-11-08에 게시됨
  • Elasticsearch 알아보기
    Elasticsearch 알아보기
    Elasticsearch는 Apache Lucene 라이브러리를 기반으로 구축된 강력한 오픈 소스 검색 및 분석 엔진입니다. 대용량 데이터를 처리하고 복잡한 검색을 효율적으로 수행하도록 설계되었습니다. Elasticsearch의 주요 기능은 다음과 같습니다: 분산 아키...
    프로그램 작성 2024-11-08에 게시됨
  • 배당률: Python 기반 금융 프로젝트의 중요한 지표
    배당률: Python 기반 금융 프로젝트의 중요한 지표
    배당률: Python 기반 금융 프로젝트의 중요한 지표 재무 분석 영역에서 배당금은 많은 투자자들에게 매우 중요합니다. 특히 재무 데이터를 처리하거나 투자 전략을 자동화하는 Python 프로젝트를 개발하는 경우 배당률을 계산하고 분석하는 것이 핵심 요소...
    프로그램 작성 2024-11-08에 게시됨
  • 병렬 또는 분산 테스트를 통해 여러 브라우저에서 WebUI 기능 파일을 실행하는 방법은 무엇입니까?
    병렬 또는 분산 테스트를 통해 여러 브라우저에서 WebUI 기능 파일을 실행하는 방법은 무엇입니까?
    병렬 또는 분산 테스트를 사용하여 여러 브라우저에서 WebUI 기능 파일 실행병렬 테스트를 사용하여 여러 브라우저(Zalenium)에 대해 WebUI 기능 파일을 실행하려면 실행기 또는 분산 테스트의 경우 다음 접근 방식을 활용합니다.병렬 실행기 및 시나리오 개요:시나...
    프로그램 작성 2024-11-08에 게시됨
  • SOAP와 REST API: 주요 차이점 이해
    SOAP와 REST API: 주요 차이점 이해
    웹 서비스 세계에서 SOAP(Simple Object Access Protocol)와 REST(Representational State Transfer)는 널리 사용되는 두 가지(Soap 대 Rest API) 아키텍처입니다. 둘 다 시스템 간의 통신 프로토콜 역할을 ...
    프로그램 작성 2024-11-08에 게시됨
  • CSS로 텍스트 밑줄 색상을 사용자 정의하는 방법은 무엇입니까?
    CSS로 텍스트 밑줄 색상을 사용자 정의하는 방법은 무엇입니까?
    CSS를 사용하여 텍스트 밑줄 색상 사용자 정의웹 디자인에서 텍스트에 밑줄을 추가하는 것은 정보를 강조하거나 강조하는 일반적인 방법입니다. 하지만 밑줄 색상을 변경하여 독특한 느낌을 더하고 싶다면 어떻게 해야 할까요? 가능합니까?예, CSS를 사용하여 텍스트 아래 줄의...
    프로그램 작성 2024-11-08에 게시됨
  • JavaScript로 클릭재킹 방어 기술 구현
    JavaScript로 클릭재킹 방어 기술 구현
    클릭재킹과 같은 정교한 공격의 출현으로 인해 보안이 오늘날 온라인 세계의 주요 문제가 되었습니다. 공격자는 소비자가 처음에 본 것과 다른 것을 클릭하도록 속임으로써 비참한 결과를 초래할 수 있는 "클릭재킹"이라는 사악한 방법을 배포합니다. 이러한 종류...
    프로그램 작성 2024-11-08에 게시됨
  • 플로팅된 Div가 후속 Div의 크기를 조정하지 않는 이유는 무엇입니까?
    플로팅된 Div가 후속 Div의 크기를 조정하지 않는 이유는 무엇입니까?
    Float 크기가 조정되지 않는 Div의 미스터리CSS float를 사용할 때 후속 요소가 새 요소로 흘러가는 대신 왼쪽에 정렬된다고 가정합니다. 선. 그러나 제공된 예시와 같은 일부 시나리오에서는 다음 div가 첫 번째 div의 오른쪽에서 시작하는 대신 계속해서 전체...
    프로그램 작성 2024-11-08에 게시됨
  • PYTHON을 사용하여 MySQL로 데이터 가져오기
    PYTHON을 사용하여 MySQL로 데이터 가져오기
    소개 특히 테이블 수가 많은 경우 데이터베이스로 데이터를 수동으로 가져오는 것은 번거로울 뿐만 아니라 시간도 많이 소요됩니다. Python 라이브러리를 사용하면 더 쉽게 만들 수 있습니다. kaggle에서 그림 데이터세트를 다운로드하세요. 그림 데이터 ...
    프로그램 작성 2024-11-08에 게시됨
  • 필수 MySQL 연산자 및 해당 애플리케이션
    필수 MySQL 연산자 및 해당 애플리케이션
    MySQL 연산자는 정확한 데이터 조작 및 분석을 가능하게 하는 개발자를 위한 핵심 도구입니다. 값 할당, 데이터 비교 및 ​​복잡한 패턴 일치를 포함한 다양한 기능을 다룹니다. JSON 데이터를 처리하든 조건에 따라 레코드를 필터링하든 효율적인 데이터베이스 관리를 위...
    프로그램 작성 2024-11-08에 게시됨
  • 크론 작업 테스트 방법: 전체 가이드
    크론 작업 테스트 방법: 전체 가이드
    Cron 작업은 작업 예약, 프로세스 자동화, 지정된 간격으로 스크립트 실행을 위한 많은 시스템에서 필수적입니다. 웹 서버를 유지 관리하든, 백업을 자동화하든, 일상적인 데이터 가져오기를 실행하든 크론 작업은 작업을 원활하게 실행합니다. 그러나 다른 자동화된 작업과 ...
    프로그램 작성 2024-11-08에 게시됨
  • Next.js 미들웨어 소개: 예제와 함께 작동하는 방법
    Next.js 미들웨어 소개: 예제와 함께 작동하는 방법
    Nextjs의 라우팅에 대해 이야기해 보겠습니다. 오늘은 가장 강력한 미들웨어 중 하나에 대해 이야기해보겠습니다. Nextjs의 미들웨어는 서버의 요청을 가로채고 요청 흐름(리디렉션, URL 재작성)을 제어하고 인증, 헤더, 쿠키 지속성과 같은 기능을 전체적으로 향상시...
    프로그램 작성 2024-11-08에 게시됨
  • 소품 기본 사항: 1부
    소품 기본 사항: 1부
    초보자 친화적인 소품 사용법 튜토리얼입니다. 읽기 전에 구조 분해가 무엇인지, 구성 요소를 사용/생성하는 방법을 이해하는 것이 중요합니다. 속성(property)의 약자인 props를 사용하면 상위 구성 요소에서 하위 구성 요소로 정보를 보낼 수 있으며, 모든 데이터...
    프로그램 작성 2024-11-08에 게시됨
  • Hibernate는 Spring Boot와 어떻게 다른가요?
    Hibernate는 Spring Boot와 어떻게 다른가요?
    Hibernate는 Spring Boot와 어떻게 다른가요? Hibernate와 Spring Boot는 둘 다 Java 생태계에서 널리 사용되는 프레임워크이지만 서로 다른 용도로 사용되며 고유한 기능을 가지고 있습니다. 최대 절전 모드 H...
    프로그램 작성 2024-11-08에 게시됨

부인 성명: 제공된 모든 리소스는 부분적으로 인터넷에서 가져온 것입니다. 귀하의 저작권이나 기타 권리 및 이익이 침해된 경우 자세한 이유를 설명하고 저작권 또는 권리 및 이익에 대한 증거를 제공한 후 이메일([email protected])로 보내주십시오. 최대한 빨리 처리해 드리겠습니다.

Copyright© 2022 湘ICP备2022001581号-3