当前位置: 首页 > 知识库问答 >
问题:

如何将存储在变量中的HTML表单数据传递给Flask中的Python脚本?

盛琪
2023-03-14

我正在构建一个数据产品(一个NLP聊天应用程序),我正在学习它,以便用户可以有更好的UI与我的产品交互。

我在Flask中写下了以下代码,以获取用户输入并将其存储在变量中。

主要的派克

from flask import Flask, render_template, request
app = Flask(__name__)

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

@app.route('/handle_data', methods = ['POST', 'GET'])
def handle_data():
    userQuestion = request.form['userQuestion']
    print(userQuestion)
    return render_template('init.html', userQuestion = userQuestion)

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

初始化。html

<!DOCTYPE HTML>
<html>
<body>


<form action="{{ url_for('handle_data') }}" method="post">
    <input type="text" name="userQuestion">
    <input type="submit">
</form>

</body>
</html>

我已经处理了表单数据,并将其存储在变量user问题中。我想把这个变量传递给另一个Python脚本,其中包含我的训练模型的代码。

doc2vec_main。派克

import gensim
import nltk
import numpy
from gensim import models
from gensim import utils
from gensim import corpora
from nltk.stem import PorterStemmer
ps = PorterStemmer()

sentence0 = models.doc2vec.LabeledSentence(words=[u'sampling',u'what',u'is',u'sampling'],tags=["SENT_0"])
sentence1 = models.doc2vec.LabeledSentence(words=[u'sampling',u'tell',u'me',u'about',u'sampling'],tags=["SENT_1"])
sentence2 = models.doc2vec.LabeledSentence(words=[u'elig',u'what',u'is',u'my',u'elig'],tags=["SENT_2"])
sentence3 = models.doc2vec.LabeledSentence(words=[u'eligiblity',u'limit', u'what',u'is',u'my'],tags=["SENT_3"])
sentence4 = models.doc2vec.LabeledSentence(words=[u'eligiblity',u'claim',u'how',u'much',u'can',u'I'],tags=["SENT_4"])
sentence5 = models.doc2vec.LabeledSentence(words=[u'retir',u'eligibility',u'claim',u'i',u'am',u'how',u'much',u'can',u'i'],tags=["SENT_5"])
# ... list of all the training set.

# User inputs a question
document = input("Ask a question:")
tokenized_document = list(gensim.utils.tokenize(document, lowercase = True, deacc = True))
stemmed_document = []
for w in tokenized_document:
    stemmed_document.append(ps.stem(w))

sentence19 = models.doc2vec.LabeledSentence(words= stemmed_document, tags=["SENT_19"])

sentences = [sentence0,sentence1,sentence2,sentence3, sentence4, sentence5,sentence6, sentence7, sentence8, sentence9, sentence10, sentence11, sentence12, sentence13, sentence14, sentence15, sentence16, sentence17, sentence18, sentence19]

model = models.Doc2Vec(size=4, alpha=0.25, min_alpha=.025, min_count=1)
model.build_vocab(sentences)
for epoch in range(30):
    model.train(sentences, total_examples=model.corpus_count, epochs = 
    model.iter)
    model.alpha -= 0.002
    model.min_alpha = model.alpha
model.save("my_model.doc2vec")
model_loaded = models.Doc2Vec.load('my_model.doc2vec')
print (model.docvecs.most_similar(["SENT_19"]))

我的问题是我找不到连接doc2vec_main的方法。py至主。py并将userQuestion的值传递给doc2main中的document变量。py脚本。也就是说,当用户在表单中输入问题并单击submit时,表单的值将传递到doc2vec_main中的document。py,其余脚本运行。

我在网上搜索了很多,但都没用。你能给我一个建议吗?我是烧瓶的初学者,请原谅我的错误。

共有3个答案

江丰羽
2023-03-14

将脚本放在Flask应用程序的另一个模块中,在一个函数下,该函数将您要处理的变量作为参数:

import gensim
import nltk
import numpy
from gensim import models
from gensim import utils
from gensim import corpora
from nltk.stem import PorterStemmer

def doc2vec(user_question):
    # your code here...

在handle_data Flask视图中,只需将值从窗体传递到函数。请注意,如果您的函数很昂贵,那么在正常的请求/响应http流期间无法等待结果,那么这将无法工作。

邓建柏
2023-03-14
import gensim
import nltk
import numpy
from gensim import models
from gensim import utils
from gensim import corpora
from nltk.stem import PorterStemmer
ps = PorterStemmer()

# load the model here
model_loaded = models.Doc2Vec.load('my_model.doc2vec')

from flask import Flask, render_template, request
app = Flask(__name__)

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

@app.route('/handle_data', methods = ['POST', 'GET'])
def handle_data():
    userQuestion = request.form['userQuestion']
    print(userQuestion)
    q_vector = doc2vec_main(userQuestion)
    return render_template('init.html', userQuestion = userQuestion)

def doc2vec_main(document):
    """whatever you want to do with your pre-trained doc2vec model can go here. I assume that doc2vec_main meant to return vector for a given document. for training part of the code you should write a separate function."""
    # your code here!
    return "replace this with your vector"

if __name__ == '__main__':
   app.run()
壤驷麒
2023-03-14

我找到了一个可能的解决方案。在你的python脚本文件导入sys

当您像这样运行脚本时-

您可以通过以下方式访问该变量:

>>> import sys
>>> print(sys.argv)
>>>['doc2vec_main.py', 'question here']

那么你可以简单地使用这个

document = sys.argv[1]

好的,我们找到了手动的方法,但你需要用烧瓶自动完成。

内置烧瓶应用程序导入操作系统

然后,当您想要执行外部脚本时,请执行以下操作

os.system("python doc2vec_main.py %s") % request.form['userQuestion']

你知道这会起作用,但在一个应用程序中这样做不是更好吗?那会更好。

 类似资料:
  • 问题内容: 我的Python脚本中有以下代码: 另外,我在init.html中有一个HTML表单: 当用户在python脚本中的变量上单击“ spotButton”时,如何传递来自“ projectFilepath”的用户输入? 我是Python和Flask的新手,所以如果我犯任何错误,请原谅我。 问题答案: 该标记需要两个属性进行设置: :表单数据在提交时发送到的URL。用生成它。如果相同的UR

  • 我的Python脚本中有以下代码: 另外,我在init.HTML中有一个HTML表单: 当用户在我的python脚本中的变量上单击“SpotButton”时,我如何传递来自“ProjectFilePath”的用户输入? 我对Python和Flask是个新手,所以如果我有任何错误请原谅。

  • 问题内容: 我有一个端点,该端点在url中带有一个值,并产生一些将插入div的内容。我想使用JavaScript变量来构建url 。但是,是作为字符串而不是的值传递的。如何将JavaScript变量的值传递给? 问题答案: 您无法在Jinja中评估JavaScript。您正在尝试在Jinja呈现时在服务器端生成url,但您引用的变量仅在客户端浏览器上运行的JavaScript中可用。 在客户端上构

  • 问题内容: 有时,您需要升级数据库中具有数据表中许多行的数据库,或者要有一个充满数据的数组,而不是将所有这些数据放在一起作为一个字符串,然后在SQL SERVER中拆分,或者而不是在数据库中迭代该数据表。代码逐行更新数据库,还有其他方法吗?除了SQL SERVER 2005中的传统变量以外,还有其他类型的变量吗? 问题答案: 有几种方法可以做到这一点。 如果您只是插入行,那么我将创建一个包含信息的

  • 问题内容: 我想将要在以后使用的命令存储在变量中(不是命令的输出,而是命令本身) 我有一个简单的脚本,如下所示: 但是,当我尝试更复杂的操作时,它会失败。例如,如果我做 输出为: 知道如何将这样的命令(带有管道/多个命令)存储在变量中以备后用吗? 问题答案: 使用eval:

  • 问题内容: 有没有办法在Powershell脚本中使用Groovy变量?我的示例脚本如下。 问题答案: 您不能在单引号或三单引号中插入变量。使用三重双引号: