我正在尝试使用Ember.Router
找出如何在我的应用程序中处理无效路由。
目前,如果我输入无效路线,例如myapp.com/#FooBarDoesntExist,它将重定向到索引路由('/')。我想要它,如果我可以定义一个notFound或404状态,它将路由到所以我可以通知用户发生了什么。而不是他们被倾倒在主页上。
答案 0 :(得分:19)
处理此问题的一个好方法是声明一条路线,除路线外还会映射所有可能的网址。您可以在此处举例:http://jsfiddle.net/mbreton/r3C9c/
var App = Ember.Application.create();
App.Router.map(function(){
this.route('detail', {path: "detail"});
this.route('missing', { path: "/*path" });
});
App.MissingRoute = Em.Route.extend({
redirect: function () {
Em.debug('404 :: redirection to index');
this.transitionTo("index");
}
});
App.ApplicationView = Em.View.extend({
didInsertElement:function(){
$('#missingLink').on('click', function (e){
window.location.hash = "#/pepepepepep";
return false;
});
}
});
在此示例中,所有未知的网址都重定向到索引路由。
答案 1 :(得分:6)
当前版本的Ember.Router不提供处理未知路由的方法。是时候破解了!
这里的想法如下。我们有Ember.Router.route(path)
方法,该方法使用请求的(可能未知的)路径调用。调用此方法后,保证路由器的路径已知。因此,如果我们比较请求的路径和实际路径并且它们不同 - 那么请求的路径无效,我们可能会将用户重定向到404页面。
App.Router = Ember.Router.extend({
route: function(path) {
this._super(path);
var actualPath = this.get("currentState").absoluteRoute(this);
if (path !== actualPath) {
this.transitionTo("404page");
}
}
});
这个解决方案非常昂贵。例如,如果当前状态为“/ a / b / c”,并且用户想要导航到“/ b / d / e / unknown”,则路由器将尽职地输入已知状态“b”,“d”和“e”,只有这样我们才会把路径丢弃为未知路径。如果我们可以在实际路由开始之前告诉它,那将是很好的。
这里我们检查给定路径的有效性,然后告诉路由器继续:
App.Router = Ember.Router.extend({
checkPath: function (path) {
path = path.replace(this.get('rootURL'), '').replace(/^(?=[^\/])/, "/");
var resolvedStates = this.get("states.root").resolvePath(this, path);
var lastState = resolvedStates.get("lastObject");
return lastState.match.remaining == "";
},
route: function(path) {
if (this.checkPath(path)) {
this._super(path);
} else {
this.transitionTo("404page");
}
}
});
此解决方案也有其缺点 - 它使用标记为私有的resolvePath
方法。不过,我会使用这个解决方案,因为它比第一个解决方案更有效。