Express에서 등록 된 모든 경로를 얻는 방법은 무엇입니까?
Node.js 및 Express를 사용하여 작성된 웹 응용 프로그램이 있습니다. 이제 등록 된 모든 경로를 적절한 방법으로 나열하고 싶습니다.
예를 들어 내가 처형했다면
app.get('/', function (...) { ... });
app.get('/foo/:id', function (...) { ... });
app.post('/foo/:id', function (...) { ... });
다음과 같은 객체 (또는 그와 동등한 것)를 검색하고 싶습니다.
{
get: [ '/', '/foo/:id' ],
post: [ '/foo/:id' ]
}
이것이 가능합니까? 그렇다면 가능합니까?
업데이트 : 한편, 주어진 응용 프로그램에서 경로 를 추출하는 get-routes 라는 npm 패키지를 만들었습니다 .이 문제를 해결합니다. 현재 Express 4.x 만 지원되지만 지금은 괜찮습니다. 참고로
3.x를 표현하다
좋아, 나 자신을 발견했다 ... 그것은 단지 app.routes
:-)
4.x를 표현하십시오
응용 프로그램 -내장express()
app._router.stack
라우터 -내장express.Router()
router.stack
참고 : 스택에는 미들웨어 기능도 포함되어 있으므로 "라우트" 만 가져 오도록 필터링해야합니다 .
app._router.stack.forEach(function(r){
if (r.route && r.route.path){
console.log(r.route.path)
}
})
더 이상 내 필요에 맞지 않는 오래된 게시물을 수정했습니다. express.Router ()를 사용하고 다음과 같이 내 경로를 등록했습니다.
var questionsRoute = require('./BE/routes/questions');
app.use('/api/questions', questionsRoute);
apiTable.js에서 document.js 파일의 이름을 바꾸고 다음과 같이 수정했습니다.
module.exports = function (baseUrl, routes) {
var Table = require('cli-table');
var table = new Table({ head: ["", "Path"] });
console.log('\nAPI for ' + baseUrl);
console.log('\n********************************************');
for (var key in routes) {
if (routes.hasOwnProperty(key)) {
var val = routes[key];
if(val.route) {
val = val.route;
var _o = {};
_o[val.stack[0].method] = [baseUrl + val.path];
table.push(_o);
}
}
}
console.log(table.toString());
return table;
};
그런 다음 server.js에서 다음과 같이 호출합니다.
var server = app.listen(process.env.PORT || 5000, function () {
require('./BE/utils/apiTable')('/api/questions', questionsRoute.stack);
});
결과는 다음과 같습니다.
이것은 단지 예일 뿐이지 만 유용 할 수 있습니다 .. 희망합니다 ..
Express 4.x에서 등록 된 경로를 얻는 데 사용하는 작은 내용이 있습니다.
app._router.stack // registered routes
.filter(r => r.route) // take out all the middleware
.map(r => r.route.path) // get all the paths
앱에 직접 등록 된 경로 (app.VERB를 통해)와 라우터 미들웨어로 등록 된 경로 (app.use를 통해)를 가져옵니다. 익스프레스 4.11.0
//////////////
app.get("/foo", function(req,res){
res.send('foo');
});
//////////////
var router = express.Router();
router.get("/bar", function(req,res,next){
res.send('bar');
});
app.use("/",router);
//////////////
var route, routes = [];
app._router.stack.forEach(function(middleware){
if(middleware.route){ // routes registered directly on the app
routes.push(middleware.route);
} else if(middleware.name === 'router'){ // router middleware
middleware.handle.stack.forEach(function(handler){
route = handler.route;
route && routes.push(route);
});
}
});
// routes:
// {path: "/foo", methods: {get: true}}
// {path: "/bar", methods: {get: true}}
특급 github 문제 에 대한 Doug Wilson 의 해시 복사 / 붙여 넣기 답변 . 더럽지 만 매력처럼 작동합니다.
function print (path, layer) {
if (layer.route) {
layer.route.stack.forEach(print.bind(null, path.concat(split(layer.route.path))))
} else if (layer.name === 'router' && layer.handle.stack) {
layer.handle.stack.forEach(print.bind(null, path.concat(split(layer.regexp))))
} else if (layer.method) {
console.log('%s /%s',
layer.method.toUpperCase(),
path.concat(split(layer.regexp)).filter(Boolean).join('/'))
}
}
function split (thing) {
if (typeof thing === 'string') {
return thing.split('/')
} else if (thing.fast_slash) {
return ''
} else {
var match = thing.toString()
.replace('\\/?', '')
.replace('(?=\\/|$)', '$')
.match(/^\/\^((?:\\[.*+?^${}()|[\]\\\/]|[^.*+?^${}()|[\]\\\/])*)\$\//)
return match
? match[1].replace(/\\(.)/g, '$1').split('/')
: '<complex:' + thing.toString() + '>'
}
}
app._router.stack.forEach(print.bind(null, []))
생산
https://www.npmjs.com/package/express-list-endpoints 는 꽤 잘 작동합니다.
예
용법:
const all_routes = require('express-list-endpoints');
console.log(all_routes(app));
산출:
[ { path: '*', methods: [ 'OPTIONS' ] },
{ path: '/', methods: [ 'GET' ] },
{ path: '/sessions', methods: [ 'POST' ] },
{ path: '/sessions', methods: [ 'DELETE' ] },
{ path: '/users', methods: [ 'GET' ] },
{ path: '/users', methods: [ 'POST' ] } ]
Express 4에서 모든 경로를 기록하는 기능 (v3에서 쉽게 조정할 수 있음 ~)
function space(x) {
var res = '';
while(x--) res += ' ';
return res;
}
function listRoutes(){
for (var i = 0; i < arguments.length; i++) {
if(arguments[i].stack instanceof Array){
console.log('');
arguments[i].stack.forEach(function(a){
var route = a.route;
if(route){
route.stack.forEach(function(r){
var method = r.method.toUpperCase();
console.log(method,space(8 - method.length),route.path);
})
}
});
}
}
}
listRoutes(router, routerAuth, routerHTML);
로그 출력 :
GET /isAlive
POST /test/email
POST /user/verify
PUT /login
POST /login
GET /player
PUT /player
GET /player/:id
GET /players
GET /system
POST /user
GET /user
PUT /user
DELETE /user
GET /
GET /login
이것을 NPM으로 만들었습니다 https://www.npmjs.com/package/express-list-routes
DEBUG=express:* node index.js
위 명령으로 앱을 실행하면 DEBUG
모듈로 앱을 시작 하고 경로와 사용중인 모든 미들웨어 기능을 제공합니다.
ExpressJS-디버깅 및 디버그를 참조하십시오 .
나는 Labithiotis의 급행 목록 노선에서 영감을 얻었지만 한 번에 모든 경로와 무차별 URL에 대한 개요를 원했고 라우터를 지정하지 않고 매번 접두사를 알아 내고 싶었습니다. 내가 생각해 낸 것은 단순히 app.use 함수를 baseUrl과 주어진 라우터를 저장하는 내 함수로 바꾸는 것입니다. 거기에서 모든 경로의 모든 테이블을 인쇄 할 수 있습니다.
참고 다음과 같이 app 객체에 전달되는 특정 경로 파일 (함수)에 경로를 선언하기 때문에 이것은 나를 위해 작동합니다.
// index.js
[...]
var app = Express();
require(./config/routes)(app);
// ./config/routes.js
module.exports = function(app) {
// Some static routes
app.use('/users', [middleware], UsersRouter);
app.use('/users/:user_id/items', [middleware], ItemsRouter);
app.use('/otherResource', [middleware], OtherResourceRouter);
}
이를 통해 가짜 사용 기능으로 다른 '앱'객체를 전달할 수 있으며 모든 경로를 얻을 수 있습니다. 이것은 나를 위해 작동합니다 (명확성을 위해 일부 오류 검사가 제거되었지만 여전히 예제에서는 작동합니다).
// In printRoutes.js (or a gulp task, or whatever)
var Express = require('express')
, app = Express()
, _ = require('lodash')
// Global array to store all relevant args of calls to app.use
var APP_USED = []
// Replace the `use` function to store the routers and the urls they operate on
app.use = function() {
var urlBase = arguments[0];
// Find the router in the args list
_.forEach(arguments, function(arg) {
if (arg.name == 'router') {
APP_USED.push({
urlBase: urlBase,
router: arg
});
}
});
};
// Let the routes function run with the stubbed app object.
require('./config/routes')(app);
// GRAB all the routes from our saved routers:
_.each(APP_USED, function(used) {
// On each route of the router
_.each(used.router.stack, function(stackElement) {
if (stackElement.route) {
var path = stackElement.route.path;
var method = stackElement.route.stack[0].method.toUpperCase();
// Do whatever you want with the data. I like to make a nice table :)
console.log(method + " -> " + used.urlBase + path);
}
});
});
이 전체 예제 (일부 기본 CRUD 라우터 포함)는 방금 테스트 및 인쇄되었습니다.
GET -> /users/users
GET -> /users/users/:user_id
POST -> /users/users
DELETE -> /users/users/:user_id
GET -> /users/:user_id/items/
GET -> /users/:user_id/items/:item_id
PUT -> /users/:user_id/items/:item_id
POST -> /users/:user_id/items/
DELETE -> /users/:user_id/items/:item_id
GET -> /otherResource/
GET -> /otherResource/:other_resource_id
POST -> /otherResource/
DELETE -> /otherResource/:other_resource_id
cli-table을 사용하여 다음과 같은 것을 얻었습니다.
┌────────┬───────────────────────┐
│ │ => Users │
├────────┼───────────────────────┤
│ GET │ /users/users │
├────────┼───────────────────────┤
│ GET │ /users/users/:user_id │
├────────┼───────────────────────┤
│ POST │ /users/users │
├────────┼───────────────────────┤
│ DELETE │ /users/users/:user_id │
└────────┴───────────────────────┘
┌────────┬────────────────────────────────┐
│ │ => Items │
├────────┼────────────────────────────────┤
│ GET │ /users/:user_id/items/ │
├────────┼────────────────────────────────┤
│ GET │ /users/:user_id/items/:item_id │
├────────┼────────────────────────────────┤
│ PUT │ /users/:user_id/items/:item_id │
├────────┼────────────────────────────────┤
│ POST │ /users/:user_id/items/ │
├────────┼────────────────────────────────┤
│ DELETE │ /users/:user_id/items/:item_id │
└────────┴────────────────────────────────┘
┌────────┬───────────────────────────────────┐
│ │ => OtherResources │
├────────┼───────────────────────────────────┤
│ GET │ /otherResource/ │
├────────┼───────────────────────────────────┤
│ GET │ /otherResource/:other_resource_id │
├────────┼───────────────────────────────────┤
│ POST │ /otherResource/ │
├────────┼───────────────────────────────────┤
│ DELETE │ /otherResource/:other_resource_id │
└────────┴───────────────────────────────────┘
엉덩이를 차는.
익스프레스 4
엔드 포인트 및 중첩 라우터가 있는 Express 4 구성
const express = require('express')
const app = express()
const router = express.Router()
app.get(...)
app.post(...)
router.use(...)
router.get(...)
router.post(...)
app.use(router)
@caleb 응답을 확장하면 모든 경로를 재귀 적으로 정렬 할 수 있습니다.
getRoutes(app._router && app._router.stack)
// =>
// [
// [ 'GET', '/'],
// [ 'POST', '/auth'],
// ...
// ]
/**
* Converts Express 4 app routes to an array representation suitable for easy parsing.
* @arg {Array} stack An Express 4 application middleware list.
* @returns {Array} An array representation of the routes in the form [ [ 'GET', '/path' ], ... ].
*/
function getRoutes(stack) {
const routes = (stack || [])
// We are interested only in endpoints and router middleware.
.filter(it => it.route || it.name === 'router')
// The magic recursive conversion.
.reduce((result, it) => {
if (! it.route) {
// We are handling a router middleware.
const stack = it.handle.stack
const routes = getRoutes(stack)
return result.concat(routes)
}
// We are handling an endpoint.
const methods = it.route.methods
const path = it.route.path
const routes = Object
.keys(methods)
.map(m => [ m.toUpperCase(), path ])
return result.concat(routes)
}, [])
// We sort the data structure by route path.
.sort((prev, next) => {
const [ prevMethod, prevPath ] = prev
const [ nextMethod, nextPath ] = next
if (prevPath < nextPath) {
return -1
}
if (prevPath > nextPath) {
return 1
}
return 0
})
return routes
}
기본 문자열 출력용.
infoAboutRoutes(app)
/**
* Converts Express 4 app routes to a string representation suitable for console output.
* @arg {Object} app An Express 4 application
* @returns {string} A string representation of the routes.
*/
function infoAboutRoutes(app) {
const entryPoint = app._router && app._router.stack
const routes = getRoutes(entryPoint)
const info = routes
.reduce((result, it) => {
const [ method, path ] = it
return result + `${method.padEnd(6)} ${path}\n`
}, '')
return info
}
업데이트 1 :
Express 4의 내부 제한으로 인해 탑재 된 앱 및 탑재 된 라우터를 검색 할 수 없습니다. 예를 들어이 구성에서 경로를 얻을 수 없습니다.
const subApp = express()
app.use('/sub/app', subApp)
const subRouter = express.Router()
app.use('/sub/route', subRouter)
조정이 필요하지만 Express v4에서는 작동해야합니다. 로 추가 된 경로를 포함합니다 .use()
.
function listRoutes(routes, stack, parent){
parent = parent || '';
if(stack){
stack.forEach(function(r){
if (r.route && r.route.path){
var method = '';
for(method in r.route.methods){
if(r.route.methods[method]){
routes.push({method: method.toUpperCase(), path: parent + r.route.path});
}
}
} else if (r.handle && r.handle.name == 'router') {
const routerName = r.regexp.source.replace("^\\","").replace("\\/?(?=\\/|$)","");
return listRoutes(routes, r.handle.stack, parent + routerName);
}
});
return routes;
} else {
return listRoutes([], app._router.stack);
}
}
//Usage on app.js
const routes = listRoutes(); //array: ["method: path", "..."]
편집 : 코드 개선
@prranay의 답변에 대한 약간 업데이트되고 기능적인 접근 방식 :
const routes = app._router.stack
.filter((middleware) => middleware.route)
.map((middleware) => `${Object.keys(middleware.route.methods).join(', ')} -> ${middleware.route.path}`)
console.log(JSON.stringify(routes, null, 4));
이것은 나를 위해 일했다
let routes = []
app._router.stack.forEach(function (middleware) {
if(middleware.route) {
routes.push(Object.keys(middleware.route.methods) + " -> " + middleware.route.path);
}
});
console.log(JSON.stringify(routes, null, 4));
O / P :
[
"get -> /posts/:id",
"post -> /posts",
"patch -> /posts"
]
그래서 나는 모든 대답을보고있었습니다 .. 가장 마음에 들지 않았습니다 ..
const resolveRoutes = (stack) => {
return stack.map(function (layer) {
if (layer.route && layer.route.path.isString()) {
let methods = Object.keys(layer.route.methods);
if (methods.length > 20)
methods = ["ALL"];
return {methods: methods, path: layer.route.path};
}
if (layer.name === 'router') // router middleware
return resolveRoutes(layer.handle.stack);
}).filter(route => route);
};
const routes = resolveRoutes(express._router.stack);
const printRoute = (route) => {
if (Array.isArray(route))
return route.forEach(route => printRoute(route));
console.log(JSON.stringify(route.methods) + " " + route.path);
};
printRoute(routes);
가장 예쁘지 않은 ..하지만 중첩, 트릭을 수행
또한 20을 참고하십시오 ... 나는 단지 20 가지 방법으로 정상적인 경로가 없을 것이라고 가정합니다. 그래서 나는 그것이 전부라고 추론합니다.
JSON 출력
function availableRoutes() {
return app._router.stack
.filter(r => r.route)
.map(r => {
return {
method: Object.keys(r.route.methods)[0].toUpperCase(),
path: r.route.path
};
});
}
console.log(JSON.stringify(availableRoutes(), null, 2));
다음과 같이 보입니다 :
[
{
"method": "GET",
"path": "/api/todos"
},
{
"method": "POST",
"path": "/api/todos"
},
{
"method": "PUT",
"path": "/api/todos/:id"
},
{
"method": "DELETE",
"path": "/api/todos/:id"
}
]
문자열 출력
function availableRoutesString() {
return app._router.stack
.filter(r => r.route)
.map(r => Object.keys(r.route.methods)[0].toUpperCase().padEnd(7) + r.route.path)
.join("\n ")
}
console.log(availableRoutesString());
다음과 같이 보입니다 :
GET /api/todos
POST /api/todos
PUT /api/todos/:id
DELETE /api/todos/:id
이들은 @corvid의 답변을 기반으로합니다.
도움이 되었기를 바랍니다
Express 3.5.x에서 터미널에 경로를 인쇄하기 위해 앱을 시작하기 전에 이것을 추가합니다.
var routes = app.routes;
for (var verb in routes){
if (routes.hasOwnProperty(verb)) {
routes[verb].forEach(function(route){
console.log(verb + " : "+route['path']);
});
}
}
아마 도움이 될 수 있습니다 ...
경로 세부 사항은 "express"에 대한 경로를 나열합니다 : "4.xx",
import {
Router
} from 'express';
var router = Router();
router.get("/routes", (req, res, next) => {
var routes = [];
var i = 0;
router.stack.forEach(function (r) {
if (r.route && r.route.path) {
r.route.stack.forEach(function (type) {
var method = type.method.toUpperCase();
routes[i++] = {
no:i,
method: method.toUpperCase(),
path: r.route.path
};
})
}
})
res.send('<h1>List of routes.</h1>' + JSON.stringify(routes));
});
간단한 코드 출력
List of routes.
[
{"no":1,"method":"POST","path":"/admin"},
{"no":2,"method":"GET","path":"/"},
{"no":3,"method":"GET","path":"/routes"},
{"no":4,"method":"POST","path":"/student/:studentId/course/:courseId/topic/:topicId/task/:taskId/item"},
{"no":5,"method":"GET","path":"/student/:studentId/course/:courseId/topic/:topicId/task/:taskId/item"},
{"no":6,"method":"PUT","path":"/student/:studentId/course/:courseId/topic/:topicId/task/:taskId/item/:itemId"},
{"no":7,"method":"DELETE","path":"/student/:studentId/course/:courseId/topic/:topicId/task/:taskId/item/:itemId"}
]
모든 미들웨어 및 경로를 인쇄하는 패키지를 게시하여 Express 응용 프로그램을 감사 할 때 유용합니다. 패키지를 미들웨어로 마운트하면 자체적으로 인쇄됩니다.
https://github.com/ErisDS/middleware-stack-printer
다음과 같은 종류의 나무를 인쇄합니다.
- middleware 1
- middleware 2
- Route /thing/
- - middleware 3
- - controller (HTTP VERB)
참고 URL : https://stackoverflow.com/questions/14934452/how-to-get-all-registered-routes-in-express
'Programing' 카테고리의 다른 글
사용자 정의 listview 어댑터 getView 메소드가 여러 번 호출되며 일관된 순서로 호출되지 않습니다. (0) | 2020.06.03 |
---|---|
파이썬에서 선행 공백을 어떻게 제거합니까? (0) | 2020.06.03 |
채널의 모든 동영상을 가져 오는 YouTube API (0) | 2020.06.03 |
div를 부모의 상단에 맞추고 인라인 블록 동작을 유지하는 방법은 무엇입니까? (0) | 2020.06.03 |
IntelliJ IDEA에서 명령 줄 인수를 어떻게 입력합니까? (0) | 2020.06.02 |