728x90
반응형
질문 : Flask에서 정적 파일을 제공하는 방법
그래서 이것은 부끄럽습니다. Flask
에서 함께 던진 응용 프로그램이 있으며 현재로서는 CSS 및 JS에 대한 링크가있는 단일 정적 HTML 페이지를 제공하고 있습니다. Flask
문서에서 정적 파일 반환을 설명하는 위치를 찾을 수 없습니다. 예, render_template
사용할 수 있지만 데이터가 템플릿 화되어 있지 않다는 것을 알고 있습니다. send_file
또는 url_for
가 옳은 것이라고 생각했지만 그것들을 작동시킬 수 없었다. 그 동안 파일을 열고, 내용을 읽고, 적절한 mimetype Response
import os.path
from flask import Flask, Response
app = Flask(__name__)
app.config.from_object(__name__)
def root_dir(): # pragma: no cover
return os.path.abspath(os.path.dirname(__file__))
def get_file(filename): # pragma: no cover
try:
src = os.path.join(root_dir(), filename)
# Figure out how flask returns static files
# Tried:
# - render_template
# - send_file
# This should not be so non-obvious
return open(src).read()
except IOError as exc:
return str(exc)
@app.route('/', methods=['GET'])
def metrics(): # pragma: no cover
content = get_file('jenkins_analytics.html')
return Response(content, mimetype="text/html")
@app.route('/', defaults={'path': ''})
@app.route('/<path:path>')
def get_resource(path): # pragma: no cover
mimetypes = {
".css": "text/css",
".html": "text/html",
".js": "application/javascript",
}
complete_path = os.path.join(root_dir(), path)
ext = os.path.splitext(path)[1]
mimetype = mimetypes.get(ext, "text/html")
content = get_file(complete_path)
return Response(content, mimetype=mimetype)
if __name__ == '__main__': # pragma: no cover
app.run(port=80)
누군가 이것에 대한 코드 샘플이나 URL을 제공하고 싶습니까? 나는 이것이 매우 간단 할 것이라는 것을 안다.
답변
선호되는 방법은 nginx 또는 다른 웹 서버를 사용하여 정적 파일을 제공하는 것입니다. Flask보다 더 효율적으로 할 수 있습니다.
그러나 send_from_directory
를 사용하여 디렉토리에서 파일을 보낼 수 있습니다. 이는 일부 상황에서 매우 편리 할 수 있습니다.
from flask import Flask, request, send_from_directory
# set the project root directory as the static folder, you can set others.
app = Flask(__name__, static_url_path='')
@app.route('/js/<path:path>')
def send_js(path):
return send_from_directory('js', path)
if __name__ == "__main__":
app.run()
사용하지 마십시오 send_file
또는 send_static_file
사용자가 제공하는 경로.
send_static_file
예 :
from flask import Flask, request
# set the project root directory as the static folder, you can set others.
app = Flask(__name__, static_url_path='')
@app.route('/')
def root():
return app.send_static_file('index.html')
출처 : https://stackoverflow.com/questions/20646822/how-to-serve-static-files-in-flask
728x90
반응형
'개발관련 > other' 카테고리의 다른 글
JSON 명명 규칙 (snake_case, camelCase 또는 PascalCase) (0) | 2021.09.03 |
---|---|
Excel에서 UTF-8 CSV 파일을 여는 방법 (0) | 2021.09.02 |
Chrome 개발자 도구에서 JavaScript를 비활성화하는 방법 (0) | 2021.08.30 |
Swift를 사용하여 프로그래밍 방식으로 제약 조건을 추가하는 방법 (0) | 2021.08.30 |
iterator를 스트림으로 변환하는 방법 (0) | 2021.08.28 |