mirror of
https://github.com/TheAlgorithms/Python.git
synced 2024-11-24 13:31:07 +00:00
19bff003aa
* Adopt Python >= 3.8 assignment expressions using auto-walrus * updating DIRECTORY.md * [pre-commit.ci] auto fixes from pre-commit.com hooks for more information, see https://pre-commit.ci Co-authored-by: github-actions <${GITHUB_ACTOR}@users.noreply.github.com> Co-authored-by: pre-commit-ci[bot] <66853113+pre-commit-ci[bot]@users.noreply.github.com>
30 lines
756 B
Python
30 lines
756 B
Python
import re
|
|
|
|
|
|
def indian_phone_validator(phone: str) -> bool:
|
|
"""
|
|
Determine whether the string is a valid phone number or not
|
|
:param phone:
|
|
:return: Boolean
|
|
>>> indian_phone_validator("+91123456789")
|
|
False
|
|
>>> indian_phone_validator("+919876543210")
|
|
True
|
|
>>> indian_phone_validator("01234567896")
|
|
False
|
|
>>> indian_phone_validator("919876543218")
|
|
True
|
|
>>> indian_phone_validator("+91-1234567899")
|
|
False
|
|
>>> indian_phone_validator("+91-9876543218")
|
|
True
|
|
"""
|
|
pat = re.compile(r"^(\+91[\-\s]?)?[0]?(91)?[789]\d{9}$")
|
|
if match := re.search(pat, phone):
|
|
return match.string == phone
|
|
return False
|
|
|
|
|
|
if __name__ == "__main__":
|
|
print(indian_phone_validator("+918827897895"))
|