2

我已经在这里查看了所有关于此的问题,查看了瓶子教程,查看了瓶子谷歌小组讨论,以及 AFAIK,我做的一切都是正确的。但是,不知何故,我无法正确加载我的 CSS 文件。我在静态文件上得到一个 404,http://localhost:8888/todo/static/style.css没有找到,根据下面的目录结构,不应该是这种情况。我正在使用 0.11 版(不稳定)的瓶子;有什么我遗漏的吗,或者这是瓶子中的错误?

我的目录结构:

todo/
   todo.py
   static/
      style.css

我的 todo.py:

import sqlite3
from bottle import Bottle, route, run, debug, template, request, validate, static_file, error, SimpleTemplate

# only needed when you run Bottle on mod_wsgi
from bottle import default_app
app = Bottle()
default_app.push(app)

appPath = '/Applications/MAMP/htdocs/todo/'


@app.route('/todo')
def todo_list():

    conn = sqlite3.connect(appPath + 'todo.db')
    c = conn.cursor()
    c.execute("SELECT id, task FROM todo WHERE status LIKE '1';")
    result = c.fetchall()
    c.close()

    output = template(appPath + 'make_table', rows=result, get_url=app.get_url)
    return output

@route('/static/:filename#.*#', name='css')
def server_static(filename):
    return static_file(filename, root='./static')

我的html:

%#template to generate a HTML table from a list of tuples (or list of lists, or tuple of tuples or ...)
<head>
<link href="{{ get_url('css', filename='style.css') }}" type="text/css" rel="stylesheet" />
</head>
<p>The open items are as follows:</p>
<table border="1">
%for row in rows:
  <tr style="margin:15px;">
  %i = 0
  %for col in row:
    %if i == 0:
        <td>{{col}}</td>
    %else:
        <td>{{col}}</td>
    %end
    %i = i + 1
  %end
  <td><a href="/todo/edit/{{row[0]}}">Edit</a></td>
  </tr>
%end
</table>
4

2 回答 2

5

我不太了解您的部署。该/Applications/MAMP/htdocs/路径以及app.run您的代码中缺少的路径表明您在 Apache 下运行它。是生产部署吗?对于开发任务,你应该使用 Bottle 的内置开发服务器,你知道的。app.run()在你的末尾添加一个单曲todo.py,你就完成了。

现在,如果您使用的是 Apache,最可能的根本原因是这一行:static_file(filename, root='./static'). 使用 mod_wsgi,您无法保证工作目录与您所在的目录相同todo.py。事实上,它几乎永远不会。

您正在使用数据库和模板的绝对路径,对静态文件这样做:

@route('/static/:filename#.*#', name='css')
def server_static(filename):
    return static_file(filename, root=os.path.join(appPath, 'static'))

接下来,我不明白您的应用程序安装在哪里。URLhttp://localhost:8888/todo/static/style.css表明挂载点是/todo,但todo_list处理程序的路由又是/todo。应该是完整的路径http://localhost/todo/todo吗?你的应用有/处理程序吗?

我还建议避免硬编码路径并将路径片段连接在一起。这会更干净:

from os.path import join, dirname
...
appPath = dirname(__file__)

@app.route('/todo')
def todo_list():
    conn = sqlite3.connect(join(appPath, 'todo.db'))
    ...
于 2012-06-04T21:42:30.550 回答
0

事实证明,它与 Bottle 无关,而与我加载应用程序的 wsgi 文件有关。我没有将我的 os.path 更改为正确的路径;它指向 wsgi 脚本所在的文件夹。显然,那里没有css文件。一旦我在 sgi 脚本中更正了我的目录,一切正常。换句话说:

os.chdir(os.path.dirname(__file__))

需要是

os.chdir('Applications/MAMP/htdocs/todo')

因为我的 wsgi 脚本与应用程序本身位于不同的目录中(mod_wsgi 推荐这种方法)。谢谢各位的帮助!

于 2012-06-05T19:02:32.757 回答