我的表单允许用户输入特定数量的篮球队的特定名称。这些数字会不断更新,因此我需要创建一个动态表格。

假设我有以下Flask视图:

@app.route('/dynamic', methods=['GET', 'POST'])
def dynamic():
    teams = ['Warriors', 'Cavs']
    name_count = 2
    return render_template('dynamic.html', teams=teams, name_count=name_count)


HTML模板dynamic.html中的以下形式:

<form method='POST' action='/dynamic'>
  {% for team_index in range(teams | count) %}
    {% for name_index in range(name_count) %}
      <input type="text"
             class="form-control"
             id="team{{ team_index }}_name{{ name_index }}"
             name="team{{ team_index }}_name{{ name_index }}">
    {% endfor %}
  {% endfor %}
<form>


产生以下形式:

<form method='POST' action='/dynamic'>
  <input type="text" class="form-control" id="team0_name0" name="team0_name0">
  <input type="text" class="form-control" id="team0_name1" name="team0_name1">
  <input type="text" class="form-control" id="team1_name0" name="team1_name0">
  <input type="text" class="form-control" id="team1_name1" name="team1_name1">
<form>


我喜欢Flask-WTF库,所以我想知道如何使用它(或简单地wtforms)来呈现此表单。我不确定这是否可能,因为wtforms要求每个输入都使用硬编码的字段名称。

最佳答案

想通了。我需要使用WTForms FieldlistFormField附件。

class PlayerForm(FlaskForm):
    player = Fieldlist(StringField('Player'))

class TeamForm(FlaskForm):
    team = Fieldlist(FormField(PlayerForm))

@app.route('/dynamic', methods=['GET', 'POST'])
def dynamic():
    teams = ['Warriors', 'Cavs']
    name_count = 2
    # Build dictionary to prepopulate form
    prepop_data = {'team': [{'player': ['' for p in range(name_count)]} for team in teams]}
    # Initialize form
    form = TeamForm(data=prepop_data)
    return render_template('dynamic.html', form=form)


然后通过jinja2(第一个字段上的idname属性= team-0-player-0)解压缩:

<form method="POST" action="/dynamic">
  {{ form.csrf_token }}
  {% for team in form.team %}
    {{ team.csrf_token }}
    {% for player in team.player %}
      {{ render_field(player) }}
    {% endfor %}
  {% endfor %}
</form>

关于python - Flask-WTForms:动态创建名称和ID属性,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/43195390/

10-12 03:02