从列表创建Compojure路由

时间:2011-04-28 00:00:40

标签: clojure compojure

我最近刚刚和Compojure一起玩,而且我有一个小的基本webapp。对于我的HTML模板,我使用Enlive,并且我有一个包含所有简单静态页面的命名空间。对这些页面的defroute调用如下所示:

(defroutes public-routes
  (GET "/" []
    (info/index-template))
  (GET "/about" []
    (info/about-template))
  (GET "/contact" []
    (info/contact-template)))

我实际上得到了更多,但这应该让我知道我在做什么。

现在,我想,这只是我的一堆重复,所以我想我会尝试以下方法:

(defroutes info-routes
  (map #(GET (str "/" %) [] (ns-resolve 'webapp.pages.info
                                        (symbol (str % "-template"))))
       '("about" "contact")))

当然,这不起作用,因为地图返回了一个懒惰的序列,而不是一个函数体(?)。 有人知道我需要做些什么来让这个想法发挥作用吗?

或者我应该采用完全不同的方法来减少重复自己?

2 个答案:

答案 0 :(得分:6)

您始终可以使用defroutes使用的routes函数:

(defroutes info-routes
  (apply routes
    (map #(GET (str "/" %) [] 
               (ns-resolve 'webapp.pages.info
                           (symbol (str % "-template"))))
         '("about" "contact"))))

但那仍然很无聊,让我们加油吧! ; - )

(defn templates-for [& nss]
  (->> nss
       (map ns-publics)
       (apply concat)
       (filter #(->> % first str
                     (re-seq #"-template$")))
       (map second)))

(defn template-uri [template]
  (->> template meta :name name
       (re-seq  #"(.*)-template$")
       first second (str "/")))

(defn template->route [template]
  (GET (template-uri template) [] template))

(defroutes public-routes
  (GET "/" [] "foo")
  (apply routes (map template->route
                     (templates-for 'webapp.pages.info))))

使用此代码,templates-for函数将查找在给定名称空间中以“-template”结尾的任何函数,并使用它们编写适当的路径。看看我不是在使用任何宏,而是使用大量的内容。

答案 1 :(得分:1)

defroutes is a macro所以遗憾的是你无法将它传递给像map这样的函数。您需要编写一个扩展为对defroutes调用的宏。或者查看它扩展到的功能并直接调用它们。

它无法在像这样的

这样的defroutes调用中创建一个路由列表
(defroutes public-routes
  (make-list-of-routes)

会扩展为路线列表:

(defroutes public-routes
  ( (GET "/" [] (info/index-template)) 
    (GET "/about" [] (info/about-template))
    (GET "/contact" [] (info/contact-template))) )

如果defroutes您使用apply

解决此问题的正常函数
(apply defroutes (conj 'public-routes (make-list-of-routes)))

因为defroutes是一个宏,它在应用运行之前完全完成,结果不会有多大意义。你真的不能把宏作为函数。在clojure(或我知道的任何口齿不清)中,macroes 不是一等公民 当一些Clojurians(通常不是我)说“Macroes是邪恶的”时,他们经常会想到这样的情况,当你尝试编写某些东西时,你会遇到一个宏,而不能。

解决方案是不使用defroutes宏并直接调用routes函数。