我已经看到了Restify的示例,其中所有端点都位于根目录上:/ users,/ data等。我知道可以像这样实现嵌套:
server.get('/users/:user/data/:id', returnData);
req.params变量将具有所有请求参数。例:
{ user: '45', id: '80' }
如果我的应用程序没有几个端点,这似乎可以很好地工作,但是如果我有一个要通过REST API公开的深度和分支数据结构,该怎么办?就像是:
{
stuff: {
points: {
colors: {
shinyThings: {},
dullThings: {}
}
},
ships: {
enterprises: {},
starDestroyers: {}
}
},
things: {},
}
不得不手动编写通往所有这些端点的路径似乎并不正确。我最终得到许多路径定义和类似的内容:
server.put('/stuff/:stuff/points/:points/colors/:colors/shinyThings/:shinyThings', returnShinyThing);
使用Restify有更简单的方法吗?
最佳答案
尽管我确信还有更好的选择,但我已经想出了一种方法:
1)创建模块以处理端点上的某些操作。这些模块将成为中央路由器模块所必需的。示例stuff.js
:
exports.list = function(req, res, next) {
// Code to handle a GET request to /stuff
};
exports.create = function(req, res, next) {
// Code to handle a POST request to /stuff
};
exports.show = function(req, res, next) {
// Code to handle a GET request to /stuff/:id
};
exports.update = function(req, res, next) {
// Code to handle a PUT request to /stuff/:id
};
exports.destroy = function(req, res, next) {
// Code to handle a DELETE request to /stuff/:id
};
2)在路由器模块中,定义动作的映射-> http动词:
var actions = {
list: 'get',
create: 'post',
show: 'get',
update: 'put',
destroy: 'del'
}
3)创建一个表示数据结构的对象,如下所示:
var schema = {
stuff: {
_actions: require('./stuff'),
points: {
_actions: require('./points'),
colors: {
_actions: require('./colors'),
shinyThings: {_actions: require('./shinyThings')},
dullThings: {_actions: require('./dullThings')}
}
},
ships: {
_actions: require('./ships'),
enterprises: {_actions: require('./enterprises')},
starDestroyers: {_actions: require('./starDestroyers')}
}
},
things: {_actions: require('./things')},
}
4)在路由器初始化期间,应用程序将其传递给Restify服务器对象以将路由附加到该对象。在初始化期间,递归函数遍历架构对象,当找到
_actions
键时,它将调用第二个函数,该函数将给定路径上的路由处理程序附加到给定服务器对象:(function addPathHandlers(object, path) {
for (var key in object) {
if (key === '_actions') addActions(object, path);
else if (typeof object[key] === 'object') {
var single = en.singularize(path.split('/').pop());
if (path.charAt(path.length - 1) !== '/') {
path += ['/:', single, '_id/'].join('');
}
addPathHandlers(object[key], path + key);
}
}
})(schema, '/');
function addActions(object, path) {
// Actions that require a specific resource id
var individualActions = ['show', 'update', 'destroy'];
for (var action in object._actions) {
var verb = actions[action];
if (verb) {
var reqPath = path;
if (individualActions.indexOf(action) !== -1) reqPath += '/:id';
server[verb](reqPath, object._actions[action]);
}
}
}
注意:这利用了lingo模块(即en.singularize()函数)。由于我删除了功能的非关键部分,因此它也得到了一些简化,但是它应该是完整的功能。
尽管它不是那么精致和易于使用,但它的灵感来自于看了快速资源的实现方式。
关于javascript - 如何使用restify.js处理深层和复杂的数据结构,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/13726718/