Regex works with unicode and you have several options for dicing up your strings. Here is an example where the strings are split on language-code boundaries such as "en" and "es" and put in a list. Then its a matter of iterating the list and finding the language you want.
>>> text = u"en <chars in english> fr <chars in french> es <chars in spanish>"
>>> languages = set((u'en', u'fr', u'es'))
>>> re_languages = '|'.join(languages)
>>> splitter = re.compile(ur'\b({})\b'.format(re_languages))
>>> splitter.split(text)
[u'', u'en', u' <chars in english> ', u'fr', u' <chars in french> ', u'es', u' <chars in spanish>']
>>> parts=splitter.split(text)[1:]
>>> for i in range(0, len(parts),2):
... if parts[i] == 'es':
... print parts[i+1]
...
<chars in spanish>
>>>
Or you could find them one at a time
>>> re.findall(r'\b(en|es|fr) (.*?)(?:(?= (?:en|es|fr)\b)|$)', text)
[(u'en', u'<chars in english>'), (u'fr', u'<chars in french>'), (u'es', u'<chars in spanish>')]
>>>