Seize the day

SEARCH RESAULT : 글 검색 결과 - 전체 글 (총 491개)

POST : Backend study

EC2 아마존LINUX 서버 리부팅시 자동시작 등록

/etc/rc.d/rc.local에 등록해도 자동실행이 안된다고해서 참고해서 등록했다.  https://m.blog.naver.com/sung_mk1919/222995074595 참고 

서비스 파일 조금 수정

[ec2-user@ip-172-31-28-80 rc.d]$ sudo vi  /lib/systemd/system/rc-local.service

[Install]
WantedBy=multi-user.target

추가

 

실행할 스크립트 추가

sudo vi /etc/rc.d/rc.local

#!/bin/bash

#start nest server
su - ec2-user -c "cd /home/ec2-user/nest_server; ./start_server.sh"

 

rc.local에 실행권한 주기

[ec2-user@ip-172-31-28-80 rc.d]$ sudo chmod +x /etc/rc.d/rc.local
[ec2-user@ip-172-31-28-80 rc.d]$

 

서비스 등록

[ec2-user@ip-172-31-28-80 rc.d]$ sudo systemctl enable rc-local.service
Created symlink /etc/systemd/system/multi-user.target.wants/rc-local.service → /usr/lib/systemd/system/rc-local.service.
[ec2-user@ip-172-31-28-80 rc.d]$

이제 리부팅해서(sudo reboot) nest 서버가 ec2-user로 실행되는지 확인..

이로써 리부팅하면 docker로 돌아가는 mongo 서버와 rc.local에서 API server가 실행되고, crond 서비스가 돌아가면 일단 필요한 서버는 다 시작하는 셈이다.

top

posted at

2024. 5. 22. 00:59


POST : Backend study

mongodb 매일 1회 백업하여, firebase에 업로드

https://docs.nestjs.com/techniques/task-scheduling  참고
https://dev.to/yasseryka/how-to-backup-mongodb-every-night-in-nodejs-257o 참고2
이것을 참고할 만 하나 mongo를 도커로 돌리고 있기때문에 Nestjs에서 db를 백업하는게 좀 애매하다.  cron으로 db를 백업하고 별도 스크립트로 firebase에 업로드하는 식으로 구현해봤다. 

 

Cron으로 매일 특정 시간에 mongodb를 백업하고 , 클라우드에 업로드하는 스크립트를 실행한다.


https://jainsaket-1994.medium.com/installing-crontab-on-amazon-linux-2023-ec2-98cf2708b171  참고 Amazon linux2023에 기본으로 crond가 동작하지 않는 것 같으니 일단 서비스 설정을 해주고

cat /etc/crontab

[ec2-user@ip-172-31-28-80 docker]$ cat /etc/crontab
SHELL=/bin/bash
PATH=/sbin:/bin:/usr/sbin:/usr/bin
MAILTO=root

# For details see man 4 crontabs

# Example of job definition:
# .---------------- minute (0 - 59)
# |  .------------- hour (0 - 23)
# |  |  .---------- day of month (1 - 31)
# |  |  |  .------- month (1 - 12) OR jan,feb,mar,apr ...
# |  |  |  |  .---- day of week (0 - 6) (Sunday=0 or 7) OR sun,mon,tue,wed,thu,fri,sat
# |  |  |  |  |
# *  *  *  *  * user-name  command to be executed
0 21 * * * ec2-user /home/ec2-user/docker/backup_upload.sh

ec2-user로 스크립트를 실행해도 상관없을 듯 하다. root권한이 필요한 것은 docker exec 쪽에 몰아두거나 sudo로 실행하면 되니.  시간설정시 서버는 UTC시간이므로 적당히 리전에 따라 조정한다.  편집후에는 서버 재시작

[ec2-user@ip-172-31-28-80 docker]$ sudo systemctl enable crond.service
[ec2-user@ip-172-31-28-80 docker]$
[ec2-user@ip-172-31-28-80 docker]$
[ec2-user@ip-172-31-28-80 docker]$ sudo systemctl start crond.service
[ec2-user@ip-172-31-28-80 docker]$ sudo systemctl status crond | grep Active
     Active: active (running) since Tue 2024-05-21 14:22:17 UTC; 36s ago

 

backup_upload.sh

mongodb를 백업하는 backup.sh를 호출하고 , db압축파일을 업로드하는 mongo_upload.ts를 호출한다. 

#!/bin/bash

today=$(date +"%Y%m%d")
old_date=`date -d '7 days ago' +%Y%m%d`
echo "today=$today, old_date=$old_date"

cd /home/ec2-user/docker

#backup mongodb to backup/$today.tar
sudo docker exec docker-mongo-1 sh -c "cd /app/backup; sh backup.sh $today"

zip -P mypassword1 ./backup/$today.zip  ./backup/$today.tar

#upload to firebase storage
/home/ec2-user/.bun/bin/bun run /home/ec2-user/nest_server/src/mongo_upload.ts /home/ec2-user/docker/backup/$today.zip $old_date.zip

# delete files
sudo rm ./backup/$today.tar
old_file="./backup/$old_date.zip"
if [ -e $old_file ]
then
    rm $old_file
fi
# /etc/crontab
# 0 6 * * * ec2-user /home/ec2-user/docker/backup_upload.sh

날짜별로 db를  tar로 묶은 파일을 zip으로 암호를 걸어서 압축한다. 이후 firebase로 업로드하고, zip 파일은 그대로 두고, tar파일과 오래된 zip파일은 삭제하는 코드다. 

backup.sh

도커로 돌아가는 컨테이너에서 실행되는 backup 스크립트이다.  $today 파라미터를 받아서 dump폴더를 날짜.tar로 압축한다.

#!/bin/bash

today=$1
echo "[docker]today=$today"

# mongo db backup
echo "backup db to ${today}/"
mongodump --username=user1 --password=password2 --db=db3 --out=$today

today_file=${today}.tar
# if exist $today_file delete it
if [ -e $today_file ]
then
    rm $today_file
fi

echo "make $today_file"
tar cvf $today_file $today

# delete directory
rm -rf $today

 

mongo_upload.ts

frebase의 firestorage에 업로드하는 스크립트이다. 기본적으로 사용자 서비스에는 클라우드 스토리지는 사용하지 않으모로 필히 엑세스 권한을 read / write 모두 false로 해 두어야 한다. 

import { App, initializeApp } from "firebase-admin/app";
import { getStorage } from "firebase-admin/storage";
var admin = require("firebase-admin");
const fs = require("fs");
const path = require("path");

var serviceAccount = require("../firebse-adminsdk.json");

const app:App = initializeApp({
    credential: admin.credential.cert(serviceAccount),
    storageBucket: "gs://yourappId.appspot.com"
});

// bun run ~/projects/leetzsche_backend/nest_server/src/mongo_upload.ts target_path old_filename
//console.log(process.argv[0]) // bun
//console.log(process.argv[1]) // .../mongo_upload.ts
//console.log(process.argv[2]) // target_path

const target = process.argv[2];
if (fs.existsSync(target)) {
    console.log(`Upload ${target} to firebase`);
    
    const filename = path.basename(target);

    const storage = getStorage(app)
    const metadata = {
        destination: filename,
        contentType: 'application/zip'
    };

    try {
        await storage.bucket().upload(target, metadata);
        console.log(`${filename} upload done`);
    } catch(err) {
        console.log(err);
    }

    //delete old file
    const old_filename = process.argv[3];
    if (old_filename != undefined) {
        console.log(`try to delete old ${old_filename}`);
        try {
            await storage.bucket().file(old_filename).delete();
            console.log(`${old_filename} delete done`);
        } catch(err) {
            if (err.code != "404") {
                console.log(err);
            }
        }
    }

} else {
    console.log(`not found: ${target}`);
}

 

top

posted at

2024. 5. 21. 23:43


POST : Backend study

Certbot 도커로 SSL 인증서 설치하기..

/home/ec2-user/certbot 에 관련 파일을 저장한다. 

cd certbot

.well-known/acme-challenge 응답하는 서버 만들기

mkdir -p html/.well-known/acme-challenge

mkdir ~/certbot/src/ 로 이동

bun init 으로 기본 프로젝트 생성
bun install express  로 익스 프레스 모듈 추가

node라면 
npm init -y
npm install express

vi well-known.js
코드중에 /home/<사용자ID> 반영시킬것..

const express = require('express')
const app = express()
const port = 80

app.get('/', (req, res) => {
  res.send('Hello World!')
})

app.get('/.well-known/acme-challenge/:fileid', function(req, res){
    res.sendFile("/home/ec2-user/certbot/html/.well-known/acme-challenge/"+req.params.fileid)
})

app.listen(port, () => {
  console.log(`Example app listening on port ${port}`)
})

서버 구동: 80 포트는 root 사용자로 실행해야 listen이 된다. 

[ec2-user@ip-172-31-28-80 src]$ sudo /home/ec2-user/.bun/bin/bun run well-known.js &
[1] 3546
[ec2-user@ip-172-31-28-80 src]$ Example app listening on port 80

sudo를 실행시키고 싶지 않다면 아래처럼 node나 bun 실행경로를 설정하면 가능..

sudo setcap 'cap_net_bind_service=+ep' /home/daejeong/.nvm/versions/node/v20.17.0/bin/node

# 노드로 실행하는 경우라면
node well-known.js &


aws.mdiwebma.com 도메인에 EC2 IP 할당 웹 브라우저로 aws.mdiwebma.com를 열여서 Hello World!로 찍히는지 확인

sudo없이 ec2-user로 80 port를 사용하고 싶다면 bun에 권한을 추가한다. 그냥 bun run으로 서버는 ec2-user로 오류 없이 실행된다.   https://security-log.tistory.com/30 참고

sudo setcap 'cap_net_bind_service=+ep' /home/ec2-user/.bun/bin/bun

 

 

 

도커 이미지로 인증서 새로 생성하기

-v '  <사용자ID 경로> ' ec2-user 확인
-d <사용자의 도메인>

sudo docker run -it --rm --name certbot -v '/etc/letsencrypt:/etc/letsencrypt' -v '/var/lib/letsencrypt:/var/lib/letsencrypt' -v '/home/ec2-user/certbot/html:/var/www/html' certbot/certbot certonly --webroot -w /var/www/html -d aws.mdiwebma.com

실행 캡처..

[ec2-user@ip-172-31-28-80 certbot]$ sudo docker run -it --rm --name certbot -v '/etc/letsencrypt:/etc/letsencrypt' -v '/var/lib/letsencrypt:/var/lib/letsencrypt' -v '/home/ec2-user/certbot/html:/var/www/html' certbot/certbot certonly --webroot -w /var/www/html -d aws.mdiwebma.com
Saving debug log to /var/log/letsencrypt/letsencrypt.log
Enter email address (used for urgent renewal and security notices)
 (Enter 'c' to cancel): blabla@gmail.com

- - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
Please read the Terms of Service at
https://letsencrypt.org/documents/LE-SA-v1.4-April-3-2024.pdf. You must agree in
order to register with the ACME server. Do you agree?
- - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
(Y)es/(N)o: Y

- - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
Would you be willing, once your first certificate is successfully issued, to
share your email address with the Electronic Frontier Foundation, a founding
partner of the Let's Encrypt project and the non-profit organization that
develops Certbot? We'd like to send you email about our work encrypting the web,
EFF news, campaigns, and ways to support digital freedom.
- - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
(Y)es/(N)o: Y
Account registered.
Requesting a certificate for aws.mdiwebma.com

Successfully received certificate.
Certificate is saved at: /etc/letsencrypt/live/aws.mdiwebma.com/fullchain.pem
Key is saved at:         /etc/letsencrypt/live/aws.mdiwebma.com/privkey.pem
This certificate expires on 2024-08-15.
These files will be updated when the certificate renews.

NEXT STEPS:
- The certificate will need to be renewed before it expires. Certbot can automatically renew the certificate in the background, but you may need to take steps to enable that functionality. See https://certbot.org/renewal-setup for instructions.

- - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
If you like Certbot, please consider supporting our work by:
 * Donating to ISRG / Let's Encrypt:   https://letsencrypt.org/donate
 * Donating to EFF:                    https://eff.org/donate-le
- - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - -
[ec2-user@ip-172-31-28-80 certbot]$ ls -al /etc/letsencrypt/live/aws.mdiwebma.com
ls: cannot access '/etc/letsencrypt/live/aws.mdiwebma.com': Permission denied
[ec2-user@ip-172-31-28-80 certbot]$ sudo ls -al /etc/letsencrypt/live/aws.mdiwebma.com
total 4
drwxr-xr-x. 2 root root  93 May 18 00:02 .
drwx------. 3 root root  44 May 18 00:02 ..
-rw-r--r--. 1 root root 692 May 18 00:02 README
lrwxrwxrwx. 1 root root  40 May 18 00:02 cert.pem -> ../../archive/aws.mdiwebma.com/cert1.pem
lrwxrwxrwx. 1 root root  41 May 18 00:02 chain.pem -> ../../archive/aws.mdiwebma.com/chain1.pem
lrwxrwxrwx. 1 root root  45 May 18 00:02 fullchain.pem -> ../../archive/aws.mdiwebma.com/fullchain1.pem
lrwxrwxrwx. 1 root root  43 May 18 00:02 privkey.pem -> ../../archive/aws.mdiwebma.com/privkey1.pem

fullchain.pem과 privkey.pem이 필요한 파일이다. 

top

posted at

2024. 5. 18. 08:44


POST : Backend study

AWS EC2에 docker로 Mongo 돌리기

docker-compose-mongo.yml

version: '3.1'

services:

  mongo:
    image: mongo
    restart: always
    environment:
      MONGO_INITDB_ROOT_USERNAME: root
      MONGO_INITDB_ROOT_PASSWORD: ${MONGO_ROOT_PASSWORD}
    volumes:
      - ${MONGO_STORAGE}:/data/db
      - ./:/app
    working_dir: /app
    hostname: mongo-host
    ports:
      - 27017:27017
    networks:
      - backend


networks:
  backend:
    driver: bridge
    external: true

prod.env 환경 설정 파일

MONGO_ROOT_PASSWORD=example
MONGO_STORAGE=/home/ec2-user/mongo-storage

start-mongo.sh

docker-compose -f docker-compose-mongo.yml --env-file $1.env up -d

처음 한 번 backend 네트워크 생성

docker network create backend

./start-mongo.sh prod

[ec2-user@ip-172-31-28-80 docker]$ ./start-mongo.sh prod
WARN[0000] /home/ec2-user/docker/docker-compose-mongo.yml: `version` is obsolete
[+] Running 1/1
 ✔ Container docker-mongo-1  Started

 

 

개발 환경일 경우 db 조회 쉽게하기위해 mongo-express  설치

docker-compose-mongo-exp.yml

version: '3.1'

services:

  mongo-express:
    image: mongo-express
    restart: always
    ports:
      - 8081:8081
    environment:
      ME_CONFIG_MONGODB_ADMINUSERNAME: root
      ME_CONFIG_MONGODB_ADMINPASSWORD: ${MONGO_ROOT_PASSWORD}
      ME_CONFIG_BASICAUTH_USERNAME: root
      ME_CONFIG_BASICAUTH_PASSWORD: ${MONGO_ROOT_PASSWORD}
      ME_CONFIG_MONGODB_URL: mongodb://root:${MONGO_ROOT_PASSWORD}@mongo-host:27017/
    networks:
      - backend

networks:
  backend:
    driver: bridge
    external: true

ME_CONFIG_BASICAUTH_USERNAME 이 mongo-express WEB 접속 인증이다.  mongo db 와 동일하게 했다. (나중에 추가된듯)

start-mongo-exp.sh

docker-compose -f docker-compose-mongo-exp.yml --env-file $1.env up -d

 

테스트   ./start-mongo-exp.sh prod

[ec2-user@ip-172-31-28-80 docker]$ ./start-mongo-exp.sh prod
WARN[0000] /home/ec2-user/docker/docker-compose-mongo-exp.yml: `version` is obsolete
[+] Running 9/9
 ✔ mongo-express Pulled                                                                                                                                                                               6.3s
   ✔ c6b39de5b339 Pull complete                                                                                                                                                                       0.4s
   ✔ 0c0a7ac4815a Pull complete                                                                                                                                                                       2.6s
   ✔ 97ac9df737b5 Pull complete                                                                                                                                                                       2.7s
   ✔ d7a8660c6370 Pull complete                                                                                                                                                                       2.7s
   ✔ 1426d6918b38 Pull complete                                                                                                                                                                       2.8s
   ✔ 1f82042b6a59 Pull complete                                                                                                                                                                       2.8s
   ✔ bc2c7645d47a Pull complete                                                                                                                                                                       5.8s
   ✔ 394e3f5d7287 Pull complete                                                                                                                                                                       5.8s
WARN[0006] Found orphan containers ([docker-mongo-1]) for this project. If you removed or renamed this service in your compose file, you can run this command with the --remove-orphans flag to clean it up.
[+] Running 1/1
 ✔ Container docker-mongo-express-1  Started                                                                                                                                                          1.1s
[ec2-user@ip-172-31-28-80 docker]$

 

접속 확인.. 8081 포트 외부 접속 허용하고(귀찮아서 임시로 80포트로 연결하고 테스트 함) 브라우저로 접속하면 인증창이 뜨고 페이지가 열린다..

리눅스 재부팅시 mongo와 mongo-express가 재시작되는 것을 확인했는데.  restart: always 를 no로 바뀌면 mongo-express는 자동 시작을 하지 않도록 할 수 있다

 

top

posted at

2024. 5. 17. 22:15


POST : Backend study

AWS EC2 (t4g.nano) 시작하기 + Docker, bun

EC2를 개발 공부용으로 시작한다. 순전히 개밥먹기용으로 비용만을 고려하여 us-east1 에 , 아미존 리눅스 t4g.nano로 시작한다.  t4g는 Arm64 계열이고 비용은 더 싸고, 성능은 더 좋다. 그러나 호환성 이슈가 있을 수 있고 직접 해결해야 한다.  10기가 EBS(1달에 1000원 정도 예상)를 붙였다. 

아마존 LINUX를 사용하므로 https://stackoverflow.com/questions/63708035/installing-docker-compose-on-amazon-ec2-linux-2-9kb-docker-compose-file 를 참고..

도커 설치

sudo yum update -y 

sudo yum install docker 

sudo service docker start

# docker를 sudo없이 사용하기위해서
sudo usermod -a -G docker ec2-user

docker info로 동작 확인

[ec2-user@ip-172-31-28-80 ~]$ docker info
Client:
 Version:    25.0.3
 Context:    default
 Debug Mode: false
 Plugins:
  buildx: Docker Buildx (Docker Inc.)
    Version:  v0.0.0+unknown
    Path:     /usr/libexec/docker/cli-plugins/docker-buildx

Server:
ERROR: permission denied while trying to connect to the Docker daemon socket at unix:///var/run/docker.sock: Get "http://%2Fvar%2Frun%2Fdocker.sock/v1.24/info": dial unix /var/run/docker.sock: connect: permission denied
errors pretty printing info

https://github.com/occidere/TIL/issues/116 참고해서 에러 해결

[ec2-user@ip-172-31-28-80 ~]$ ls -al /var/run/docker.sock
srw-rw----. 1 root docker 0 May 17 11:19 /var/run/docker.sock
[ec2-user@ip-172-31-28-80 ~]$
[ec2-user@ip-172-31-28-80 ~]$
[ec2-user@ip-172-31-28-80 ~]$ sudo chmod 666 /var/run/docker.sock
[ec2-user@ip-172-31-28-80 ~]$ ls -al /var/run/docker.sock
srw-rw-rw-. 1 root docker 0 May 17 11:19 /var/run/docker.sock
[ec2-user@ip-172-31-28-80 ~]$ docker info
Client:
 Version:    25.0.3
 Context:    default

 

도커 컴포즈 설치

sudo curl -L https://github.com/docker/compose/releases/latest/download/docker-compose-$(uname -s)-$(uname -m) -o /usr/local/bin/docker-compose

sudo chmod +x /usr/local/bin/docker-compose

docker-compose version

실행 캡처

[ec2-user@ip-172-31-28-80 ~]$ sudo curl -L https://github.com/docker/compose/releases/latest/download/docker-compose-$(uname -s)-$(uname -m) -o /usr/local/bin/docker-compose
  % Total    % Received % Xferd  Average Speed   Time    Time     Time  Current
                                 Dload  Upload   Total   Spent    Left  Speed
  0     0    0     0    0     0      0      0 --:--:-- --:--:-- --:--:--     0
  0     0    0     0    0     0      0      0 --:--:-- --:--:-- --:--:--     0
100 58.4M  100 58.4M    0     0   136M      0 --:--:-- --:--:-- --:--:--  136M
[ec2-user@ip-172-31-28-80 ~]$ sudo chmod +x /usr/local/bin/docker-compose
[ec2-user@ip-172-31-28-80 ~]$ docker-compose version
Docker Compose version v2.27.0

 

도커 hello world

ec2-user@ip-172-31-28-80 ~]$ docker run hello-world
Unable to find image 'hello-world:latest' locally
latest: Pulling from library/hello-world
478afc919002: Pull complete
Digest: sha256:266b191e926f65542fa8daaec01a192c4d292bff79426f47300a046e1bc576fd
Status: Downloaded newer image for hello-world:latest

Hello from Docker!
This message shows that your installation appears to be working correctly.

To generate this message, Docker took the following steps:
 1. The Docker client contacted the Docker daemon.
 2. The Docker daemon pulled the "hello-world" image from the Docker Hub.
    (arm64v8)
 3. The Docker daemon created a new container from that image which runs the
    executable that produces the output you are currently reading.
 4. The Docker daemon streamed that output to the Docker client, which sent it
    to your terminal.

To try something more ambitious, you can run an Ubuntu container with:
 $ docker run -it ubuntu bash

Share images, automate workflows, and more with a free Docker ID:
 https://hub.docker.com/

For more examples and ideas, visit:
 https://docs.docker.com/get-started/

 

bun 자바스크립트 런타임 설치 

https://bun.sh/docs/installation 를 참고

[ec2-user@ip-172-31-28-80 ~]$ curl -fsSL https://bun.sh/install | bash
######################################################################## 100.0%
bun was installed successfully to ~/.bun/bin/bun

Added "~/.bun/bin" to $PATH in "~/.bashrc"

To get started, run:

  source /home/ec2-user/.bashrc
  bun --help
[ec2-user@ip-172-31-28-80 ~]$ source /home/ec2-user/.bashrc
[ec2-user@ip-172-31-28-80 ~]$ bun --version
1.1.8
top

posted at

2024. 5. 17. 20:30


POST : Backend study

Mongo 서버에 ping 해보기

mongo 메뉴얼에 따르면, "ping 명령은 서버가 명령에 응답하는지 테스트하는 데 사용되는 무작동 명령입니다. 이 명령은 서버가 쓰기 잠금 상태인 경우에도 즉시 반환됩니다".

db서버 연결 타임아웃은 1초로 한다. 같은 vm에서 실행되기때문에 기본값인 30초는 너무 길다. 
https://www.mongodb.com/community/forums/t/connect-timeout-and-execution-timeout-in-nodejs-driver/2129/2 
코멘트를 참고했다.

ping API가 하는 일은 Mongo db의 상태와 Nest.js 서버의 정상적인 응답 여부이다.  앱에서 호출하지는 않고 문제 생겼을 때 브라우저에서 확인용으로 호출해 본다. 구현은 간단해서 자세한 설명은 생략한다.  

import { MongoClient } from "mongodb";
const os = require('os');

export async function getPing(response: Response) {
  // Mongo db
  let mongoStatus;  
  try {
    const config = {
      serverSelectionTimeoutMS: 1000, //connection timeout
      socketTimeoutMS: 1000,
    }
    const client = await MongoClient.connect("mongodb://localhost", config);
    const result = await client.db("admin").command({ ping: 1 });
    await client.close();
    mongoStatus = result && result.ok && result.ok == 1? "ping OK" : "ping failed";
  } catch(error) {
    mongoStatus = "Down (connection failed)";
  }

  // os.loadavg()
  const avg_load = os.loadavg();  
  const avgLoad1m =  String(avg_load[0]).substring(0, 4);
  const avgLoad5m =  String(avg_load[1]).substring(0, 4);
  const avgLoad15m = String(avg_load[2]).substring(0, 4);

  // os.freemem()
  let free_memory = os.freemem();
  let free_mem_in_kb = free_memory / 1024;
  let free_mem_in_mb = free_mem_in_kb / 1024;
  let free_mem_in_gb = free_mem_in_mb / 1024;
  
  free_mem_in_gb = Math.floor(free_mem_in_gb);
  free_mem_in_mb = Math.floor(free_mem_in_mb);
  free_mem_in_mb = free_mem_in_mb % 1024;
  const freeMem = "Free memory: " + free_mem_in_gb + "GB (" + free_mem_in_mb + "MB)";

  // process.memoryUsage()
  const memoryData = process.memoryUsage();
  const memoryUsage = {    
    heapTotal: `${memoryData.heapTotal / 1024 / 1024} MB`,
    heapUsed: `${memoryData.heapUsed / 1024 / 1024} MB`,
    rss: `${memoryData.rss / 1024 / 1024} MB`,
    external: `${memoryData.external / 1024 / 1024} MB`,
  };

  const json = {
    server: "API Server(version: 2)",
    serverStatus: {
      avgLoad1m,
      avgLoad5m,
      avgLoad15m,
      freeMem,
    },
    mongoStatus,
    process: memoryUsage,
    timestamp: new Date().toLocaleString()
  };

  const result = {
    code: 0,
    result: json,
  };

  response.status(200).send(JSON.stringify(result, null, 2));
}
top

posted at

2024. 5. 4. 20:29


CONTENTS

Seize the day
BLOG main image
김대정의 앱 개발 노트와 사는 이야기
RSS 2.0Tattertools
공지
아카이브
최근 글 최근 댓글
카테고리 태그 구름사이트 링크