1

我知道如何使用Mason::Plugin::RouterSimple为页面组件指定路由,例如给定一个 url:

/archives/2015/07

我可以这样创建一个组件archives.mc

<%class>
  route "{year:[0-9]{4}}/{month:[0-9]{2}}";
</%class>
Archives for the month of <% $.month %>/<% $.year %>

同样,我可以创建一个news.mc组件来处理以下网址:

/news/2012/04

这很好(而且非常优雅!)但现在我想要的是能够处理如下网址:

/john/archives/2014/12
/john/news/2014/03
/peter/news/2015/09
/bill/archives/2012/06

等等。我知道我可以将路由规则写成:

<%class>
  route "{user:[a-z]+}/archives/{year:[0-9]{4}}/{month:[0-9]{2}}", { action=> 'archives' };
  route "{user:[a-z]+}/news/{year:[0-9]{4}}/{month:[0-9]{2}}", { action=> 'news' };
</%class>

但随后请求必须由两个不同的组件处理。如何将请求路由到不同的组件?archives.mc并且news.mc不会被 Mason 匹配,因为在组件名称之前有一个用户名。

4

1 回答 1

1

问题是,虽然 urs like/archives/2014/12可以由/archives.mc组件轻松处理,但对于 url like/john/archives/2014/12并且/bill/archives/2012/06不清楚将档案组件放在哪里。

Mason 将尝试匹配以下组件(这是一个简化列表,请参阅Mason::Manual::RequestDispatch):

...
/john/archives.{mp,mc}
/john/dhandler.{mp,mc}
/john.{mp,mc}

但最后...

/dhandler.{mp,mc}

所以我的想法是dhandler.mc在根目录下放一个组件:

<%class>
  route "{user:[a-z]+}/archives/{year:[0-9]{4}}/{month:[0-9]{2}}", { action=> 'archives' };
  route "{user:[a-z]+}/news/{year:[0-9]{4}}/{month:[0-9]{2}}", { action=> 'news' };
</%class>
<%init>
  $m->comp($.action.'.mi', user=>$.user, year=>$.year, month=>$.month);
</%init>

如果 url 匹配第一个路由,它将调用archives.mi组件:

<%class>
  has 'user';
  has 'year';
  has 'month';
</%class>
<% $.user %>'s archives for the month of <% $.month %>/<% $.year %>

(我使用了一个.mi组件,所以它只能在内部访问)。

dhandler 可以改进(更好的正则表达式,可以从数据库表中检查用户并拒绝请求等)

由于我的档案和新闻组件可以接受 POST/GET 数据,并且因为我想接受任何数据,所以我可以通过以下方式传递所有内容:

 $m->comp($._action.'.mi', %{$.args});

不太优雅,但它看起来像它的工作。

于 2015-09-02T20:09:53.173 回答