##// END OF EJS Templates
mail: add parseaddrlist() function for parsing many addresses at once...
Marti Raudsepp -
r9948:e5b44a79 default
parent child Browse files
Show More
@@ -1,190 +1,206 b''
1 # mail.py - mail sending bits for mercurial
1 # mail.py - mail sending bits for mercurial
2 #
2 #
3 # Copyright 2006 Matt Mackall <mpm@selenic.com>
3 # Copyright 2006 Matt Mackall <mpm@selenic.com>
4 #
4 #
5 # This software may be used and distributed according to the terms of the
5 # This software may be used and distributed according to the terms of the
6 # GNU General Public License version 2, incorporated herein by reference.
6 # GNU General Public License version 2, incorporated herein by reference.
7
7
8 from i18n import _
8 from i18n import _
9 import util, encoding
9 import util, encoding
10 import os, smtplib, socket, quopri
10 import os, smtplib, socket, quopri
11 import email.Header, email.MIMEText, email.Utils
11 import email.Header, email.MIMEText, email.Utils
12
12
13 def _smtp(ui):
13 def _smtp(ui):
14 '''build an smtp connection and return a function to send mail'''
14 '''build an smtp connection and return a function to send mail'''
15 local_hostname = ui.config('smtp', 'local_hostname')
15 local_hostname = ui.config('smtp', 'local_hostname')
16 s = smtplib.SMTP(local_hostname=local_hostname)
16 s = smtplib.SMTP(local_hostname=local_hostname)
17 mailhost = ui.config('smtp', 'host')
17 mailhost = ui.config('smtp', 'host')
18 if not mailhost:
18 if not mailhost:
19 raise util.Abort(_('no [smtp]host in hgrc - cannot send mail'))
19 raise util.Abort(_('no [smtp]host in hgrc - cannot send mail'))
20 mailport = int(ui.config('smtp', 'port', 25))
20 mailport = int(ui.config('smtp', 'port', 25))
21 ui.note(_('sending mail: smtp host %s, port %s\n') %
21 ui.note(_('sending mail: smtp host %s, port %s\n') %
22 (mailhost, mailport))
22 (mailhost, mailport))
23 s.connect(host=mailhost, port=mailport)
23 s.connect(host=mailhost, port=mailport)
24 if ui.configbool('smtp', 'tls'):
24 if ui.configbool('smtp', 'tls'):
25 if not hasattr(socket, 'ssl'):
25 if not hasattr(socket, 'ssl'):
26 raise util.Abort(_("can't use TLS: Python SSL support "
26 raise util.Abort(_("can't use TLS: Python SSL support "
27 "not installed"))
27 "not installed"))
28 ui.note(_('(using tls)\n'))
28 ui.note(_('(using tls)\n'))
29 s.ehlo()
29 s.ehlo()
30 s.starttls()
30 s.starttls()
31 s.ehlo()
31 s.ehlo()
32 username = ui.config('smtp', 'username')
32 username = ui.config('smtp', 'username')
33 password = ui.config('smtp', 'password')
33 password = ui.config('smtp', 'password')
34 if username and not password:
34 if username and not password:
35 password = ui.getpass()
35 password = ui.getpass()
36 if username and password:
36 if username and password:
37 ui.note(_('(authenticating to mail server as %s)\n') %
37 ui.note(_('(authenticating to mail server as %s)\n') %
38 (username))
38 (username))
39 try:
39 try:
40 s.login(username, password)
40 s.login(username, password)
41 except smtplib.SMTPException, inst:
41 except smtplib.SMTPException, inst:
42 raise util.Abort(inst)
42 raise util.Abort(inst)
43
43
44 def send(sender, recipients, msg):
44 def send(sender, recipients, msg):
45 try:
45 try:
46 return s.sendmail(sender, recipients, msg)
46 return s.sendmail(sender, recipients, msg)
47 except smtplib.SMTPRecipientsRefused, inst:
47 except smtplib.SMTPRecipientsRefused, inst:
48 recipients = [r[1] for r in inst.recipients.values()]
48 recipients = [r[1] for r in inst.recipients.values()]
49 raise util.Abort('\n' + '\n'.join(recipients))
49 raise util.Abort('\n' + '\n'.join(recipients))
50 except smtplib.SMTPException, inst:
50 except smtplib.SMTPException, inst:
51 raise util.Abort(inst)
51 raise util.Abort(inst)
52
52
53 return send
53 return send
54
54
55 def _sendmail(ui, sender, recipients, msg):
55 def _sendmail(ui, sender, recipients, msg):
56 '''send mail using sendmail.'''
56 '''send mail using sendmail.'''
57 program = ui.config('email', 'method')
57 program = ui.config('email', 'method')
58 cmdline = '%s -f %s %s' % (program, util.email(sender),
58 cmdline = '%s -f %s %s' % (program, util.email(sender),
59 ' '.join(map(util.email, recipients)))
59 ' '.join(map(util.email, recipients)))
60 ui.note(_('sending mail: %s\n') % cmdline)
60 ui.note(_('sending mail: %s\n') % cmdline)
61 fp = util.popen(cmdline, 'w')
61 fp = util.popen(cmdline, 'w')
62 fp.write(msg)
62 fp.write(msg)
63 ret = fp.close()
63 ret = fp.close()
64 if ret:
64 if ret:
65 raise util.Abort('%s %s' % (
65 raise util.Abort('%s %s' % (
66 os.path.basename(program.split(None, 1)[0]),
66 os.path.basename(program.split(None, 1)[0]),
67 util.explain_exit(ret)[0]))
67 util.explain_exit(ret)[0]))
68
68
69 def connect(ui):
69 def connect(ui):
70 '''make a mail connection. return a function to send mail.
70 '''make a mail connection. return a function to send mail.
71 call as sendmail(sender, list-of-recipients, msg).'''
71 call as sendmail(sender, list-of-recipients, msg).'''
72 if ui.config('email', 'method', 'smtp') == 'smtp':
72 if ui.config('email', 'method', 'smtp') == 'smtp':
73 return _smtp(ui)
73 return _smtp(ui)
74 return lambda s, r, m: _sendmail(ui, s, r, m)
74 return lambda s, r, m: _sendmail(ui, s, r, m)
75
75
76 def sendmail(ui, sender, recipients, msg):
76 def sendmail(ui, sender, recipients, msg):
77 send = connect(ui)
77 send = connect(ui)
78 return send(sender, recipients, msg)
78 return send(sender, recipients, msg)
79
79
80 def validateconfig(ui):
80 def validateconfig(ui):
81 '''determine if we have enough config data to try sending email.'''
81 '''determine if we have enough config data to try sending email.'''
82 method = ui.config('email', 'method', 'smtp')
82 method = ui.config('email', 'method', 'smtp')
83 if method == 'smtp':
83 if method == 'smtp':
84 if not ui.config('smtp', 'host'):
84 if not ui.config('smtp', 'host'):
85 raise util.Abort(_('smtp specified as email transport, '
85 raise util.Abort(_('smtp specified as email transport, '
86 'but no smtp host configured'))
86 'but no smtp host configured'))
87 else:
87 else:
88 if not util.find_exe(method):
88 if not util.find_exe(method):
89 raise util.Abort(_('%r specified as email transport, '
89 raise util.Abort(_('%r specified as email transport, '
90 'but not in PATH') % method)
90 'but not in PATH') % method)
91
91
92 def mimetextpatch(s, subtype='plain', display=False):
92 def mimetextpatch(s, subtype='plain', display=False):
93 '''If patch in utf-8 transfer-encode it.'''
93 '''If patch in utf-8 transfer-encode it.'''
94
94
95 enc = None
95 enc = None
96 for line in s.splitlines():
96 for line in s.splitlines():
97 if len(line) > 950:
97 if len(line) > 950:
98 s = quopri.encodestring(s)
98 s = quopri.encodestring(s)
99 enc = "quoted-printable"
99 enc = "quoted-printable"
100 break
100 break
101
101
102 cs = 'us-ascii'
102 cs = 'us-ascii'
103 if not display:
103 if not display:
104 try:
104 try:
105 s.decode('us-ascii')
105 s.decode('us-ascii')
106 except UnicodeDecodeError:
106 except UnicodeDecodeError:
107 try:
107 try:
108 s.decode('utf-8')
108 s.decode('utf-8')
109 cs = 'utf-8'
109 cs = 'utf-8'
110 except UnicodeDecodeError:
110 except UnicodeDecodeError:
111 # We'll go with us-ascii as a fallback.
111 # We'll go with us-ascii as a fallback.
112 pass
112 pass
113
113
114 msg = email.MIMEText.MIMEText(s, subtype, cs)
114 msg = email.MIMEText.MIMEText(s, subtype, cs)
115 if enc:
115 if enc:
116 del msg['Content-Transfer-Encoding']
116 del msg['Content-Transfer-Encoding']
117 msg['Content-Transfer-Encoding'] = enc
117 msg['Content-Transfer-Encoding'] = enc
118 return msg
118 return msg
119
119
120 def _charsets(ui):
120 def _charsets(ui):
121 '''Obtains charsets to send mail parts not containing patches.'''
121 '''Obtains charsets to send mail parts not containing patches.'''
122 charsets = [cs.lower() for cs in ui.configlist('email', 'charsets')]
122 charsets = [cs.lower() for cs in ui.configlist('email', 'charsets')]
123 fallbacks = [encoding.fallbackencoding.lower(),
123 fallbacks = [encoding.fallbackencoding.lower(),
124 encoding.encoding.lower(), 'utf-8']
124 encoding.encoding.lower(), 'utf-8']
125 for cs in fallbacks: # find unique charsets while keeping order
125 for cs in fallbacks: # find unique charsets while keeping order
126 if cs not in charsets:
126 if cs not in charsets:
127 charsets.append(cs)
127 charsets.append(cs)
128 return [cs for cs in charsets if not cs.endswith('ascii')]
128 return [cs for cs in charsets if not cs.endswith('ascii')]
129
129
130 def _encode(ui, s, charsets):
130 def _encode(ui, s, charsets):
131 '''Returns (converted) string, charset tuple.
131 '''Returns (converted) string, charset tuple.
132 Finds out best charset by cycling through sendcharsets in descending
132 Finds out best charset by cycling through sendcharsets in descending
133 order. Tries both encoding and fallbackencoding for input. Only as
133 order. Tries both encoding and fallbackencoding for input. Only as
134 last resort send as is in fake ascii.
134 last resort send as is in fake ascii.
135 Caveat: Do not use for mail parts containing patches!'''
135 Caveat: Do not use for mail parts containing patches!'''
136 try:
136 try:
137 s.decode('ascii')
137 s.decode('ascii')
138 except UnicodeDecodeError:
138 except UnicodeDecodeError:
139 sendcharsets = charsets or _charsets(ui)
139 sendcharsets = charsets or _charsets(ui)
140 for ics in (encoding.encoding, encoding.fallbackencoding):
140 for ics in (encoding.encoding, encoding.fallbackencoding):
141 try:
141 try:
142 u = s.decode(ics)
142 u = s.decode(ics)
143 except UnicodeDecodeError:
143 except UnicodeDecodeError:
144 continue
144 continue
145 for ocs in sendcharsets:
145 for ocs in sendcharsets:
146 try:
146 try:
147 return u.encode(ocs), ocs
147 return u.encode(ocs), ocs
148 except UnicodeEncodeError:
148 except UnicodeEncodeError:
149 pass
149 pass
150 except LookupError:
150 except LookupError:
151 ui.warn(_('ignoring invalid sendcharset: %s\n') % ocs)
151 ui.warn(_('ignoring invalid sendcharset: %s\n') % ocs)
152 # if ascii, or all conversion attempts fail, send (broken) ascii
152 # if ascii, or all conversion attempts fail, send (broken) ascii
153 return s, 'us-ascii'
153 return s, 'us-ascii'
154
154
155 def headencode(ui, s, charsets=None, display=False):
155 def headencode(ui, s, charsets=None, display=False):
156 '''Returns RFC-2047 compliant header from given string.'''
156 '''Returns RFC-2047 compliant header from given string.'''
157 if not display:
157 if not display:
158 # split into words?
158 # split into words?
159 s, cs = _encode(ui, s, charsets)
159 s, cs = _encode(ui, s, charsets)
160 return str(email.Header.Header(s, cs))
160 return str(email.Header.Header(s, cs))
161 return s
161 return s
162
162
163 def addressencode(ui, address, charsets=None, display=False):
163 def _addressencode(ui, name, addr, charsets=None):
164 '''Turns address into RFC-2047 compliant header.'''
165 if display or not address:
166 return address or ''
167 name, addr = email.Utils.parseaddr(address)
168 name = headencode(ui, name, charsets)
164 name = headencode(ui, name, charsets)
169 try:
165 try:
170 acc, dom = addr.split('@')
166 acc, dom = addr.split('@')
171 acc = acc.encode('ascii')
167 acc = acc.encode('ascii')
172 dom = dom.decode(encoding.encoding).encode('idna')
168 dom = dom.decode(encoding.encoding).encode('idna')
173 addr = '%s@%s' % (acc, dom)
169 addr = '%s@%s' % (acc, dom)
174 except UnicodeDecodeError:
170 except UnicodeDecodeError:
175 raise util.Abort(_('invalid email address: %s') % addr)
171 raise util.Abort(_('invalid email address: %s') % addr)
176 except ValueError:
172 except ValueError:
177 try:
173 try:
178 # too strict?
174 # too strict?
179 addr = addr.encode('ascii')
175 addr = addr.encode('ascii')
180 except UnicodeDecodeError:
176 except UnicodeDecodeError:
181 raise util.Abort(_('invalid local address: %s') % addr)
177 raise util.Abort(_('invalid local address: %s') % addr)
182 return email.Utils.formataddr((name, addr))
178 return email.Utils.formataddr((name, addr))
183
179
180 def addressencode(ui, address, charsets=None, display=False):
181 '''Turns address into RFC-2047 compliant header.'''
182 if display or not address:
183 return address or ''
184 name, addr = email.Utils.parseaddr(address)
185 return _addressencode(ui, name, addr, charsets)
186
187 def addrlistencode(ui, addrs, charsets=None, display=False):
188 '''Turns a list of addresses into a list of RFC-2047 compliant headers.
189 A single element of input list may contain multiple addresses, but output
190 always has one address per item'''
191 if display:
192 return [a.strip() for a in addrs if a.strip()]
193
194 result = []
195 for name, addr in email.Utils.getaddresses(addrs):
196 if name or addr:
197 result.append(_addressencode(ui, name, addr, charsets))
198 return result
199
184 def mimeencode(ui, s, charsets=None, display=False):
200 def mimeencode(ui, s, charsets=None, display=False):
185 '''creates mime text object, encodes it if needed, and sets
201 '''creates mime text object, encodes it if needed, and sets
186 charset and transfer-encoding accordingly.'''
202 charset and transfer-encoding accordingly.'''
187 cs = 'us-ascii'
203 cs = 'us-ascii'
188 if not display:
204 if not display:
189 s, cs = _encode(ui, s, charsets)
205 s, cs = _encode(ui, s, charsets)
190 return email.MIMEText.MIMEText(s, 'plain', cs)
206 return email.MIMEText.MIMEText(s, 'plain', cs)
General Comments 0
You need to be logged in to leave comments. Login now