WTFormsのフィールドにプレースホルダー属性を追加したい。どうすればいいですか?
abc = TextField('abc', validators=[Required(), Length(min=3, max=30)], placeholder="test")
上記のコードは無効です
値を持つプレースホルダー属性を追加するにはどうすればよいですか?
WTForms 2.1用に更新
WTForms 2.1(2015年12月)以降、フィールドコンストラクターにrender_kw=
パラメーターを使用してレンダリングキーワードを設定できるようになりました。
したがって、フィールドは次のようになります。
abc = StringField('abc', [InputRequired()], render_kw={"placeholder": "test"})
これは可能ですが、注意してください。コードとプレゼンテーションの境界線を埋め始めます。賢く使ってください!
(古い回答、WTForms 2.1より古いバージョンでもまだ当てはまります)
placeholder
は、WTforms 2.0.x以前のPythonコンストラクターではサポートされていません。
ただし、テンプレートでこれを簡単に行うことができます。
{{ form.abc(placeholder="test") }}
正解は次のとおりです。
abc = TextField('abc', validators=[Required(), Length(min=3, max=30)], description="test")
文書で読むことができるように:
description – A description for the field, typically used for help text.
次に、テンプレートで:
{% import 'forms.html' as forms %}
{% for field in form %}
{{ forms.render_field(field) }}
{% endfor %}
Render_fieldは、forms.htmlで定義されているマクロです。
{% macro render_field(field) -%}
{% if field.type == 'CSRFTokenField' %}
{{ field }}
{% if field.errors %}
<div class="warning">You have submitted an invalid CSRF token</div>
{% endif %}
{% Elif field.type == 'HiddenField' %}
{{ field }}
{# any other special case you may need #}
{% else %}
<div class="form-group">
<label for="{{ field.label.field_id }}" class="col-sm-2 control-label">{{ field.label.text }}</label>
<div class="col-sm-10">
{{ field(placeholder=field.description) }}
{% if field.errors %}
<div class="alert alert-danger" role="alert">
{% for err in field.errors %}
<p>{{ err|e }}</p>
{% endfor %}
</div>
{% endif %}
</div>
</div>
{% endif %}
{%- endmacro %}
私の解決策は、カスタムウィジェットを使用することです。
from flask.ext.wtf import Form
from wtforms import StringField, validators
from wtforms.widgets import Input
class CustomInput(Input):
input_type = None
def __init__(self, input_type=None, **kwargs):
self.params = kwargs
super(CustomInput, self).__init__(input_type=input_type)
def __call__(self, field, **kwargs):
for param, value in self.params.iteritems():
kwargs.setdefault(param, value)
return super(CustomInput, self).__call__(field, **kwargs)
class CustomTextInput(CustomInput):
input_type = 'text'
class EditProfileForm(Form):
first_name = StringField('First name',
validators=[validators.DataRequired()],
widget=CustomTextInput(placeholder='Enter first name'))
エレガントではないかもしれませんが、Flask-Bootstrapを使用して、テンプレートではなくフォームコードでフォームを定義できます。