You can use a regular expression (.*?)(\d+)(.*)that will save 3 groups: everything up to numbers, numbers and everything after:
>>> import re
>>> pattern = ur'(.*?)(\d+)(.*)'
>>> s = u"ரூ.100"
>>> match = re.match(pattern, s, re.UNICODE)
>>> print match.group(1)
ரூ.
>>> print match.group(2)
100
Or you can unpack the mapped groups into variables, for example:
>>> s = u"100ஆம்"
>>> match = re.match(pattern, s, re.UNICODE)
>>> before, digits, after = match.groups()
>>> print before
>>> print digits
100
>>> print after
ஆம்
Hope this helps.