我已经回顾了这里的所有问题,回顾了瓶子教程,回顾了瓶子谷歌小组的讨论,以及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>
答案 0 :(得分:4)
我不太了解您的部署。 /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'))
接下来,我不明白您的应用的安装位置。 URL http://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'))
...
答案 1 :(得分:0)
事实证明它与Bottle无关,而且与我加载应用程序的wsgi文件有关。我没有将我的os.path更改为正确的路径;它指向wsgi脚本所在的文件夹。显然,那里没有css文件。一旦我在sgi脚本中更正了我的目录,一切正常。换句话说:
os.chdir(os.path.dirname(__file__))
需要
os.chdir('Applications/MAMP/htdocs/todo')
因为我的wsgi脚本与应用程序本身位于不同的目录中(mod_wsgi建议使用此方法)。感谢所有人的帮助!