인터넷의 발달로 사진, 동영상 등의 미디어 리소스가 점점 더 광범위하게 활용되고 있습니다. 웹사이트 운영자로서 대용량의 이미지 리소스를 어떻게 빠르고 안정적으로 제공할 것인가는 반드시 고민해야 할 문제가 되었습니다. 여기서는 효율적이고 빠르며 안정적인 이미지 서비스를 제공하기 위해 nginx와 Node.js를 사용하여 이미지 서버를 구축하는 솔루션을 소개합니다.
1. 계획 개요
계획의 주요 구성 요소는 다음과 같습니다.
이 솔루션에서 nginx는 정적 파일 서비스를 제공하고 Node.js는 이미지 크기 조정, 자르기, 워터마킹 및 기타 작업 처리를 담당하는 처리 센터 역할을 합니다. 동시에 Redis의 캐싱 메커니즘을 사용하여 Node.js가 이미지를 자주 읽는 횟수를 줄이고 이미지 처리 속도와 응답 시간을 향상시킵니다.
두 번째, 솔루션 구현
apt-get을 통해 nginx 설치:
sudo apt-get update sudo apt-get install nginx
nvm을 통해 Node.js 및 npm 설치:
curl -o- https://raw.githubusercontent.com/nvm-sh/nvm/v0.38.0/install.sh | bash source ~/.bashrc nvm install <node-version>
apt-get을 통해 Redis 설치:
sudo apt-get update sudo apt-get install redis-server
프로젝트 루트 디렉터리에 package.json 파일을 만들고 다음 콘텐츠를 추가합니다.
{ "name": "image-server", "version": "1.0.0", "description": "An image server based on Node.js", "main": "app.js", "dependencies": { "express": "^4.17.1", "sharp": "^0.28.3", "redis": "^3.0.2" } }
그 중에서 Express 프레임워크를 사용합니다. HTTP 요청을 처리하기 위해 이미지 처리에는 Sharp 라이브러리가 사용되고 이미지 캐싱에는 Redis 라이브러리가 사용됩니다.
프로젝트 루트 디렉토리에 app.js 파일을 생성하고 다음 코드를 작성합니다.
const express = require('express'); const sharp = require('sharp'); const redis = require('redis'); const app = express(); const port = process.env.PORT || 3000; // Connect to Redis const redisClient = redis.createClient(); // Handle image requests app.get('/:path', async (req, res) => { const { path } = req.params; const { w, h, q } = req.query; // Check if the image exists in Redis cache redisClient.get(path, async (err, cachedImage) => { if (cachedImage) { // Serve the cached image res.header('Content-Type', 'image/jpeg'); res.send(cachedImage); } else { // Read the original image const image = sharp(`images/${path}`); // Apply image transforms if (w || h) image.resize(Number(w), Number(h)); if (q) image.jpeg({ quality: Number(q) }); // Convert the image to Buffer const buffer = await image.toBuffer(); // Cache the image in Redis redisClient.set(path, buffer); // Serve the transformed image res.header('Content-Type', 'image/jpeg'); res.send(buffer); } }); }); // Start the server app.listen(port, () => { console.log(`Server is listening on port ${port}`); });
이 코드에서는 먼저 RedisClient를 사용하여 Redis 서버에 연결합니다. 각 요청에 대해 먼저 Redis 캐시에 이미지가 있는지 확인합니다. 캐시에 이미지가 있으면 캐시에 있는 이미지로 요청에 직접 응답합니다. 그렇지 않으면 Sharp 라이브러리의 resize 및 jpeg 메서드를 사용하여 이미지를 처리하고 버퍼 형식으로 변환하여 저장합니다. Redis 캐시에 있습니다.
nginx 구성 파일 /etc/nginx/nginx.conf에 다음 콘텐츠를 추가합니다.
http { ... # Set proxy cache path proxy_cache_path /var/cache/nginx levels=1:2 keys_zone=my_cache:10m inactive=60m; proxy_cache_key "$scheme$request_method$host$request_uri"; ... server { listen 80; server_name example.com; location /images/ { # Enable proxy cache proxy_cache my_cache; proxy_cache_valid 60m; proxy_cache_lock on; # Proxy requests to Node.js app proxy_pass http://127.0.0.1:3000/; proxy_set_header Host $host; proxy_set_header X-Real-IP $remote_addr; proxy_set_header X-Forwarded-For $proxy_add_x_forwarded_for; # Enable caching of proxied responses proxy_cache_revalidate on; proxy_cache_use_stale error timeout invalid_header updating http_500 http_502 http_503 http_504; } } }
이 구성 파일에서는 nginx의 역방향 프록시 기능을 사용하여 이미지 요청을 Node.js로 전달합니다. 사후 처리를 적용하고 이미지 캐싱을 위해 Redis를 사용합니다. 동시에 nginx의 프록시 캐시를 구성하고 캐시 유효 기간과 캐시 잠금을 설정했습니다. 이렇게 하면 캐시 사태와 캐시 침투 문제를 방지할 수 있습니다.
3. 솔루션 효과
위의 솔루션을 통해 안정적이고 효율적인 영상 서비스를 구현했습니다. 주요 효과는 다음과 같습니다.
요약하자면, 우리는 nginx와 Node.js를 결합한 솔루션을 사용하여 고품질 이미지 서비스를 제공할 뿐만 아니라 웹사이트 운영자에게 더 많은 선택권을 제공하는 효율적이고 안정적인 이미지 서버를 구축했습니다.
위 내용은 이미지 서버 구축을 위한 nginx와 nodejs의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!