Prerequisite: Regular expression in Python
Given a string, write a Python program to check whether the given string is ending with only alphanumeric character or Not.
Examples:
Input: ankitrai326
Output: Accept
Input: ankirai@
Output: Discard
In this program, we are using search() method of re module.
re.search() : This method either returns None (if the pattern doesn’t match), or re.MatchObject that contains information about the matching part of the string. This method stops after the first match, so this is best suited for testing a regular expression more than extracting data.
Alphanumeric characters in the POSIX/C locale consist of either 36 case-insensitive symbols (A-Z and 0-9) or 62 case-sensitive characters (A-Z, a-z and 0-9).
Let’s see the Python program for this :
Python3
import re
regex = '[a-zA-z0-9]$'
def check(string):
if (re.search(regex, string)):
print ( "Accept" )
else :
print ( "Discard" )
if __name__ = = '__main__' :
string = "ankirai@"
check(string)
string = "ankitrai326"
check(string)
string = "ankit."
check(string)
string = "geeksforgeeks"
check(string)
|
Output :
Discard
Accept
Discard
Accept