Express는 Node.js에서 매우 일반적으로 사용되는 웹 서버 애플리케이션 프레임워크입니다. 기본적으로 프레임워크는 특정 규칙을 준수하는 코드 구조이며 두 가지 주요 특징이 있습니다.
Express 프레임워크의 핵심 기능은 다음과 같습니다.
이 기사에서는 Express가 간단한 LikeExpress 클래스를 구현하여 미들웨어 등록, 다음 메커니즘 및 경로 처리를 구현하는 방법을 분석합니다.
먼저 두 가지 Express 코드 예제를 통해 제공되는 기능을 살펴보겠습니다.
const express = require('express'); const app = express(); const port = 3000; app.get('/', (req, res) => { res.send('Hello World!'); }); app.listen(port, () => { console.log(`Example app listening at http://localhost:${port}`); });
다음은 express-generator 스캐폴딩에 의해 생성된 Express 프로젝트의 항목 파일 app.js의 코드입니다.
// Handle errors caused by unmatched routes const createError = require('http-errors'); const express = require('express'); const path = require('path'); const indexRouter = require('./routes/index'); const usersRouter = require('./routes/users'); // `app` is an Express instance const app = express(); // View engine setup app.set('views', path.join(__dirname, 'views')); app.set('view engine', 'jade'); // Parse JSON format data in post requests and add the `body` field to the `req` object app.use(express.json()); // Parse the urlencoded format data in post requests and add the `body` field to the `req` object app.use(express.urlencoded({ extended: false })); // Static file handling app.use(express.static(path.join(__dirname, 'public'))); // Register top-level routes app.use('/', indexRouter); app.use('/users', usersRouter); // Catch 404 errors and forward them to the error handler app.use((req, res, next) => { next(createError(404)); }); // Error handling app.use((err, req, res, next) => { // Set local variables to display error messages in the development environment res.locals.message = err.message; // Decide whether to display the full error according to the environment variable. Display in development, hide in production. res.locals.error = req.app.get('env') === 'development'? err : {}; // Render the error page res.status(err.status || 500); res.render('error'); }); module.exports = app;
위의 두 코드 세그먼트에서 Express 인스턴스 앱에는 주로 세 가지 핵심 메소드가 있음을 알 수 있습니다.
Express 코드의 기능 분석을 바탕으로 우리는 Express 구현이 다음 세 가지 사항에 중점을 두고 있음을 알고 있습니다.
이러한 점을 바탕으로 아래에 간단한 LikeExpress 클래스를 구현하겠습니다.
먼저 이 클래스가 구현해야 하는 주요 메소드를 명확히 합니다.
네이티브 노드 httpServer의 사용법을 검토하세요.
const express = require('express'); const app = express(); const port = 3000; app.get('/', (req, res) => { res.send('Hello World!'); }); app.listen(port, () => { console.log(`Example app listening at http://localhost:${port}`); });
따라서 LikeExpress 클래스의 기본 구조는 다음과 같습니다.
// Handle errors caused by unmatched routes const createError = require('http-errors'); const express = require('express'); const path = require('path'); const indexRouter = require('./routes/index'); const usersRouter = require('./routes/users'); // `app` is an Express instance const app = express(); // View engine setup app.set('views', path.join(__dirname, 'views')); app.set('view engine', 'jade'); // Parse JSON format data in post requests and add the `body` field to the `req` object app.use(express.json()); // Parse the urlencoded format data in post requests and add the `body` field to the `req` object app.use(express.urlencoded({ extended: false })); // Static file handling app.use(express.static(path.join(__dirname, 'public'))); // Register top-level routes app.use('/', indexRouter); app.use('/users', usersRouter); // Catch 404 errors and forward them to the error handler app.use((req, res, next) => { next(createError(404)); }); // Error handling app.use((err, req, res, next) => { // Set local variables to display error messages in the development environment res.locals.message = err.message; // Decide whether to display the full error according to the environment variable. Display in development, hide in production. res.locals.error = req.app.get('env') === 'development'? err : {}; // Render the error page res.status(err.status || 500); res.render('error'); }); module.exports = app;
app.use([path,] callback [, callback...])에서 미들웨어가 함수의 배열일 수도 있고 단일 함수일 수도 있음을 알 수 있습니다. 구현을 단순화하기 위해 미들웨어를 함수 배열로 균일하게 처리합니다. LikeExpress 클래스에서 use(), get() 및 post() 세 가지 메소드는 모두 미들웨어 등록을 구현할 수 있습니다. 트리거된 미들웨어만 요청 방법이 다르기 때문에 다릅니다. 그래서 우리는 다음을 고려합니다:
미들웨어 배열은 클래스의 메소드에 의해 쉽게 접근할 수 있도록 공개 영역에 배치되어야 합니다. 그래서 constructor() 생성자 함수에 미들웨어 배열을 넣습니다.
const http = require("http"); const server = http.createServer((req, res) => { res.end("hello"); }); server.listen(3003, "127.0.0.1", () => { console.log("node service started successfully"); });
미들웨어 등록은 해당 미들웨어 배열에 미들웨어를 저장하는 것을 의미합니다. 미들웨어 등록 기능은 수신 매개변수를 구문 분석해야 합니다. 첫 번째 파라미터는 라우트일 수도 있고 미들웨어일 수도 있으므로 먼저 라우트인지 여부를 판단할 필요가 있습니다. 그렇다면 그대로 출력하십시오. 그렇지 않으면 기본값은 루트 경로이고 나머지 미들웨어 매개변수를 배열로 변환합니다.
const http = require('http'); class LikeExpress { constructor() {} use() {} get() {} post() {} // httpServer callback function callback() { return (req, res) => { res.json = function (data) { res.setHeader('content-type', 'application/json'); res.end(JSON.stringify(data)); }; }; } listen(...args) { const server = http.createServer(this.callback()); server.listen(...args); } } module.exports = () => { return new LikeExpress(); };
일반 미들웨어 등록 함수인 Register()를 이용하면 use(), get(), post() 구현이 용이하며 해당 배열에 미들웨어를 저장하기만 하면 됩니다.
const express = require('express'); const app = express(); const port = 3000; app.get('/', (req, res) => { res.send('Hello World!'); }); app.listen(port, () => { console.log(`Example app listening at http://localhost:${port}`); });
등록 함수의 첫 번째 매개변수가 경로인 경우 요청 경로가 경로와 일치하거나 해당 하위 경로인 경우에만 해당 미들웨어 기능이 트리거됩니다. 따라서 후속 callback() 함수가 실행될 요청 메서드 및 요청 경로에 따라 일치하는 경로의 미들웨어 배열을 추출하는 경로 일치 함수가 필요합니다.
// Handle errors caused by unmatched routes const createError = require('http-errors'); const express = require('express'); const path = require('path'); const indexRouter = require('./routes/index'); const usersRouter = require('./routes/users'); // `app` is an Express instance const app = express(); // View engine setup app.set('views', path.join(__dirname, 'views')); app.set('view engine', 'jade'); // Parse JSON format data in post requests and add the `body` field to the `req` object app.use(express.json()); // Parse the urlencoded format data in post requests and add the `body` field to the `req` object app.use(express.urlencoded({ extended: false })); // Static file handling app.use(express.static(path.join(__dirname, 'public'))); // Register top-level routes app.use('/', indexRouter); app.use('/users', usersRouter); // Catch 404 errors and forward them to the error handler app.use((req, res, next) => { next(createError(404)); }); // Error handling app.use((err, req, res, next) => { // Set local variables to display error messages in the development environment res.locals.message = err.message; // Decide whether to display the full error according to the environment variable. Display in development, hide in production. res.locals.error = req.app.get('env') === 'development'? err : {}; // Render the error page res.status(err.status || 500); res.render('error'); }); module.exports = app;
그런 다음 httpServer의 콜백 함수 callback()에서 실행해야 하는 미들웨어를 추출합니다.
const http = require("http"); const server = http.createServer((req, res) => { res.end("hello"); }); server.listen(3003, "127.0.0.1", () => { console.log("node service started successfully"); });
Express 미들웨어 함수의 매개변수는 req, res 및 next이며, 여기서 next는 함수입니다. 이를 호출해야만 ES6 Generator의 next()와 유사하게 미들웨어 기능이 순서대로 실행될 수 있습니다. 구현 시 다음 요구 사항에 따라 next() 함수를 작성해야 합니다.
const http = require('http'); class LikeExpress { constructor() {} use() {} get() {} post() {} // httpServer callback function callback() { return (req, res) => { res.json = function (data) { res.setHeader('content-type', 'application/json'); res.end(JSON.stringify(data)); }; }; } listen(...args) { const server = http.createServer(this.callback()); server.listen(...args); } } module.exports = () => { return new LikeExpress(); };
constructor() { // List of stored middleware this.routes = { all: [], // General middleware get: [], // Middleware for get requests post: [], // Middleware for post requests }; }
마지막으로 Express 배포에 매우 적합한 플랫폼을 소개하겠습니다: Leapcell.
Leapcell은 다음과 같은 특징을 지닌 서버리스 플랫폼입니다.
문서에서 더 자세히 알아보세요!
Leapcell 트위터: https://x.com/LeapcellHQ
위 내용은 Express.js 마스터하기: 심층 분석의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!