9

我正在尝试构建一个带有索引等的小型站点以及我想要的 /api 中的 api。

例如:

class Site(object):
    @cherrypy.expose
    def index(self):
        return "Hello, World!"
    @cherrypy.expose
    def contact(self):
        return "Email us at..."
    @cherrypy.expose
    def about(self):
        return "We are..."

class Api(object):
    @cherrypy.expose
    def getSomething(self, something):
        db.get(something)
    @cherrypy.expose
    def putSomething(self, something)

所以,我希望能够访问 mysite.com/contact 和 mysite.com/Api/putSomething

如果我使用cherrypy.quickstart(Site()),我只会获得 Site 下的页面。

我认为有一种方法可以将类 Api 映射到 /Api 下,但我找不到。

4

2 回答 2

8

更新(2017 年 3 月 13 日):下面的原始答案已经过时了,但我保留它以反映最初提出的问题。

官方文档现在有一个关于如何实现它的正确指南。


原答案:

查看默认调度程序。调度的整个文档。

引用文档:

root = HelloWorld()
root.onepage = OnePage()
root.otherpage = OtherPage()

在上面的示例中,URLhttp://localhost/onepage将指向第一个对象,URLhttp://localhost/otherpage将指向第二个对象。像往常一样,此搜索是自动完成的。

此链接通过下面显示的完整示例提供了更多详细信息。

import cherrypy

class Root:
    def index(self):
        return "Hello, world!"
    index.exposed = True

class Admin:
    def user(self, name=""):
        return "You asked for user '%s'" % name
    user.exposed = True

class Search:
    def index(self):
        return search_page()
    index.exposed = True

cherrypy.root = Root()
cherrypy.root.admin = Admin()
cherrypy.root.admin.search = Search()
于 2013-02-02T11:16:56.843 回答
8

正如fumanchu 所提到的,您可以通过多次调用cherrypy.tree.mount. 下面是我正在开发的一个网站的简化版本,它包含一个前端 Web 应用程序和一个 Restful API:

import cherrypy
import web

class WebService(object):

    def __init__(self):
        app_config = {
            '/static': {
                # enable serving up static resource files
                'tools.staticdir.root': '/static',
                'tools.staticdir.on': True,
                'tools.staticdir.dir': "static",
            },
        }

        api_config = {
            '/': {
                # the api uses restful method dispatching
                'request.dispatch': cherrypy.dispatch.MethodDispatcher(),

                # all api calls require that the client passes HTTP basic authentication
                'tools.authorize.on': True,
            }
        }

        cherrypy.tree.mount(web.Application(), '/', config=app_config)
        cherrypy.tree.mount(web.API(), '/api', config=api_config)

    # a blocking call that starts the web application listening for requests
    def start(self, port=8080):
        cherrypy.config.update({'server.socket_host': '0.0.0.0', })
        cherrypy.config.update({'server.socket_port': port, })
        cherrypy.engine.start()
        cherrypy.engine.block()

    # stops the web application
    def stop(self):
        cherrypy.engine.stop()

创建 的实例会WebService初始化两个不同的 Web 应用程序。第一个是我的前端应用程序,它位于web.Application并将在/. 第二个是我的 RESTful API,它存在于web.API并将在/api.

这两个视图也有不同的配置。例如,我指定 api 使用方法分派,并且对它的访问由 HTTP Basic 身份验证控制。

创建 的实例后WebService,您可以根据需要对其调用 start 或 stop ,它会负责所有的清理工作。

很酷的东西。

于 2013-02-22T02:09:00.760 回答