jo
This commit is contained in:
71
venv/lib/python3.11/site-packages/wtforms/fields/__init__.py
Normal file
71
venv/lib/python3.11/site-packages/wtforms/fields/__init__.py
Normal file
@@ -0,0 +1,71 @@
|
||||
from wtforms.fields.choices import RadioField
|
||||
from wtforms.fields.choices import SelectField
|
||||
from wtforms.fields.choices import SelectFieldBase
|
||||
from wtforms.fields.choices import SelectMultipleField
|
||||
from wtforms.fields.core import Field
|
||||
from wtforms.fields.core import Flags
|
||||
from wtforms.fields.core import Label
|
||||
from wtforms.fields.datetime import DateField
|
||||
from wtforms.fields.datetime import DateTimeField
|
||||
from wtforms.fields.datetime import DateTimeLocalField
|
||||
from wtforms.fields.datetime import MonthField
|
||||
from wtforms.fields.datetime import TimeField
|
||||
from wtforms.fields.datetime import WeekField
|
||||
from wtforms.fields.form import FormField
|
||||
from wtforms.fields.list import FieldList
|
||||
from wtforms.fields.numeric import DecimalField
|
||||
from wtforms.fields.numeric import DecimalRangeField
|
||||
from wtforms.fields.numeric import FloatField
|
||||
from wtforms.fields.numeric import IntegerField
|
||||
from wtforms.fields.numeric import IntegerRangeField
|
||||
from wtforms.fields.simple import BooleanField
|
||||
from wtforms.fields.simple import ColorField
|
||||
from wtforms.fields.simple import EmailField
|
||||
from wtforms.fields.simple import FileField
|
||||
from wtforms.fields.simple import HiddenField
|
||||
from wtforms.fields.simple import MultipleFileField
|
||||
from wtforms.fields.simple import PasswordField
|
||||
from wtforms.fields.simple import SearchField
|
||||
from wtforms.fields.simple import StringField
|
||||
from wtforms.fields.simple import SubmitField
|
||||
from wtforms.fields.simple import TelField
|
||||
from wtforms.fields.simple import TextAreaField
|
||||
from wtforms.fields.simple import URLField
|
||||
from wtforms.utils import unset_value as _unset_value
|
||||
|
||||
__all__ = [
|
||||
"Field",
|
||||
"Flags",
|
||||
"Label",
|
||||
"SelectField",
|
||||
"SelectMultipleField",
|
||||
"SelectFieldBase",
|
||||
"RadioField",
|
||||
"DateTimeField",
|
||||
"DateField",
|
||||
"TimeField",
|
||||
"MonthField",
|
||||
"DateTimeLocalField",
|
||||
"WeekField",
|
||||
"FormField",
|
||||
"IntegerField",
|
||||
"DecimalField",
|
||||
"FloatField",
|
||||
"IntegerRangeField",
|
||||
"DecimalRangeField",
|
||||
"BooleanField",
|
||||
"TextAreaField",
|
||||
"PasswordField",
|
||||
"FileField",
|
||||
"MultipleFileField",
|
||||
"HiddenField",
|
||||
"SearchField",
|
||||
"SubmitField",
|
||||
"StringField",
|
||||
"TelField",
|
||||
"URLField",
|
||||
"EmailField",
|
||||
"ColorField",
|
||||
"FieldList",
|
||||
"_unset_value",
|
||||
]
|
||||
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
Binary file not shown.
229
venv/lib/python3.11/site-packages/wtforms/fields/choices.py
Normal file
229
venv/lib/python3.11/site-packages/wtforms/fields/choices.py
Normal file
@@ -0,0 +1,229 @@
|
||||
import itertools
|
||||
|
||||
from wtforms import widgets
|
||||
from wtforms.fields.core import Field
|
||||
from wtforms.validators import ValidationError
|
||||
|
||||
__all__ = (
|
||||
"SelectField",
|
||||
"SelectMultipleField",
|
||||
"RadioField",
|
||||
)
|
||||
|
||||
|
||||
class SelectFieldBase(Field):
|
||||
option_widget = widgets.Option()
|
||||
|
||||
"""
|
||||
Base class for fields which can be iterated to produce options.
|
||||
|
||||
This isn't a field, but an abstract base class for fields which want to
|
||||
provide this functionality.
|
||||
"""
|
||||
|
||||
def __init__(self, label=None, validators=None, option_widget=None, **kwargs):
|
||||
super().__init__(label, validators, **kwargs)
|
||||
|
||||
if option_widget is not None:
|
||||
self.option_widget = option_widget
|
||||
|
||||
def iter_choices(self):
|
||||
"""
|
||||
Provides data for choice widget rendering. Must return a sequence or
|
||||
iterable of (value, label, selected, render_kw) tuples.
|
||||
"""
|
||||
raise NotImplementedError()
|
||||
|
||||
def has_groups(self):
|
||||
return False
|
||||
|
||||
def iter_groups(self):
|
||||
raise NotImplementedError()
|
||||
|
||||
def __iter__(self):
|
||||
opts = dict(
|
||||
widget=self.option_widget,
|
||||
validators=self.validators,
|
||||
name=self.name,
|
||||
render_kw=self.render_kw,
|
||||
_form=None,
|
||||
_meta=self.meta,
|
||||
)
|
||||
for i, choice in enumerate(self.iter_choices()):
|
||||
if len(choice) == 4:
|
||||
value, label, checked, render_kw = choice
|
||||
else:
|
||||
value, label, checked = choice
|
||||
render_kw = {}
|
||||
|
||||
opt = self._Option(
|
||||
label=label, id="%s-%d" % (self.id, i), **opts, **render_kw
|
||||
)
|
||||
opt.process(None, value)
|
||||
opt.checked = checked
|
||||
yield opt
|
||||
|
||||
class _Option(Field):
|
||||
checked = False
|
||||
|
||||
def _value(self):
|
||||
return str(self.data)
|
||||
|
||||
|
||||
class SelectField(SelectFieldBase):
|
||||
widget = widgets.Select()
|
||||
|
||||
def __init__(
|
||||
self,
|
||||
label=None,
|
||||
validators=None,
|
||||
coerce=str,
|
||||
choices=None,
|
||||
validate_choice=True,
|
||||
**kwargs,
|
||||
):
|
||||
super().__init__(label, validators, **kwargs)
|
||||
self.coerce = coerce
|
||||
if callable(choices):
|
||||
choices = choices()
|
||||
if choices is not None:
|
||||
self.choices = choices if isinstance(choices, dict) else list(choices)
|
||||
else:
|
||||
self.choices = None
|
||||
self.validate_choice = validate_choice
|
||||
|
||||
def iter_choices(self):
|
||||
if not self.choices:
|
||||
choices = []
|
||||
elif isinstance(self.choices, dict):
|
||||
choices = list(itertools.chain.from_iterable(self.choices.values()))
|
||||
else:
|
||||
choices = self.choices
|
||||
|
||||
return self._choices_generator(choices)
|
||||
|
||||
def has_groups(self):
|
||||
return isinstance(self.choices, dict)
|
||||
|
||||
def iter_groups(self):
|
||||
if isinstance(self.choices, dict):
|
||||
for label, choices in self.choices.items():
|
||||
yield (label, self._choices_generator(choices))
|
||||
|
||||
def _choices_generator(self, choices):
|
||||
if not choices:
|
||||
_choices = []
|
||||
|
||||
elif isinstance(choices[0], (list, tuple)):
|
||||
_choices = choices
|
||||
|
||||
else:
|
||||
_choices = zip(choices, choices)
|
||||
|
||||
for value, label, *other_args in _choices:
|
||||
selected = self.coerce(value) == self.data
|
||||
render_kw = other_args[0] if len(other_args) else {}
|
||||
yield (value, label, selected, render_kw)
|
||||
|
||||
def process_data(self, value):
|
||||
try:
|
||||
# If value is None, don't coerce to a value
|
||||
self.data = self.coerce(value) if value is not None else None
|
||||
except (ValueError, TypeError):
|
||||
self.data = None
|
||||
|
||||
def process_formdata(self, valuelist):
|
||||
if not valuelist:
|
||||
return
|
||||
|
||||
try:
|
||||
self.data = self.coerce(valuelist[0])
|
||||
except ValueError as exc:
|
||||
raise ValueError(self.gettext("Invalid Choice: could not coerce.")) from exc
|
||||
|
||||
def pre_validate(self, form):
|
||||
if not self.validate_choice:
|
||||
return
|
||||
|
||||
if self.choices is None:
|
||||
raise TypeError(self.gettext("Choices cannot be None."))
|
||||
|
||||
for _, _, match, *_ in self.iter_choices():
|
||||
if match:
|
||||
break
|
||||
else:
|
||||
raise ValidationError(self.gettext("Not a valid choice."))
|
||||
|
||||
|
||||
class SelectMultipleField(SelectField):
|
||||
"""
|
||||
No different from a normal select field, except this one can take (and
|
||||
validate) multiple choices. You'll need to specify the HTML `size`
|
||||
attribute to the select field when rendering.
|
||||
"""
|
||||
|
||||
widget = widgets.Select(multiple=True)
|
||||
|
||||
def _choices_generator(self, choices):
|
||||
if not choices:
|
||||
_choices = []
|
||||
|
||||
elif isinstance(choices[0], (list, tuple)):
|
||||
_choices = choices
|
||||
|
||||
else:
|
||||
_choices = zip(choices, choices)
|
||||
|
||||
for value, label, *other_args in _choices:
|
||||
selected = self.data is not None and self.coerce(value) in self.data
|
||||
render_kw = other_args[0] if len(other_args) else {}
|
||||
yield (value, label, selected, render_kw)
|
||||
|
||||
def process_data(self, value):
|
||||
try:
|
||||
self.data = list(self.coerce(v) for v in value)
|
||||
except (ValueError, TypeError):
|
||||
self.data = None
|
||||
|
||||
def process_formdata(self, valuelist):
|
||||
try:
|
||||
self.data = list(self.coerce(x) for x in valuelist)
|
||||
except ValueError as exc:
|
||||
raise ValueError(
|
||||
self.gettext(
|
||||
"Invalid choice(s): one or more data inputs could not be coerced."
|
||||
)
|
||||
) from exc
|
||||
|
||||
def pre_validate(self, form):
|
||||
if not self.validate_choice or not self.data:
|
||||
return
|
||||
|
||||
if self.choices is None:
|
||||
raise TypeError(self.gettext("Choices cannot be None."))
|
||||
|
||||
acceptable = [self.coerce(choice[0]) for choice in self.iter_choices()]
|
||||
if any(data not in acceptable for data in self.data):
|
||||
unacceptable = [
|
||||
str(data) for data in set(self.data) if data not in acceptable
|
||||
]
|
||||
raise ValidationError(
|
||||
self.ngettext(
|
||||
"'%(value)s' is not a valid choice for this field.",
|
||||
"'%(value)s' are not valid choices for this field.",
|
||||
len(unacceptable),
|
||||
)
|
||||
% dict(value="', '".join(unacceptable))
|
||||
)
|
||||
|
||||
|
||||
class RadioField(SelectField):
|
||||
"""
|
||||
Like a SelectField, except displays a list of radio buttons.
|
||||
|
||||
Iterating the field will produce subfields (each containing a label as
|
||||
well) in order to allow custom rendering of the individual radio fields.
|
||||
"""
|
||||
|
||||
widget = widgets.ListWidget(prefix_label=False)
|
||||
option_widget = widgets.RadioInput()
|
||||
448
venv/lib/python3.11/site-packages/wtforms/fields/core.py
Normal file
448
venv/lib/python3.11/site-packages/wtforms/fields/core.py
Normal file
@@ -0,0 +1,448 @@
|
||||
import inspect
|
||||
import itertools
|
||||
|
||||
from markupsafe import escape
|
||||
from markupsafe import Markup
|
||||
|
||||
from wtforms import widgets
|
||||
from wtforms.i18n import DummyTranslations
|
||||
from wtforms.utils import unset_value
|
||||
from wtforms.validators import StopValidation
|
||||
from wtforms.validators import ValidationError
|
||||
|
||||
|
||||
class Field:
|
||||
"""
|
||||
Field base class
|
||||
"""
|
||||
|
||||
errors = tuple()
|
||||
process_errors = tuple()
|
||||
raw_data = None
|
||||
validators = tuple()
|
||||
widget = None
|
||||
_formfield = True
|
||||
_translations = DummyTranslations()
|
||||
do_not_call_in_templates = True # Allow Django 1.4 traversal
|
||||
|
||||
def __new__(cls, *args, **kwargs):
|
||||
if "_form" in kwargs:
|
||||
return super().__new__(cls)
|
||||
else:
|
||||
return UnboundField(cls, *args, **kwargs)
|
||||
|
||||
def __init__(
|
||||
self,
|
||||
label=None,
|
||||
validators=None,
|
||||
filters=(),
|
||||
description="",
|
||||
id=None,
|
||||
default=None,
|
||||
widget=None,
|
||||
render_kw=None,
|
||||
name=None,
|
||||
_form=None,
|
||||
_prefix="",
|
||||
_translations=None,
|
||||
_meta=None,
|
||||
):
|
||||
"""
|
||||
Construct a new field.
|
||||
|
||||
:param label:
|
||||
The label of the field.
|
||||
:param validators:
|
||||
A sequence of validators to call when `validate` is called.
|
||||
:param filters:
|
||||
A sequence of callable which are run by :meth:`~Field.process`
|
||||
to filter or transform the input data. For example
|
||||
``StringForm(filters=[str.strip, str.upper])``.
|
||||
Note that filters are applied after processing the default and
|
||||
incoming data, but before validation.
|
||||
:param description:
|
||||
A description for the field, typically used for help text.
|
||||
:param id:
|
||||
An id to use for the field. A reasonable default is set by the form,
|
||||
and you shouldn't need to set this manually.
|
||||
:param default:
|
||||
The default value to assign to the field, if no form or object
|
||||
input is provided. May be a callable.
|
||||
:param widget:
|
||||
If provided, overrides the widget used to render the field.
|
||||
:param dict render_kw:
|
||||
If provided, a dictionary which provides default keywords that
|
||||
will be given to the widget at render time.
|
||||
:param name:
|
||||
The HTML name of this field. The default value is the Python
|
||||
attribute name.
|
||||
:param _form:
|
||||
The form holding this field. It is passed by the form itself during
|
||||
construction. You should never pass this value yourself.
|
||||
:param _prefix:
|
||||
The prefix to prepend to the form name of this field, passed by
|
||||
the enclosing form during construction.
|
||||
:param _translations:
|
||||
A translations object providing message translations. Usually
|
||||
passed by the enclosing form during construction. See
|
||||
:doc:`I18n docs <i18n>` for information on message translations.
|
||||
:param _meta:
|
||||
If provided, this is the 'meta' instance from the form. You usually
|
||||
don't pass this yourself.
|
||||
|
||||
If `_form` isn't provided, an :class:`UnboundField` will be
|
||||
returned instead. Call its :func:`bind` method with a form instance and
|
||||
a name to construct the field.
|
||||
"""
|
||||
if _translations is not None:
|
||||
self._translations = _translations
|
||||
|
||||
if _meta is not None:
|
||||
self.meta = _meta
|
||||
elif _form is not None:
|
||||
self.meta = _form.meta
|
||||
else:
|
||||
raise TypeError("Must provide one of _form or _meta")
|
||||
|
||||
self.default = default
|
||||
self.description = description
|
||||
self.render_kw = render_kw
|
||||
self.filters = filters
|
||||
self.flags = Flags()
|
||||
self.name = _prefix + name
|
||||
self.short_name = name
|
||||
self.type = type(self).__name__
|
||||
|
||||
self.check_validators(validators)
|
||||
self.validators = validators or self.validators
|
||||
|
||||
self.id = id or self.name
|
||||
self.label = Label(
|
||||
self.id,
|
||||
label
|
||||
if label is not None
|
||||
else self.gettext(name.replace("_", " ").title()),
|
||||
)
|
||||
|
||||
if widget is not None:
|
||||
self.widget = widget
|
||||
|
||||
for v in itertools.chain(self.validators, [self.widget]):
|
||||
flags = getattr(v, "field_flags", {})
|
||||
|
||||
for k, v in flags.items():
|
||||
setattr(self.flags, k, v)
|
||||
|
||||
def __str__(self):
|
||||
"""
|
||||
Returns a HTML representation of the field. For more powerful rendering,
|
||||
see the `__call__` method.
|
||||
"""
|
||||
return self()
|
||||
|
||||
def __html__(self):
|
||||
"""
|
||||
Returns a HTML representation of the field. For more powerful rendering,
|
||||
see the :meth:`__call__` method.
|
||||
"""
|
||||
return self()
|
||||
|
||||
def __call__(self, **kwargs):
|
||||
"""
|
||||
Render this field as HTML, using keyword args as additional attributes.
|
||||
|
||||
This delegates rendering to
|
||||
:meth:`meta.render_field <wtforms.meta.DefaultMeta.render_field>`
|
||||
whose default behavior is to call the field's widget, passing any
|
||||
keyword arguments from this call along to the widget.
|
||||
|
||||
In all of the WTForms HTML widgets, keyword arguments are turned to
|
||||
HTML attributes, though in theory a widget is free to do anything it
|
||||
wants with the supplied keyword arguments, and widgets don't have to
|
||||
even do anything related to HTML.
|
||||
"""
|
||||
return self.meta.render_field(self, kwargs)
|
||||
|
||||
@classmethod
|
||||
def check_validators(cls, validators):
|
||||
if validators is not None:
|
||||
for validator in validators:
|
||||
if not callable(validator):
|
||||
raise TypeError(
|
||||
f"{validator} is not a valid validator because it is not "
|
||||
"callable"
|
||||
)
|
||||
|
||||
if inspect.isclass(validator):
|
||||
raise TypeError(
|
||||
f"{validator} is not a valid validator because it is a class, "
|
||||
"it should be an instance"
|
||||
)
|
||||
|
||||
def gettext(self, string):
|
||||
"""
|
||||
Get a translation for the given message.
|
||||
|
||||
This proxies for the internal translations object.
|
||||
|
||||
:param string: A string to be translated.
|
||||
:return: A string which is the translated output.
|
||||
"""
|
||||
return self._translations.gettext(string)
|
||||
|
||||
def ngettext(self, singular, plural, n):
|
||||
"""
|
||||
Get a translation for a message which can be pluralized.
|
||||
|
||||
:param str singular: The singular form of the message.
|
||||
:param str plural: The plural form of the message.
|
||||
:param int n: The number of elements this message is referring to
|
||||
"""
|
||||
return self._translations.ngettext(singular, plural, n)
|
||||
|
||||
def validate(self, form, extra_validators=()):
|
||||
"""
|
||||
Validates the field and returns True or False. `self.errors` will
|
||||
contain any errors raised during validation. This is usually only
|
||||
called by `Form.validate`.
|
||||
|
||||
Subfields shouldn't override this, but rather override either
|
||||
`pre_validate`, `post_validate` or both, depending on needs.
|
||||
|
||||
:param form: The form the field belongs to.
|
||||
:param extra_validators: A sequence of extra validators to run.
|
||||
"""
|
||||
self.errors = list(self.process_errors)
|
||||
stop_validation = False
|
||||
|
||||
# Check the type of extra_validators
|
||||
self.check_validators(extra_validators)
|
||||
|
||||
# Call pre_validate
|
||||
try:
|
||||
self.pre_validate(form)
|
||||
except StopValidation as e:
|
||||
if e.args and e.args[0]:
|
||||
self.errors.append(e.args[0])
|
||||
stop_validation = True
|
||||
except ValidationError as e:
|
||||
self.errors.append(e.args[0])
|
||||
|
||||
# Run validators
|
||||
if not stop_validation:
|
||||
chain = itertools.chain(self.validators, extra_validators)
|
||||
stop_validation = self._run_validation_chain(form, chain)
|
||||
|
||||
# Call post_validate
|
||||
try:
|
||||
self.post_validate(form, stop_validation)
|
||||
except ValidationError as e:
|
||||
self.errors.append(e.args[0])
|
||||
|
||||
return len(self.errors) == 0
|
||||
|
||||
def _run_validation_chain(self, form, validators):
|
||||
"""
|
||||
Run a validation chain, stopping if any validator raises StopValidation.
|
||||
|
||||
:param form: The Form instance this field belongs to.
|
||||
:param validators: a sequence or iterable of validator callables.
|
||||
:return: True if validation was stopped, False otherwise.
|
||||
"""
|
||||
for validator in validators:
|
||||
try:
|
||||
validator(form, self)
|
||||
except StopValidation as e:
|
||||
if e.args and e.args[0]:
|
||||
self.errors.append(e.args[0])
|
||||
return True
|
||||
except ValidationError as e:
|
||||
self.errors.append(e.args[0])
|
||||
|
||||
return False
|
||||
|
||||
def pre_validate(self, form):
|
||||
"""
|
||||
Override if you need field-level validation. Runs before any other
|
||||
validators.
|
||||
|
||||
:param form: The form the field belongs to.
|
||||
"""
|
||||
pass
|
||||
|
||||
def post_validate(self, form, validation_stopped):
|
||||
"""
|
||||
Override if you need to run any field-level validation tasks after
|
||||
normal validation. This shouldn't be needed in most cases.
|
||||
|
||||
:param form: The form the field belongs to.
|
||||
:param validation_stopped:
|
||||
`True` if any validator raised StopValidation.
|
||||
"""
|
||||
pass
|
||||
|
||||
def process(self, formdata, data=unset_value, extra_filters=None):
|
||||
"""
|
||||
Process incoming data, calling process_data, process_formdata as needed,
|
||||
and run filters.
|
||||
|
||||
If `data` is not provided, process_data will be called on the field's
|
||||
default.
|
||||
|
||||
Field subclasses usually won't override this, instead overriding the
|
||||
process_formdata and process_data methods. Only override this for
|
||||
special advanced processing, such as when a field encapsulates many
|
||||
inputs.
|
||||
|
||||
:param extra_filters: A sequence of extra filters to run.
|
||||
"""
|
||||
self.process_errors = []
|
||||
if data is unset_value:
|
||||
try:
|
||||
data = self.default()
|
||||
except TypeError:
|
||||
data = self.default
|
||||
|
||||
self.object_data = data
|
||||
|
||||
try:
|
||||
self.process_data(data)
|
||||
except ValueError as e:
|
||||
self.process_errors.append(e.args[0])
|
||||
|
||||
if formdata is not None:
|
||||
if self.name in formdata:
|
||||
self.raw_data = formdata.getlist(self.name)
|
||||
else:
|
||||
self.raw_data = []
|
||||
|
||||
try:
|
||||
self.process_formdata(self.raw_data)
|
||||
except ValueError as e:
|
||||
self.process_errors.append(e.args[0])
|
||||
|
||||
try:
|
||||
for filter in itertools.chain(self.filters, extra_filters or []):
|
||||
self.data = filter(self.data)
|
||||
except ValueError as e:
|
||||
self.process_errors.append(e.args[0])
|
||||
|
||||
def process_data(self, value):
|
||||
"""
|
||||
Process the Python data applied to this field and store the result.
|
||||
|
||||
This will be called during form construction by the form's `kwargs` or
|
||||
`obj` argument.
|
||||
|
||||
:param value: The python object containing the value to process.
|
||||
"""
|
||||
self.data = value
|
||||
|
||||
def process_formdata(self, valuelist):
|
||||
"""
|
||||
Process data received over the wire from a form.
|
||||
|
||||
This will be called during form construction with data supplied
|
||||
through the `formdata` argument.
|
||||
|
||||
:param valuelist: A list of strings to process.
|
||||
"""
|
||||
if valuelist:
|
||||
self.data = valuelist[0]
|
||||
|
||||
def populate_obj(self, obj, name):
|
||||
"""
|
||||
Populates `obj.<name>` with the field's data.
|
||||
|
||||
:note: This is a destructive operation. If `obj.<name>` already exists,
|
||||
it will be overridden. Use with caution.
|
||||
"""
|
||||
setattr(obj, name, self.data)
|
||||
|
||||
|
||||
class UnboundField:
|
||||
_formfield = True
|
||||
creation_counter = 0
|
||||
|
||||
def __init__(self, field_class, *args, name=None, **kwargs):
|
||||
UnboundField.creation_counter += 1
|
||||
self.field_class = field_class
|
||||
self.args = args
|
||||
self.name = name
|
||||
self.kwargs = kwargs
|
||||
self.creation_counter = UnboundField.creation_counter
|
||||
validators = kwargs.get("validators")
|
||||
if validators:
|
||||
self.field_class.check_validators(validators)
|
||||
|
||||
def bind(self, form, name, prefix="", translations=None, **kwargs):
|
||||
kw = dict(
|
||||
self.kwargs,
|
||||
name=name,
|
||||
_form=form,
|
||||
_prefix=prefix,
|
||||
_translations=translations,
|
||||
**kwargs,
|
||||
)
|
||||
return self.field_class(*self.args, **kw)
|
||||
|
||||
def __repr__(self):
|
||||
return (
|
||||
"<UnboundField("
|
||||
f"{self.field_class.__name__}, {self.args!r}, {self.kwargs!r}"
|
||||
")>"
|
||||
)
|
||||
|
||||
|
||||
class Flags:
|
||||
"""
|
||||
Holds a set of flags as attributes.
|
||||
|
||||
Accessing a non-existing attribute returns None for its value.
|
||||
"""
|
||||
|
||||
def __getattr__(self, name):
|
||||
if name.startswith("_"):
|
||||
return super().__getattr__(name)
|
||||
return None
|
||||
|
||||
def __contains__(self, name):
|
||||
return getattr(self, name)
|
||||
|
||||
def __repr__(self):
|
||||
flags = (
|
||||
f"{name}={getattr(self, name)}"
|
||||
for name in dir(self)
|
||||
if not name.startswith("_")
|
||||
)
|
||||
flags = ", ".join(flags)
|
||||
return f"<wtforms.fields.Flags: {{{flags}}}>"
|
||||
|
||||
|
||||
class Label:
|
||||
"""
|
||||
An HTML form label.
|
||||
"""
|
||||
|
||||
def __init__(self, field_id, text):
|
||||
self.field_id = field_id
|
||||
self.text = text
|
||||
|
||||
def __str__(self):
|
||||
return self()
|
||||
|
||||
def __html__(self):
|
||||
return self()
|
||||
|
||||
def __call__(self, text=None, **kwargs):
|
||||
if "for_" in kwargs:
|
||||
kwargs["for"] = kwargs.pop("for_")
|
||||
else:
|
||||
kwargs.setdefault("for", self.field_id)
|
||||
|
||||
attributes = widgets.html_params(**kwargs)
|
||||
text = escape(text or self.text)
|
||||
return Markup(f"<label {attributes}>{text}</label>")
|
||||
|
||||
def __repr__(self):
|
||||
return f"Label({self.field_id!r}, {self.text!r})"
|
||||
170
venv/lib/python3.11/site-packages/wtforms/fields/datetime.py
Normal file
170
venv/lib/python3.11/site-packages/wtforms/fields/datetime.py
Normal file
@@ -0,0 +1,170 @@
|
||||
import datetime
|
||||
|
||||
from wtforms import widgets
|
||||
from wtforms.fields.core import Field
|
||||
from wtforms.utils import clean_datetime_format_for_strptime
|
||||
|
||||
__all__ = (
|
||||
"DateTimeField",
|
||||
"DateField",
|
||||
"TimeField",
|
||||
"MonthField",
|
||||
"DateTimeLocalField",
|
||||
"WeekField",
|
||||
)
|
||||
|
||||
|
||||
class DateTimeField(Field):
|
||||
"""
|
||||
A text field which stores a :class:`datetime.datetime` matching one or
|
||||
several formats. If ``format`` is a list, any input value matching any
|
||||
format will be accepted, and the first format in the list will be used
|
||||
to produce HTML values.
|
||||
"""
|
||||
|
||||
widget = widgets.DateTimeInput()
|
||||
|
||||
def __init__(
|
||||
self, label=None, validators=None, format="%Y-%m-%d %H:%M:%S", **kwargs
|
||||
):
|
||||
super().__init__(label, validators, **kwargs)
|
||||
self.format = format if isinstance(format, list) else [format]
|
||||
self.strptime_format = clean_datetime_format_for_strptime(self.format)
|
||||
|
||||
def _value(self):
|
||||
if self.raw_data:
|
||||
return " ".join(self.raw_data)
|
||||
format = self.format[0]
|
||||
return self.data and self.data.strftime(format) or ""
|
||||
|
||||
def process_formdata(self, valuelist):
|
||||
if not valuelist:
|
||||
return
|
||||
|
||||
date_str = " ".join(valuelist)
|
||||
for format in self.strptime_format:
|
||||
try:
|
||||
self.data = datetime.datetime.strptime(date_str, format)
|
||||
return
|
||||
except ValueError:
|
||||
self.data = None
|
||||
|
||||
raise ValueError(self.gettext("Not a valid datetime value."))
|
||||
|
||||
|
||||
class DateField(DateTimeField):
|
||||
"""
|
||||
Same as :class:`~wtforms.fields.DateTimeField`, except stores a
|
||||
:class:`datetime.date`.
|
||||
"""
|
||||
|
||||
widget = widgets.DateInput()
|
||||
|
||||
def __init__(self, label=None, validators=None, format="%Y-%m-%d", **kwargs):
|
||||
super().__init__(label, validators, format, **kwargs)
|
||||
|
||||
def process_formdata(self, valuelist):
|
||||
if not valuelist:
|
||||
return
|
||||
|
||||
date_str = " ".join(valuelist)
|
||||
for format in self.strptime_format:
|
||||
try:
|
||||
self.data = datetime.datetime.strptime(date_str, format).date()
|
||||
return
|
||||
except ValueError:
|
||||
self.data = None
|
||||
|
||||
raise ValueError(self.gettext("Not a valid date value."))
|
||||
|
||||
|
||||
class TimeField(DateTimeField):
|
||||
"""
|
||||
Same as :class:`~wtforms.fields.DateTimeField`, except stores a
|
||||
:class:`datetime.time`.
|
||||
"""
|
||||
|
||||
widget = widgets.TimeInput()
|
||||
|
||||
def __init__(self, label=None, validators=None, format="%H:%M", **kwargs):
|
||||
super().__init__(label, validators, format, **kwargs)
|
||||
|
||||
def process_formdata(self, valuelist):
|
||||
if not valuelist:
|
||||
return
|
||||
|
||||
time_str = " ".join(valuelist)
|
||||
for format in self.strptime_format:
|
||||
try:
|
||||
self.data = datetime.datetime.strptime(time_str, format).time()
|
||||
return
|
||||
except ValueError:
|
||||
self.data = None
|
||||
|
||||
raise ValueError(self.gettext("Not a valid time value."))
|
||||
|
||||
|
||||
class MonthField(DateField):
|
||||
"""
|
||||
Same as :class:`~wtforms.fields.DateField`, except represents a month,
|
||||
stores a :class:`datetime.date` with `day = 1`.
|
||||
"""
|
||||
|
||||
widget = widgets.MonthInput()
|
||||
|
||||
def __init__(self, label=None, validators=None, format="%Y-%m", **kwargs):
|
||||
super().__init__(label, validators, format, **kwargs)
|
||||
|
||||
|
||||
class WeekField(DateField):
|
||||
"""
|
||||
Same as :class:`~wtforms.fields.DateField`, except represents a week,
|
||||
stores a :class:`datetime.date` of the monday of the given week.
|
||||
"""
|
||||
|
||||
widget = widgets.WeekInput()
|
||||
|
||||
def __init__(self, label=None, validators=None, format="%Y-W%W", **kwargs):
|
||||
super().__init__(label, validators, format, **kwargs)
|
||||
|
||||
def process_formdata(self, valuelist):
|
||||
if not valuelist:
|
||||
return
|
||||
|
||||
time_str = " ".join(valuelist)
|
||||
for format in self.strptime_format:
|
||||
try:
|
||||
if "%w" not in format:
|
||||
# The '%w' week starting day is needed. This defaults it to monday
|
||||
# like ISO 8601 indicates.
|
||||
self.data = datetime.datetime.strptime(
|
||||
f"{time_str}-1", f"{format}-%w"
|
||||
).date()
|
||||
else:
|
||||
self.data = datetime.datetime.strptime(time_str, format).date()
|
||||
return
|
||||
except ValueError:
|
||||
self.data = None
|
||||
|
||||
raise ValueError(self.gettext("Not a valid week value."))
|
||||
|
||||
|
||||
class DateTimeLocalField(DateTimeField):
|
||||
"""
|
||||
Same as :class:`~wtforms.fields.DateTimeField`, but represents an
|
||||
``<input type="datetime-local">``.
|
||||
"""
|
||||
|
||||
widget = widgets.DateTimeLocalInput()
|
||||
|
||||
def __init__(self, *args, **kwargs):
|
||||
kwargs.setdefault(
|
||||
"format",
|
||||
[
|
||||
"%Y-%m-%d %H:%M:%S",
|
||||
"%Y-%m-%dT%H:%M:%S",
|
||||
"%Y-%m-%d %H:%M",
|
||||
"%Y-%m-%dT%H:%M",
|
||||
],
|
||||
)
|
||||
super().__init__(*args, **kwargs)
|
||||
98
venv/lib/python3.11/site-packages/wtforms/fields/form.py
Normal file
98
venv/lib/python3.11/site-packages/wtforms/fields/form.py
Normal file
@@ -0,0 +1,98 @@
|
||||
from wtforms.utils import unset_value
|
||||
|
||||
from .. import widgets
|
||||
from .core import Field
|
||||
|
||||
__all__ = ("FormField",)
|
||||
|
||||
|
||||
class FormField(Field):
|
||||
"""
|
||||
Encapsulate a form as a field in another form.
|
||||
|
||||
:param form_class:
|
||||
A subclass of Form that will be encapsulated.
|
||||
:param separator:
|
||||
A string which will be suffixed to this field's name to create the
|
||||
prefix to enclosed fields. The default is fine for most uses.
|
||||
"""
|
||||
|
||||
widget = widgets.TableWidget()
|
||||
|
||||
def __init__(
|
||||
self, form_class, label=None, validators=None, separator="-", **kwargs
|
||||
):
|
||||
super().__init__(label, validators, **kwargs)
|
||||
self.form_class = form_class
|
||||
self.separator = separator
|
||||
self._obj = None
|
||||
if self.filters:
|
||||
raise TypeError(
|
||||
"FormField cannot take filters, as the encapsulated"
|
||||
" data is not mutable."
|
||||
)
|
||||
if validators:
|
||||
raise TypeError(
|
||||
"FormField does not accept any validators. Instead,"
|
||||
" define them on the enclosed form."
|
||||
)
|
||||
|
||||
def process(self, formdata, data=unset_value, extra_filters=None):
|
||||
if extra_filters:
|
||||
raise TypeError(
|
||||
"FormField cannot take filters, as the encapsulated"
|
||||
"data is not mutable."
|
||||
)
|
||||
|
||||
if data is unset_value:
|
||||
try:
|
||||
data = self.default()
|
||||
except TypeError:
|
||||
data = self.default
|
||||
self._obj = data
|
||||
|
||||
self.object_data = data
|
||||
|
||||
prefix = self.name + self.separator
|
||||
if isinstance(data, dict):
|
||||
self.form = self.form_class(formdata=formdata, prefix=prefix, **data)
|
||||
else:
|
||||
self.form = self.form_class(formdata=formdata, obj=data, prefix=prefix)
|
||||
|
||||
def validate(self, form, extra_validators=()):
|
||||
if extra_validators:
|
||||
raise TypeError(
|
||||
"FormField does not accept in-line validators, as it"
|
||||
" gets errors from the enclosed form."
|
||||
)
|
||||
return self.form.validate()
|
||||
|
||||
def populate_obj(self, obj, name):
|
||||
candidate = getattr(obj, name, None)
|
||||
if candidate is None:
|
||||
if self._obj is None:
|
||||
raise TypeError(
|
||||
"populate_obj: cannot find a value to populate from"
|
||||
" the provided obj or input data/defaults"
|
||||
)
|
||||
candidate = self._obj
|
||||
|
||||
self.form.populate_obj(candidate)
|
||||
setattr(obj, name, candidate)
|
||||
|
||||
def __iter__(self):
|
||||
return iter(self.form)
|
||||
|
||||
def __getitem__(self, name):
|
||||
return self.form[name]
|
||||
|
||||
def __getattr__(self, name):
|
||||
return getattr(self.form, name)
|
||||
|
||||
@property
|
||||
def data(self):
|
||||
return self.form.data
|
||||
|
||||
@property
|
||||
def errors(self):
|
||||
return self.form.errors
|
||||
202
venv/lib/python3.11/site-packages/wtforms/fields/list.py
Normal file
202
venv/lib/python3.11/site-packages/wtforms/fields/list.py
Normal file
@@ -0,0 +1,202 @@
|
||||
import itertools
|
||||
|
||||
from wtforms.utils import unset_value
|
||||
|
||||
from .. import widgets
|
||||
from .core import Field
|
||||
from .core import UnboundField
|
||||
|
||||
__all__ = ("FieldList",)
|
||||
|
||||
|
||||
class FieldList(Field):
|
||||
"""
|
||||
Encapsulate an ordered list of multiple instances of the same field type,
|
||||
keeping data as a list.
|
||||
|
||||
>>> authors = FieldList(StringField('Name', [validators.DataRequired()]))
|
||||
|
||||
:param unbound_field:
|
||||
A partially-instantiated field definition, just like that would be
|
||||
defined on a form directly.
|
||||
:param min_entries:
|
||||
if provided, always have at least this many entries on the field,
|
||||
creating blank ones if the provided input does not specify a sufficient
|
||||
amount.
|
||||
:param max_entries:
|
||||
accept no more than this many entries as input, even if more exist in
|
||||
formdata.
|
||||
:param separator:
|
||||
A string which will be suffixed to this field's name to create the
|
||||
prefix to enclosed list entries. The default is fine for most uses.
|
||||
"""
|
||||
|
||||
widget = widgets.ListWidget()
|
||||
|
||||
def __init__(
|
||||
self,
|
||||
unbound_field,
|
||||
label=None,
|
||||
validators=None,
|
||||
min_entries=0,
|
||||
max_entries=None,
|
||||
separator="-",
|
||||
default=(),
|
||||
**kwargs,
|
||||
):
|
||||
super().__init__(label, validators, default=default, **kwargs)
|
||||
if self.filters:
|
||||
raise TypeError(
|
||||
"FieldList does not accept any filters. Instead, define"
|
||||
" them on the enclosed field."
|
||||
)
|
||||
assert isinstance(
|
||||
unbound_field, UnboundField
|
||||
), "Field must be unbound, not a field class"
|
||||
self.unbound_field = unbound_field
|
||||
self.min_entries = min_entries
|
||||
self.max_entries = max_entries
|
||||
self.last_index = -1
|
||||
self._prefix = kwargs.get("_prefix", "")
|
||||
self._separator = separator
|
||||
self._field_separator = unbound_field.kwargs.get("separator", "-")
|
||||
|
||||
def process(self, formdata, data=unset_value, extra_filters=None):
|
||||
if extra_filters:
|
||||
raise TypeError(
|
||||
"FieldList does not accept any filters. Instead, define"
|
||||
" them on the enclosed field."
|
||||
)
|
||||
|
||||
self.entries = []
|
||||
if data is unset_value or not data:
|
||||
try:
|
||||
data = self.default()
|
||||
except TypeError:
|
||||
data = self.default
|
||||
|
||||
self.object_data = data
|
||||
|
||||
if formdata:
|
||||
indices = sorted(set(self._extract_indices(self.name, formdata)))
|
||||
if self.max_entries:
|
||||
indices = indices[: self.max_entries]
|
||||
|
||||
idata = iter(data)
|
||||
for index in indices:
|
||||
try:
|
||||
obj_data = next(idata)
|
||||
except StopIteration:
|
||||
obj_data = unset_value
|
||||
self._add_entry(formdata, obj_data, index=index)
|
||||
else:
|
||||
for obj_data in data:
|
||||
self._add_entry(formdata, obj_data)
|
||||
|
||||
while len(self.entries) < self.min_entries:
|
||||
self._add_entry(formdata)
|
||||
|
||||
def _extract_indices(self, prefix, formdata):
|
||||
"""
|
||||
Yield indices of any keys with given prefix.
|
||||
|
||||
formdata must be an object which will produce keys when iterated. For
|
||||
example, if field 'foo' contains keys 'foo-0-bar', 'foo-1-baz', then
|
||||
the numbers 0 and 1 will be yielded, but not necessarily in order.
|
||||
"""
|
||||
offset = len(prefix) + 1
|
||||
for k in formdata:
|
||||
if k.startswith(prefix):
|
||||
k = k[offset:].split(self._field_separator, 1)[0]
|
||||
if k.isdigit():
|
||||
yield int(k)
|
||||
|
||||
def validate(self, form, extra_validators=()):
|
||||
"""
|
||||
Validate this FieldList.
|
||||
|
||||
Note that FieldList validation differs from normal field validation in
|
||||
that FieldList validates all its enclosed fields first before running any
|
||||
of its own validators.
|
||||
"""
|
||||
self.errors = []
|
||||
|
||||
# Run validators on all entries within
|
||||
for subfield in self.entries:
|
||||
subfield.validate(form)
|
||||
self.errors.append(subfield.errors)
|
||||
|
||||
if not any(x for x in self.errors):
|
||||
self.errors = []
|
||||
|
||||
chain = itertools.chain(self.validators, extra_validators)
|
||||
self._run_validation_chain(form, chain)
|
||||
|
||||
return len(self.errors) == 0
|
||||
|
||||
def populate_obj(self, obj, name):
|
||||
values = getattr(obj, name, None)
|
||||
try:
|
||||
ivalues = iter(values)
|
||||
except TypeError:
|
||||
ivalues = iter([])
|
||||
|
||||
candidates = itertools.chain(ivalues, itertools.repeat(None))
|
||||
_fake = type("_fake", (object,), {})
|
||||
output = []
|
||||
for field, data in zip(self.entries, candidates):
|
||||
fake_obj = _fake()
|
||||
fake_obj.data = data
|
||||
field.populate_obj(fake_obj, "data")
|
||||
output.append(fake_obj.data)
|
||||
|
||||
setattr(obj, name, output)
|
||||
|
||||
def _add_entry(self, formdata=None, data=unset_value, index=None):
|
||||
assert (
|
||||
not self.max_entries or len(self.entries) < self.max_entries
|
||||
), "You cannot have more than max_entries entries in this FieldList"
|
||||
if index is None:
|
||||
index = self.last_index + 1
|
||||
self.last_index = index
|
||||
name = f"{self.short_name}{self._separator}{index}"
|
||||
id = f"{self.id}{self._separator}{index}"
|
||||
field = self.unbound_field.bind(
|
||||
form=None,
|
||||
name=name,
|
||||
prefix=self._prefix,
|
||||
id=id,
|
||||
_meta=self.meta,
|
||||
translations=self._translations,
|
||||
)
|
||||
field.process(formdata, data)
|
||||
self.entries.append(field)
|
||||
return field
|
||||
|
||||
def append_entry(self, data=unset_value):
|
||||
"""
|
||||
Create a new entry with optional default data.
|
||||
|
||||
Entries added in this way will *not* receive formdata however, and can
|
||||
only receive object data.
|
||||
"""
|
||||
return self._add_entry(data=data)
|
||||
|
||||
def pop_entry(self):
|
||||
"""Removes the last entry from the list and returns it."""
|
||||
entry = self.entries.pop()
|
||||
self.last_index -= 1
|
||||
return entry
|
||||
|
||||
def __iter__(self):
|
||||
return iter(self.entries)
|
||||
|
||||
def __len__(self):
|
||||
return len(self.entries)
|
||||
|
||||
def __getitem__(self, index):
|
||||
return self.entries[index]
|
||||
|
||||
@property
|
||||
def data(self):
|
||||
return [f.data for f in self.entries]
|
||||
213
venv/lib/python3.11/site-packages/wtforms/fields/numeric.py
Normal file
213
venv/lib/python3.11/site-packages/wtforms/fields/numeric.py
Normal file
@@ -0,0 +1,213 @@
|
||||
import decimal
|
||||
|
||||
from wtforms import widgets
|
||||
from wtforms.fields.core import Field
|
||||
from wtforms.utils import unset_value
|
||||
|
||||
__all__ = (
|
||||
"IntegerField",
|
||||
"DecimalField",
|
||||
"FloatField",
|
||||
"IntegerRangeField",
|
||||
"DecimalRangeField",
|
||||
)
|
||||
|
||||
|
||||
class LocaleAwareNumberField(Field):
|
||||
"""
|
||||
Base class for implementing locale-aware number parsing.
|
||||
|
||||
Locale-aware numbers require the 'babel' package to be present.
|
||||
"""
|
||||
|
||||
def __init__(
|
||||
self,
|
||||
label=None,
|
||||
validators=None,
|
||||
use_locale=False,
|
||||
number_format=None,
|
||||
**kwargs,
|
||||
):
|
||||
super().__init__(label, validators, **kwargs)
|
||||
self.use_locale = use_locale
|
||||
if use_locale:
|
||||
self.number_format = number_format
|
||||
self.locale = kwargs["_form"].meta.locales[0]
|
||||
self._init_babel()
|
||||
|
||||
def _init_babel(self):
|
||||
try:
|
||||
from babel import numbers
|
||||
|
||||
self.babel_numbers = numbers
|
||||
except ImportError as exc:
|
||||
raise ImportError(
|
||||
"Using locale-aware decimals requires the babel library."
|
||||
) from exc
|
||||
|
||||
def _parse_decimal(self, value):
|
||||
return self.babel_numbers.parse_decimal(value, self.locale)
|
||||
|
||||
def _format_decimal(self, value):
|
||||
return self.babel_numbers.format_decimal(value, self.number_format, self.locale)
|
||||
|
||||
|
||||
class IntegerField(Field):
|
||||
"""
|
||||
A text field, except all input is coerced to an integer. Erroneous input
|
||||
is ignored and will not be accepted as a value.
|
||||
"""
|
||||
|
||||
widget = widgets.NumberInput()
|
||||
|
||||
def __init__(self, label=None, validators=None, **kwargs):
|
||||
super().__init__(label, validators, **kwargs)
|
||||
|
||||
def _value(self):
|
||||
if self.raw_data:
|
||||
return self.raw_data[0]
|
||||
if self.data is not None:
|
||||
return str(self.data)
|
||||
return ""
|
||||
|
||||
def process_data(self, value):
|
||||
if value is None or value is unset_value:
|
||||
self.data = None
|
||||
return
|
||||
|
||||
try:
|
||||
self.data = int(value)
|
||||
except (ValueError, TypeError) as exc:
|
||||
self.data = None
|
||||
raise ValueError(self.gettext("Not a valid integer value.")) from exc
|
||||
|
||||
def process_formdata(self, valuelist):
|
||||
if not valuelist:
|
||||
return
|
||||
|
||||
try:
|
||||
self.data = int(valuelist[0])
|
||||
except ValueError as exc:
|
||||
self.data = None
|
||||
raise ValueError(self.gettext("Not a valid integer value.")) from exc
|
||||
|
||||
|
||||
class DecimalField(LocaleAwareNumberField):
|
||||
"""
|
||||
A text field which displays and coerces data of the `decimal.Decimal` type.
|
||||
|
||||
:param places:
|
||||
How many decimal places to quantize the value to for display on form.
|
||||
If unset, use 2 decimal places.
|
||||
If explicitely set to `None`, does not quantize value.
|
||||
:param rounding:
|
||||
How to round the value during quantize, for example
|
||||
`decimal.ROUND_UP`. If unset, uses the rounding value from the
|
||||
current thread's context.
|
||||
:param use_locale:
|
||||
If True, use locale-based number formatting. Locale-based number
|
||||
formatting requires the 'babel' package.
|
||||
:param number_format:
|
||||
Optional number format for locale. If omitted, use the default decimal
|
||||
format for the locale.
|
||||
"""
|
||||
|
||||
widget = widgets.NumberInput(step="any")
|
||||
|
||||
def __init__(
|
||||
self, label=None, validators=None, places=unset_value, rounding=None, **kwargs
|
||||
):
|
||||
super().__init__(label, validators, **kwargs)
|
||||
if self.use_locale and (places is not unset_value or rounding is not None):
|
||||
raise TypeError(
|
||||
"When using locale-aware numbers, 'places' and 'rounding' are ignored."
|
||||
)
|
||||
|
||||
if places is unset_value:
|
||||
places = 2
|
||||
self.places = places
|
||||
self.rounding = rounding
|
||||
|
||||
def _value(self):
|
||||
if self.raw_data:
|
||||
return self.raw_data[0]
|
||||
|
||||
if self.data is None:
|
||||
return ""
|
||||
|
||||
if self.use_locale:
|
||||
return str(self._format_decimal(self.data))
|
||||
|
||||
if self.places is None:
|
||||
return str(self.data)
|
||||
|
||||
if not hasattr(self.data, "quantize"):
|
||||
# If for some reason, data is a float or int, then format
|
||||
# as we would for floats using string formatting.
|
||||
format = "%%0.%df" % self.places
|
||||
return format % self.data
|
||||
|
||||
exp = decimal.Decimal(".1") ** self.places
|
||||
if self.rounding is None:
|
||||
quantized = self.data.quantize(exp)
|
||||
else:
|
||||
quantized = self.data.quantize(exp, rounding=self.rounding)
|
||||
return str(quantized)
|
||||
|
||||
def process_formdata(self, valuelist):
|
||||
if not valuelist:
|
||||
return
|
||||
|
||||
try:
|
||||
if self.use_locale:
|
||||
self.data = self._parse_decimal(valuelist[0])
|
||||
else:
|
||||
self.data = decimal.Decimal(valuelist[0])
|
||||
except (decimal.InvalidOperation, ValueError) as exc:
|
||||
self.data = None
|
||||
raise ValueError(self.gettext("Not a valid decimal value.")) from exc
|
||||
|
||||
|
||||
class FloatField(Field):
|
||||
"""
|
||||
A text field, except all input is coerced to an float. Erroneous input
|
||||
is ignored and will not be accepted as a value.
|
||||
"""
|
||||
|
||||
widget = widgets.TextInput()
|
||||
|
||||
def __init__(self, label=None, validators=None, **kwargs):
|
||||
super().__init__(label, validators, **kwargs)
|
||||
|
||||
def _value(self):
|
||||
if self.raw_data:
|
||||
return self.raw_data[0]
|
||||
if self.data is not None:
|
||||
return str(self.data)
|
||||
return ""
|
||||
|
||||
def process_formdata(self, valuelist):
|
||||
if not valuelist:
|
||||
return
|
||||
|
||||
try:
|
||||
self.data = float(valuelist[0])
|
||||
except ValueError as exc:
|
||||
self.data = None
|
||||
raise ValueError(self.gettext("Not a valid float value.")) from exc
|
||||
|
||||
|
||||
class IntegerRangeField(IntegerField):
|
||||
"""
|
||||
Represents an ``<input type="range">``.
|
||||
"""
|
||||
|
||||
widget = widgets.RangeInput()
|
||||
|
||||
|
||||
class DecimalRangeField(DecimalField):
|
||||
"""
|
||||
Represents an ``<input type="range">``.
|
||||
"""
|
||||
|
||||
widget = widgets.RangeInput(step="any")
|
||||
173
venv/lib/python3.11/site-packages/wtforms/fields/simple.py
Normal file
173
venv/lib/python3.11/site-packages/wtforms/fields/simple.py
Normal file
@@ -0,0 +1,173 @@
|
||||
from .. import widgets
|
||||
from .core import Field
|
||||
|
||||
__all__ = (
|
||||
"BooleanField",
|
||||
"TextAreaField",
|
||||
"PasswordField",
|
||||
"FileField",
|
||||
"MultipleFileField",
|
||||
"HiddenField",
|
||||
"SearchField",
|
||||
"SubmitField",
|
||||
"StringField",
|
||||
"TelField",
|
||||
"URLField",
|
||||
"EmailField",
|
||||
"ColorField",
|
||||
)
|
||||
|
||||
|
||||
class BooleanField(Field):
|
||||
"""
|
||||
Represents an ``<input type="checkbox">``. Set the ``checked``-status by using the
|
||||
``default``-option. Any value for ``default``, e.g. ``default="checked"`` puts
|
||||
``checked`` into the html-element and sets the ``data`` to ``True``
|
||||
|
||||
:param false_values:
|
||||
If provided, a sequence of strings each of which is an exact match
|
||||
string of what is considered a "false" value. Defaults to the tuple
|
||||
``(False, "false", "")``
|
||||
"""
|
||||
|
||||
widget = widgets.CheckboxInput()
|
||||
false_values = (False, "false", "")
|
||||
|
||||
def __init__(self, label=None, validators=None, false_values=None, **kwargs):
|
||||
super().__init__(label, validators, **kwargs)
|
||||
if false_values is not None:
|
||||
self.false_values = false_values
|
||||
|
||||
def process_data(self, value):
|
||||
self.data = bool(value)
|
||||
|
||||
def process_formdata(self, valuelist):
|
||||
if not valuelist or valuelist[0] in self.false_values:
|
||||
self.data = False
|
||||
else:
|
||||
self.data = True
|
||||
|
||||
def _value(self):
|
||||
if self.raw_data:
|
||||
return str(self.raw_data[0])
|
||||
return "y"
|
||||
|
||||
|
||||
class StringField(Field):
|
||||
"""
|
||||
This field is the base for most of the more complicated fields, and
|
||||
represents an ``<input type="text">``.
|
||||
"""
|
||||
|
||||
widget = widgets.TextInput()
|
||||
|
||||
def process_formdata(self, valuelist):
|
||||
if valuelist:
|
||||
self.data = valuelist[0]
|
||||
|
||||
def _value(self):
|
||||
return str(self.data) if self.data is not None else ""
|
||||
|
||||
|
||||
class TextAreaField(StringField):
|
||||
"""
|
||||
This field represents an HTML ``<textarea>`` and can be used to take
|
||||
multi-line input.
|
||||
"""
|
||||
|
||||
widget = widgets.TextArea()
|
||||
|
||||
|
||||
class PasswordField(StringField):
|
||||
"""
|
||||
A StringField, except renders an ``<input type="password">``.
|
||||
|
||||
Also, whatever value is accepted by this field is not rendered back
|
||||
to the browser like normal fields.
|
||||
"""
|
||||
|
||||
widget = widgets.PasswordInput()
|
||||
|
||||
|
||||
class FileField(Field):
|
||||
"""Renders a file upload field.
|
||||
|
||||
By default, the value will be the filename sent in the form data.
|
||||
WTForms **does not** deal with frameworks' file handling capabilities.
|
||||
A WTForms extension for a framework may replace the filename value
|
||||
with an object representing the uploaded data.
|
||||
"""
|
||||
|
||||
widget = widgets.FileInput()
|
||||
|
||||
def _value(self):
|
||||
# browser ignores value of file input for security
|
||||
return False
|
||||
|
||||
|
||||
class MultipleFileField(FileField):
|
||||
"""A :class:`FileField` that allows choosing multiple files."""
|
||||
|
||||
widget = widgets.FileInput(multiple=True)
|
||||
|
||||
def process_formdata(self, valuelist):
|
||||
self.data = valuelist
|
||||
|
||||
|
||||
class HiddenField(StringField):
|
||||
"""
|
||||
HiddenField is a convenience for a StringField with a HiddenInput widget.
|
||||
|
||||
It will render as an ``<input type="hidden">`` but otherwise coerce to a string.
|
||||
"""
|
||||
|
||||
widget = widgets.HiddenInput()
|
||||
|
||||
|
||||
class SubmitField(BooleanField):
|
||||
"""
|
||||
Represents an ``<input type="submit">``. This allows checking if a given
|
||||
submit button has been pressed.
|
||||
"""
|
||||
|
||||
widget = widgets.SubmitInput()
|
||||
|
||||
|
||||
class SearchField(StringField):
|
||||
"""
|
||||
Represents an ``<input type="search">``.
|
||||
"""
|
||||
|
||||
widget = widgets.SearchInput()
|
||||
|
||||
|
||||
class TelField(StringField):
|
||||
"""
|
||||
Represents an ``<input type="tel">``.
|
||||
"""
|
||||
|
||||
widget = widgets.TelInput()
|
||||
|
||||
|
||||
class URLField(StringField):
|
||||
"""
|
||||
Represents an ``<input type="url">``.
|
||||
"""
|
||||
|
||||
widget = widgets.URLInput()
|
||||
|
||||
|
||||
class EmailField(StringField):
|
||||
"""
|
||||
Represents an ``<input type="email">``.
|
||||
"""
|
||||
|
||||
widget = widgets.EmailInput()
|
||||
|
||||
|
||||
class ColorField(StringField):
|
||||
"""
|
||||
Represents an ``<input type="color">``.
|
||||
"""
|
||||
|
||||
widget = widgets.ColorInput()
|
||||
Reference in New Issue
Block a user