The original USPhoneNumberField only validates xxx-xxx-xxxx values.
This field validates...
(xxx) xxx xxxx xxx-xxx-xxxx (xxx)-xxx-xxxx many others.
Explanation of the regular expression:
- Accepts either (xxx) or xxx at the start of the value.
- Allows for any amount of dashes and spaces (including none) before the next set of digits.
- Accepts 3 digits
- Allows for any amount of dashes and spaces (including none) before the next set of digits.
- Accepts 4 digits, finishing the value.
This field saves in the same format that the original USPhoneNumberField does (xxx-xxx-xxxx).
Enjoy!
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 | # stdlib
import re
# django
from django.forms.fields import EMPTY_VALUES, Field
from django.forms import ValidationError
from django.utils.encoding import smart_unicode
__all__ = ('phone_digits_re', 'USPhoneNumberField')
phone_digits_re = re.compile(r'^((\((?P<areacode_1>\d{3})\))|(?P<areacode_2>\d{3}))[ \-]*(?P<first>\d{3})[ \-]*(?P<last>\d{4})$')
class USPhoneNumberField(Field):
" A USPhoneNumberField that accepts a wide variety of valid phone number patterns. "
default_error_messages = {
'invalid': u'The phone number is invalid.',
}
def clean(self, value):
super(USPhoneNumberField, self).clean(value)
if value in EMPTY_VALUES:
return u''
m = phone_digits_re.match( smart_unicode(value) )
if m:
return u'%s-%s-%s' % (m.group('areacode_1') or m.group('areacode_2'), m.group('first'), m.group('last'))
raise ValidationError(self.error_messages['invalid'])
|
More like this
- Template tag - list punctuation for a list of items by shapiromatron 10 months, 1 week ago
- JSONRequestMiddleware adds a .json() method to your HttpRequests by cdcarter 10 months, 2 weeks ago
- Serializer factory with Django Rest Framework by julio 1 year, 5 months ago
- Image compression before saving the new model / work with JPG, PNG by Schleidens 1 year, 6 months ago
- Help text hyperlinks by sa2812 1 year, 6 months ago
Comments
Hello I am trying to implement but where do I place this code? in the Models.py or views.py ? Thank you for the Code
#
It's a form-field, not a model field (it inherits from
django.forms.fields
). So the best place would beforms.py
of you're only using it in one form, or a newfields.py
if you're going to use it in multiple places.#
Please login first before commenting.