我正在尝试使用带有Flask的application dispatching的cherrypy。文档给出了开发服务器的示例,但在使用cherrypy example snippet并修改url前缀时,页面无法找到静态文件夹。
我的目录结构如下:
cherry
├── app1
│ ├── __init__.py
│ └── app1.py
├── app2
│ ├── __init__.py
│ ├── app2.py
│ ├── static
│ │ └── js.js
│ └── templates
│ └── index.html
└── cherry_app.py
一些相关文件:
## cherry_app.py
from cherrypy import wsgiserver
from app1.app1 import app as app1
from app2.app2 import app as app2
d = wsgiserver.WSGIPathInfoDispatcher({'/first': app1,
'/second': app2,
})
server = wsgiserver.CherryPyWSGIServer(('0.0.0.0', 9999), d)
if __name__ == '__main__':
try:
print 'Start at 0.0.0.0:9999'
server.start()
except KeyboardInterrupt:
server.stop()
## app2.py
from flask import Flask, send_file
import flask
app = Flask(__name__)
@app.route("/")
def root():
return ("Hello World!\nThis is the second app. Url is %s"
% flask.url_for('root'))
@app.route("/index")
def index():
return send_file('templates/index.html')
if __name__ == "__main__":
app.run()
## index.html
<script src="/static/js.js"></script>
JS loaded?
## js.js
alert('Loaded!');
正确地转到http://0.0.0.0:9999/second/
告诉我Url is /second/
,当我转到http://0.0.0.0:9999/second/static/js.js
时,javascript已加载。但是html给出了错误GET http://0.0.0.0:9999/static/js.js 404 (Not Found)
。即使我更改了行,它似乎也不知道在查找/second
时使用前缀/static
:
app = Flask(__name__, static_url_path='/second/static')
如何让网页正确加载静态文件?最好没有html模板(比如jinja)。
答案 0 :(得分:2)
您是否尝试使用url_for
查找静态文件?以下是Flask快速入门中的static files section。
因此,在您的情况下,修改index.html中src
元素的script
值:
<script src="{{ url_for("static", "js.js") }}"></script>
第二个参数js.js
应该是静态文件(比如js.js)与静态文件夹的相对路径。因此,如果static的目录结构如下所示:
static/scripts/js.js
只需将js.js
替换为scripts/js.js
:
<script src="{{ url_for("static", "scripts/js.js") }}"></script>
希望这是有道理的。