Muhd
Muhd

Reputation: 25606

Python: Convert email address to HTML link

I'm looking for a stand-alone python function that will take in a string and return a string with the email addresses converted to links.

Example:

>>>s = 'blah blah blah [email protected] blah blah blah'
>>>link(s)
'blah blah blah <a href="mailto:[email protected]">[email protected]</a> blah blah blah'

Upvotes: 2

Views: 1438

Answers (3)

Croad Langshan
Croad Langshan

Reputation: 2800

Something like this?

import re
import xml.sax.saxutils

def anchor_from_email_address_match(match):
    address = match.group(0)
    return "<a href=%s>%s</a>" % (
        xml.sax.saxutils.quoteattr("mailto:" + address),
        xml.sax.saxutils.escape(address))

def replace_email_addresses_with_anchors(text):
    return re.sub("\w+@(?:\w|\.)+", anchor_from_email_address_match, text)

print replace_email_addresses_with_anchors(
    "An address: [email protected], and another: [email protected]")

Upvotes: 8

dting
dting

Reputation: 39287

>>> def convert_emails(s):
...     words =  [ word if '@' not in word else '<a href="mailto:{0}">{0}</a>'.format(word) for word in s.split(" ") ]
...     return " ".join(words)
... 
>>> s = 'blah blah blah [email protected] blah blah blah'
>>> convert_emails(s)
'blah blah blah <a href="mailto:[email protected]">[email protected]</a> blah blah blah'
>>> 

Not super robust but works for very basic cases.

Upvotes: 2

Rafe Kettler
Rafe Kettler

Reputation: 76965

def link(s):
    return '<a href="mailto:{0}">{0}</a>'.format(s)

Upvotes: 0

Related Questions