web-dev-qa-db-ja.com

pythonフラスコ。

python flask route。

  <form action = "http://localhost:5000/xyz" method = "POST">
     <p>x <input type = "text" name = "x" /></p>
     <p>y <input type = "text" name = "y" /></p>
     <p><input type = "submit" value = "submit" /></p>
  </form>

python flaskコードは似ています。

@app.route('/xyz', methods = ['POST', 'GET'])
def xyz():
    if request.method == 'POST':
       x = request.form["x"]
       y = request.form["y"]
       callonemethod(x,y)
    return render_template('index.html', var1=var1, var2=var2)
       #abc(x,y) #can i call abc() like this .i want to call abc() immediately, as it is streaming log of callonemethod(x,y) in console.

@app.route('/abc', methods = ['POST', 'GET'])       
def abc():
    callanothermethod(x,y)
    return render_template('index.html', var1=var3, var2=var4)
    #I want to use that x, y here. also want to call abc() whenever i call xyz()

pythonフラスコを使用してパラメータを使用して別のルートから1つのルートを呼び出すにはどうすればよいですか?

5
purna ram

次の2つのオプションがあります。
オプション1:呼び出されたルートから取得したパラメーターを使用してリダイレクトします。

import os
from flask import Flask, redirect, url_for

@app.route('/abc/<x>/<y>')
def abc(x, y):
  callanothermethod(x,y)

次に、呼び出されたURLを上記のルートに次のようにリダイレクトできます。

@app.route('/xyz', methods = ['POST', 'GET'])
def xyz():
    if request.method == 'POST':
       x = request.form["x"]
       y = request.form["y"]
       callonemethod(x,y)
       return redirect(url_for('abc', x=x, y=y))

Flaskでのリダイレクトについて documentation も参照してください

オプション2:
メソッドabcが複数の異なる場所から呼び出されているようですこれは、ビューからカプセル化を解除することをお勧めします。

utils.py
from other_module import callanothermethod
def abc(x, y):
  callanothermethod(x,y)

import os
from flask import Flask, redirect, url_for
from utils import abc

@app.route('/abc/<x>/<y>')
def abc_route(x, y):
  callanothermethod(x,y)
  abc(x, y)

@app.route('/xyz', methods = ['POST', 'GET'])
def xyz():
    if request.method == 'POST':
       x = request.form["x"]
       y = request.form["y"]
       callonemethod(x,y)
       abc(x, y)
6
matyas