您好,登錄后才能下訂單哦!
本篇文章給大家分享的是有關NodeJS中怎么模擬WebApi路由,小編覺得挺實用的,因此分享給大家學習,希望大家閱讀完這篇文章后可以有所收獲,話不多說,跟著小編一起來看看吧。
第一步,先設置controllers的目錄和url的固定前綴
所有的controller都在這目錄下,這樣會根據物理路徑自動算出路由。 url的固定前綴就是host和路由之間的,比如localhost/api/v2/user/name
,api/v2
就是這個固定前綴。
import { WebApiRouter } from 'webapi-router'; app.use(new WebApiRouter().router('sample/controllers', 'api'));
第二步是controller都繼承自BaseController
export class TestController extends BaseController { }
第三步給controller的方法加上裝飾器
@POST('/user/:name') postWithPathParam(@PathParam('name') name: string, @QueryParam('id') id: string, @BodyParam body: any) { console.info(`TestController - post with name: ${name}, body: ${JSON.stringify(body)}`); return 'ok'; }
@POST
里的參數是可選的,空的話會用這個controller的物理路徑做為路由地址。
:name
是路徑里的變量,比如 /user/brook
, :name
就是brook
,可以在方法的參數里用@PathParam得到
@QueryParam
可以得到url
里?
后的參數
@BodyParam
可以得到Post
上來的body
是不是有點WebApi的意思了。
現在具體看看是怎么實現的
實現過程其實很簡單,從上面的目標入手,首先得到controllers的物理路徑,然后還要得到被裝飾器裝飾的方法以及它的參數。
裝飾器的目的在于要得到是Get
還是Post
等,還有就是指定的Path
,最后就是把node request里的數據賦值給方法的參數。
核心代碼:
得到物理路徑
initRouterForControllers() { //找出指定目錄下的所有繼承自BaseController的.js文件 let files = FileUtil.getFiles(this.controllerFolder); files.forEach(file => { let exportClass = require(file).default; if(this.isAvalidController(exportClass)){ this.setRouterForClass(exportClass, file); } }); }
從物理路徑轉成路由
private buildControllerRouter(file: string){ let relativeFile = Path.relative(Path.join(FileUtil.getApiDir(), this.controllerFolder), file); let controllerPath = '/' + relativeFile.replace(/\\/g, '/').replace('.js','').toLowerCase(); if(controllerPath.endsWith('controller')) controllerPath = controllerPath.substring(0, controllerPath.length - 10); return controllerPath; }
裝飾器的實現
裝飾器需要引入reflect-metadata庫
先看看方法的裝飾器,@GET
,@POST
之類的,實現方法是給裝飾的方法加一個屬性Router
,Router
是個Symbol
,確保唯一。 然后分析裝飾的功能存到這個屬性中,比如Method
,Path
等。
export function GET(path?: string) { return (target: BaseController, name: string) => setMethodDecorator(target, name, 'GET', path); } function setMethodDecorator(target: BaseController, name: string, method: string, path?: string){ target[Router] = target[Router] || {}; target[Router][name] = target[Router][name] || {}; target[Router][name].method = method; target[Router][name].path = path; }
另外還有參數裝飾器,用來給參數賦上request
里的值,如body
,param
等。
export function BodyParam(target: BaseController, name: string, index: number) { setParamDecorator(target, name, index, { name: "", type: ParamType.Body }); } function setParamDecorator(target: BaseController, name: string, index: number, value: {name: string, type: ParamType}) { let paramTypes = Reflect.getMetadata("design:paramtypes", target, name); target[Router] = target[Router] || {}; target[Router][name] = target[Router][name] || {}; target[Router][name].params = target[Router][name].params || []; target[Router][name].params[index] = { type: paramTypes[index], name: value.name, paramType: value.type }; }
這樣裝飾的數據就存到對象的Router屬性上,后面構建路由時就可以用了。
綁定路由到Koa-router
上
上面從物理路徑得到了路由,但是是以裝飾里的參數路徑優先,所以先看看剛在存在原型里的Router
屬性里有沒有Path
,有的話就用這個作為路由,沒有Path
就用物理路由。
private setRouterForClass(exportClass: any, file: string) { let controllerRouterPath = this.buildControllerRouter(file); let controller = new exportClass(); for(let funcName in exportClass.prototype[Router]){ let method = exportClass.prototype[Router][funcName].method.toLowerCase(); let path = exportClass.prototype[Router][funcName].path; this.setRouterForFunction(method, controller, funcName, path ? `/${this.urlPrefix}${path}` : `/${this.urlPrefix}${controllerRouterPath}/${funcName}`); } }
給controller里的方法參數賦上值并綁定路由到KoaRouter
private setRouterForFunction(method: string, controller: any, funcName: string, routerPath: string){ this.koaRouter[method](routerPath, async (ctx, next) => { await this.execApi(ctx, next, controller, funcName) }); } private async execApi(ctx: Koa.Context, next: Function, controller: any, funcName: string) : Promise<void> { //這里就是執行controller的api方法了 try { ctx.body = await controller[funcName](...this.buildFuncParams(ctx, controller, controller[funcName])); } catch(err) { console.error(err); next(); } } private buildFuncParams(ctx: any, controller: any, func: Function) { //把參數具體的值收集起來 let paramsInfo = controller[Router][func.name].params; let params = []; if(paramsInfo) { for(let i = 0; i < paramsInfo.length; i++) { if(paramsInfo[i]){ params.push(paramsInfo[i].type(this.getParam(ctx, paramsInfo[i].paramType, paramsInfo[i].name))); } else { params.push(ctx); } } } return params; } private getParam(ctx: any, paramType: ParamType, name: string){ // 從ctx里把需要的參數拿出來 switch(paramType){ case ParamType.Query: return ctx.query[name]; case ParamType.Path: return ctx.params[name]; case ParamType.Body: return ctx.request.body; default: console.error('does not support this param type'); } }
以上就是NodeJS中怎么模擬WebApi路由,小編相信有部分知識點可能是我們日常工作會見到或用到的。希望你能通過這篇文章學到更多知識。更多詳情敬請關注億速云行業資訊頻道。
免責聲明:本站發布的內容(圖片、視頻和文字)以原創、轉載和分享為主,文章觀點不代表本網站立場,如果涉及侵權請聯系站長郵箱:is@yisu.com進行舉報,并提供相關證據,一經查實,將立刻刪除涉嫌侵權內容。