Reputation: 213
How can I make a field on a ModelView
readonly?
class MyModelView(BaseModelView):
column_list = ('name', 'last_name', 'email')
Upvotes: 14
Views: 13084
Reputation: 423
I got weird errors when I tried to use disabled
for text fields, so I used readonly
instead:
class MyModelView(BaseModelView):
column_list = ('name', 'last_name', 'email')
form_widget_args = {
'email':{
'readonly':True
}
}
Upvotes: 8
Reputation: 252
If you're talking about Flask-Admin with SQLAlchemy Models, and you're declaring a view by inheriting from sqlamodel.ModelView, you can just add this to your class definition:
class MyModelView(BaseModelView):
column_list = ('name', 'last_name', 'email')
form_widget_args = {
'email':{
'disabled':True
}
}
Upvotes: 20
Reputation: 111
I don't have enough reputation to comment on @thkang's answer, which is very close to what worked for me. The disabled
attribute excludes the field from the POST data, but using readonly
had the desired effect.
from wtforms.fields import TextField
class ReadonlyTextField(TextField):
def __call__(self, *args, **kwargs):
kwargs.setdefault('readonly', True)
return super(ReadonlyTextField, self).__call__(*args, **kwargs)
Upvotes: 11
Reputation: 11543
try this:
class DisabledTextField(TextField):
def __call__(self, *args, **kwargs):
kwargs.setdefault('disabled', True)
return super(DisabledTextField, self).__call__(*args, **kwargs)
Upvotes: 7
Reputation: 9440
When you are rendering the field in your Jinja template, just pass in disabled=true
if WTForms doesn't recognise the kwarg, it just passes it to be an attribute to the html element.
<form>
{{ form.example(disabled=True) }}
</form>
Upvotes: 6