使用嵌入HTML的

时间:2016-01-20 18:06:19

标签: python flask

我试图运行嵌入了HTML代码的Python脚本,但它无法运行。我想要执行一个Python脚本,同时渲染将由脚本打印的HTML。

app.py

#!/usr/bin/python2.6
from flask import Flask, render_template

app = Flask(__name__)

@app.route('/')
def index():
    return render_template('index.html')

@app.route('/briefing')
def briefing():
    return render_template('briefing.html')

@app.route('/briefing/code')
def app_code():
    return render_template('app_code.py')

if __name__ == '__main__':
    app.run(debug=True)

app_code.py

http://i.stack.imgur.com/sIFFJ.png

当我访问http://127.0.0.1:5000/briefing/code时,结果为http://i.stack.imgur.com/iEKv2.png

我知道发生的事情是我以HTML格式呈现,因此文件内部的Python代码没有被解释。

如何运行app_code.py并同时从中呈现HTML?

1 个答案:

答案 0 :(得分:5)

你混淆了很多东西,我看到问题的第一篇文章花了我一段时间来弄清楚你想要做什么。

您似乎需要掌握的想法是,您需要首先在Python中准备模型(例如字符串,对象,字典等与您的数据想要),然后将其注入模板进行渲染(而不是打印出你想在HTML输出中看到的内容)

如果您想将subprocess.call的输出显示在HTML页面中,请执行以下操作:

app.py

#!/usr/bin/python2.6
import subprocess
from flask import Flask, render_template

app = Flask(__name__)

def get_data():
    """
    Return a string that is the output from subprocess
    """

    # There is a link above on how to do this, but here's my attempt
    # I think this will work for your Python 2.6

    p = subprocess.Popen(["tree", "/your/path"], stdout=subprocess.PIPE)
    out, err = p.communicate()

    return out

@app.route('/')
def index():
    return render_template('subprocess.html', subprocess_output=get_data())

if __name__ == '__main__':
    app.run(debug=True)

subprocess.html

<html>
<head>
<title>Subprocess result</title>
</head>
<body>
<h1>Subprocess Result</h1>
{{ subprocess_output }}
</body>
</html>

在上面的模板中,{{ subprocess_output }}将被替换为您在Flask视图中传递的值,然后将生成的HTML页面发送到浏览器。

如何传递多个值

您可以render_template('page.html', value_1='something 1', value_2='something 2')

并在模板中:{{ value_1 }}{{ value_2}}

或者你可以通过一个叫做例如result

render_template('page.html, result={'value_1': 'something 1', 'value_2': 'something 2'})

并在模板{{ result.value_1 }}{{ result.value_2 }}