blob: 92f986b72ee0dc3b084eff2ccd2c3c3341964d5c [file] [log] [blame]
Guido van Rossum806c2462007-08-06 23:33:07 +00001import asyncore
R. David Murray7dff9e02010-11-08 17:15:13 +00002import email.mime.text
Guido van Rossum04110fb2007-08-24 16:32:05 +00003import email.utils
Guido van Rossumd8faa362007-04-27 19:54:29 +00004import socket
Guido van Rossum806c2462007-08-06 23:33:07 +00005import smtpd
Guido van Rossumd8faa362007-04-27 19:54:29 +00006import smtplib
Guido van Rossum806c2462007-08-06 23:33:07 +00007import io
R. David Murray7dff9e02010-11-08 17:15:13 +00008import re
Guido van Rossum806c2462007-08-06 23:33:07 +00009import sys
Guido van Rossumd8faa362007-04-27 19:54:29 +000010import time
Guido van Rossum806c2462007-08-06 23:33:07 +000011import select
Guido van Rossumd8faa362007-04-27 19:54:29 +000012
Victor Stinner45df8202010-04-28 22:31:17 +000013import unittest
Richard Jones64b02de2010-08-03 06:39:33 +000014from test import support, mock_socket
Guido van Rossumd8faa362007-04-27 19:54:29 +000015
Victor Stinner45df8202010-04-28 22:31:17 +000016try:
17 import threading
18except ImportError:
19 threading = None
20
Benjamin Petersonee8712c2008-05-20 21:35:26 +000021HOST = support.HOST
Guido van Rossumd8faa362007-04-27 19:54:29 +000022
Josiah Carlsond74900e2008-07-07 04:15:08 +000023if sys.platform == 'darwin':
24 # select.poll returns a select.POLLHUP at the end of the tests
25 # on darwin, so just ignore it
26 def handle_expt(self):
27 pass
28 smtpd.SMTPChannel.handle_expt = handle_expt
29
30
Christian Heimes5e696852008-04-09 08:37:03 +000031def server(evt, buf, serv):
Christian Heimes380f7f22008-02-28 11:19:05 +000032 serv.listen(5)
33 evt.set()
Guido van Rossumd8faa362007-04-27 19:54:29 +000034 try:
35 conn, addr = serv.accept()
36 except socket.timeout:
37 pass
38 else:
Guido van Rossum806c2462007-08-06 23:33:07 +000039 n = 500
40 while buf and n > 0:
41 r, w, e = select.select([], [conn], [])
42 if w:
43 sent = conn.send(buf)
44 buf = buf[sent:]
45
46 n -= 1
Guido van Rossum806c2462007-08-06 23:33:07 +000047
Guido van Rossumd8faa362007-04-27 19:54:29 +000048 conn.close()
49 finally:
50 serv.close()
51 evt.set()
52
Victor Stinner45df8202010-04-28 22:31:17 +000053class GeneralTests(unittest.TestCase):
Guido van Rossumd8faa362007-04-27 19:54:29 +000054
55 def setUp(self):
Richard Jones64b02de2010-08-03 06:39:33 +000056 smtplib.socket = mock_socket
57 self.port = 25
Guido van Rossumd8faa362007-04-27 19:54:29 +000058
59 def tearDown(self):
Richard Jones64b02de2010-08-03 06:39:33 +000060 smtplib.socket = socket
Guido van Rossumd8faa362007-04-27 19:54:29 +000061
R. David Murray7dff9e02010-11-08 17:15:13 +000062 # This method is no longer used but is retained for backward compatibility,
63 # so test to make sure it still works.
64 def testQuoteData(self):
65 teststr = "abc\n.jkl\rfoo\r\n..blue"
66 expected = "abc\r\n..jkl\r\nfoo\r\n...blue"
67 self.assertEqual(expected, smtplib.quotedata(teststr))
68
Guido van Rossum806c2462007-08-06 23:33:07 +000069 def testBasic1(self):
Richard Jones64b02de2010-08-03 06:39:33 +000070 mock_socket.reply_with(b"220 Hola mundo")
Guido van Rossumd8faa362007-04-27 19:54:29 +000071 # connects
Christian Heimes5e696852008-04-09 08:37:03 +000072 smtp = smtplib.SMTP(HOST, self.port)
Georg Brandlf78e02b2008-06-10 17:40:04 +000073 smtp.close()
Guido van Rossumd8faa362007-04-27 19:54:29 +000074
Guido van Rossum806c2462007-08-06 23:33:07 +000075 def testBasic2(self):
Richard Jones6a9e6bb2010-08-04 12:27:36 +000076 mock_socket.reply_with(b"220 Hola mundo")
Guido van Rossum806c2462007-08-06 23:33:07 +000077 # connects, include port in host name
Christian Heimes5e696852008-04-09 08:37:03 +000078 smtp = smtplib.SMTP("%s:%s" % (HOST, self.port))
Georg Brandlf78e02b2008-06-10 17:40:04 +000079 smtp.close()
Guido van Rossum806c2462007-08-06 23:33:07 +000080
81 def testLocalHostName(self):
Richard Jones6a9e6bb2010-08-04 12:27:36 +000082 mock_socket.reply_with(b"220 Hola mundo")
Guido van Rossum806c2462007-08-06 23:33:07 +000083 # check that supplied local_hostname is used
Christian Heimes5e696852008-04-09 08:37:03 +000084 smtp = smtplib.SMTP(HOST, self.port, local_hostname="testhost")
Guido van Rossum806c2462007-08-06 23:33:07 +000085 self.assertEqual(smtp.local_hostname, "testhost")
Georg Brandlf78e02b2008-06-10 17:40:04 +000086 smtp.close()
Guido van Rossum806c2462007-08-06 23:33:07 +000087
Guido van Rossumd8faa362007-04-27 19:54:29 +000088 def testTimeoutDefault(self):
Richard Jones6a9e6bb2010-08-04 12:27:36 +000089 mock_socket.reply_with(b"220 Hola mundo")
Richard Jones64b02de2010-08-03 06:39:33 +000090 self.assertTrue(mock_socket.getdefaulttimeout() is None)
91 mock_socket.setdefaulttimeout(30)
92 self.assertEqual(mock_socket.getdefaulttimeout(), 30)
Georg Brandlf78e02b2008-06-10 17:40:04 +000093 try:
94 smtp = smtplib.SMTP(HOST, self.port)
95 finally:
Richard Jones64b02de2010-08-03 06:39:33 +000096 mock_socket.setdefaulttimeout(None)
Guido van Rossumd8faa362007-04-27 19:54:29 +000097 self.assertEqual(smtp.sock.gettimeout(), 30)
Georg Brandlf78e02b2008-06-10 17:40:04 +000098 smtp.close()
Guido van Rossumd8faa362007-04-27 19:54:29 +000099
100 def testTimeoutNone(self):
Richard Jones6a9e6bb2010-08-04 12:27:36 +0000101 mock_socket.reply_with(b"220 Hola mundo")
Georg Brandlf78e02b2008-06-10 17:40:04 +0000102 self.assertTrue(socket.getdefaulttimeout() is None)
Guido van Rossumd8faa362007-04-27 19:54:29 +0000103 socket.setdefaulttimeout(30)
104 try:
Christian Heimes5e696852008-04-09 08:37:03 +0000105 smtp = smtplib.SMTP(HOST, self.port, timeout=None)
Guido van Rossumd8faa362007-04-27 19:54:29 +0000106 finally:
Georg Brandlf78e02b2008-06-10 17:40:04 +0000107 socket.setdefaulttimeout(None)
108 self.assertTrue(smtp.sock.gettimeout() is None)
109 smtp.close()
110
111 def testTimeoutValue(self):
Richard Jones6a9e6bb2010-08-04 12:27:36 +0000112 mock_socket.reply_with(b"220 Hola mundo")
Georg Brandlf78e02b2008-06-10 17:40:04 +0000113 smtp = smtplib.SMTP(HOST, self.port, timeout=30)
Guido van Rossumd8faa362007-04-27 19:54:29 +0000114 self.assertEqual(smtp.sock.gettimeout(), 30)
Georg Brandlf78e02b2008-06-10 17:40:04 +0000115 smtp.close()
Guido van Rossumd8faa362007-04-27 19:54:29 +0000116
117
Guido van Rossum04110fb2007-08-24 16:32:05 +0000118# Test server thread using the specified SMTP server class
Christian Heimes5e696852008-04-09 08:37:03 +0000119def debugging_server(serv, serv_evt, client_evt):
Christian Heimes380f7f22008-02-28 11:19:05 +0000120 serv_evt.set()
Guido van Rossum806c2462007-08-06 23:33:07 +0000121
122 try:
123 if hasattr(select, 'poll'):
124 poll_fun = asyncore.poll2
125 else:
126 poll_fun = asyncore.poll
127
128 n = 1000
129 while asyncore.socket_map and n > 0:
130 poll_fun(0.01, asyncore.socket_map)
131
132 # when the client conversation is finished, it will
133 # set client_evt, and it's then ok to kill the server
Benjamin Peterson672b8032008-06-11 19:14:14 +0000134 if client_evt.is_set():
Guido van Rossum806c2462007-08-06 23:33:07 +0000135 serv.close()
136 break
137
138 n -= 1
139
140 except socket.timeout:
141 pass
142 finally:
Benjamin Peterson672b8032008-06-11 19:14:14 +0000143 if not client_evt.is_set():
Christian Heimes380f7f22008-02-28 11:19:05 +0000144 # allow some time for the client to read the result
145 time.sleep(0.5)
146 serv.close()
Guido van Rossum806c2462007-08-06 23:33:07 +0000147 asyncore.close_all()
Guido van Rossum806c2462007-08-06 23:33:07 +0000148 serv_evt.set()
149
150MSG_BEGIN = '---------- MESSAGE FOLLOWS ----------\n'
151MSG_END = '------------ END MESSAGE ------------\n'
152
Guido van Rossum04110fb2007-08-24 16:32:05 +0000153# NOTE: Some SMTP objects in the tests below are created with a non-default
154# local_hostname argument to the constructor, since (on some systems) the FQDN
155# lookup caused by the default local_hostname sometimes takes so long that the
Guido van Rossum806c2462007-08-06 23:33:07 +0000156# test server times out, causing the test to fail.
Guido van Rossum04110fb2007-08-24 16:32:05 +0000157
158# Test behavior of smtpd.DebuggingServer
Victor Stinner45df8202010-04-28 22:31:17 +0000159@unittest.skipUnless(threading, 'Threading required for this test.')
160class DebuggingServerTests(unittest.TestCase):
Guido van Rossum806c2462007-08-06 23:33:07 +0000161
R. David Murray7dff9e02010-11-08 17:15:13 +0000162 maxDiff = None
163
Guido van Rossum806c2462007-08-06 23:33:07 +0000164 def setUp(self):
Richard Jones64b02de2010-08-03 06:39:33 +0000165 self.real_getfqdn = socket.getfqdn
166 socket.getfqdn = mock_socket.getfqdn
Guido van Rossum806c2462007-08-06 23:33:07 +0000167 # temporarily replace sys.stdout to capture DebuggingServer output
168 self.old_stdout = sys.stdout
169 self.output = io.StringIO()
170 sys.stdout = self.output
171
172 self.serv_evt = threading.Event()
173 self.client_evt = threading.Event()
R. David Murray7dff9e02010-11-08 17:15:13 +0000174 # Capture SMTPChannel debug output
175 self.old_DEBUGSTREAM = smtpd.DEBUGSTREAM
176 smtpd.DEBUGSTREAM = io.StringIO()
Antoine Pitrou043bad02010-04-30 23:20:15 +0000177 # Pick a random unused port by passing 0 for the port number
178 self.serv = smtpd.DebuggingServer((HOST, 0), ('nowhere', -1))
179 # Keep a note of what port was assigned
180 self.port = self.serv.socket.getsockname()[1]
Christian Heimes5e696852008-04-09 08:37:03 +0000181 serv_args = (self.serv, self.serv_evt, self.client_evt)
Antoine Pitrouc3d47722009-10-27 19:49:45 +0000182 self.thread = threading.Thread(target=debugging_server, args=serv_args)
183 self.thread.start()
Guido van Rossum806c2462007-08-06 23:33:07 +0000184
185 # wait until server thread has assigned a port number
Christian Heimes380f7f22008-02-28 11:19:05 +0000186 self.serv_evt.wait()
187 self.serv_evt.clear()
Guido van Rossum806c2462007-08-06 23:33:07 +0000188
189 def tearDown(self):
Richard Jones64b02de2010-08-03 06:39:33 +0000190 socket.getfqdn = self.real_getfqdn
Guido van Rossum806c2462007-08-06 23:33:07 +0000191 # indicate that the client is finished
192 self.client_evt.set()
193 # wait for the server thread to terminate
194 self.serv_evt.wait()
Antoine Pitrouc3d47722009-10-27 19:49:45 +0000195 self.thread.join()
Guido van Rossum806c2462007-08-06 23:33:07 +0000196 # restore sys.stdout
197 sys.stdout = self.old_stdout
R. David Murray7dff9e02010-11-08 17:15:13 +0000198 # restore DEBUGSTREAM
199 smtpd.DEBUGSTREAM.close()
200 smtpd.DEBUGSTREAM = self.old_DEBUGSTREAM
Guido van Rossum806c2462007-08-06 23:33:07 +0000201
202 def testBasic(self):
203 # connect
Christian Heimes5e696852008-04-09 08:37:03 +0000204 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=3)
Guido van Rossum806c2462007-08-06 23:33:07 +0000205 smtp.quit()
206
Guido van Rossum04110fb2007-08-24 16:32:05 +0000207 def testNOOP(self):
Christian Heimes5e696852008-04-09 08:37:03 +0000208 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=3)
Guido van Rossum04110fb2007-08-24 16:32:05 +0000209 expected = (250, b'Ok')
210 self.assertEqual(smtp.noop(), expected)
211 smtp.quit()
212
213 def testRSET(self):
Christian Heimes5e696852008-04-09 08:37:03 +0000214 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=3)
Guido van Rossum04110fb2007-08-24 16:32:05 +0000215 expected = (250, b'Ok')
216 self.assertEqual(smtp.rset(), expected)
217 smtp.quit()
218
219 def testNotImplemented(self):
220 # EHLO isn't implemented in DebuggingServer
Christian Heimes5e696852008-04-09 08:37:03 +0000221 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=3)
Guido van Rossum806c2462007-08-06 23:33:07 +0000222 expected = (502, b'Error: command "EHLO" not implemented')
223 self.assertEqual(smtp.ehlo(), expected)
224 smtp.quit()
225
Guido van Rossum04110fb2007-08-24 16:32:05 +0000226 def testVRFY(self):
227 # VRFY isn't implemented in DebuggingServer
Christian Heimes5e696852008-04-09 08:37:03 +0000228 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=3)
Guido van Rossum04110fb2007-08-24 16:32:05 +0000229 expected = (502, b'Error: command "VRFY" not implemented')
230 self.assertEqual(smtp.vrfy('nobody@nowhere.com'), expected)
231 self.assertEqual(smtp.verify('nobody@nowhere.com'), expected)
232 smtp.quit()
233
234 def testSecondHELO(self):
235 # check that a second HELO returns a message that it's a duplicate
236 # (this behavior is specific to smtpd.SMTPChannel)
Christian Heimes5e696852008-04-09 08:37:03 +0000237 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=3)
Guido van Rossum04110fb2007-08-24 16:32:05 +0000238 smtp.helo()
239 expected = (503, b'Duplicate HELO/EHLO')
240 self.assertEqual(smtp.helo(), expected)
241 smtp.quit()
242
Guido van Rossum806c2462007-08-06 23:33:07 +0000243 def testHELP(self):
Christian Heimes5e696852008-04-09 08:37:03 +0000244 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=3)
Guido van Rossum806c2462007-08-06 23:33:07 +0000245 self.assertEqual(smtp.help(), b'Error: command "HELP" not implemented')
246 smtp.quit()
247
248 def testSend(self):
249 # connect and send mail
250 m = 'A test message'
Christian Heimes5e696852008-04-09 08:37:03 +0000251 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=3)
Guido van Rossum806c2462007-08-06 23:33:07 +0000252 smtp.sendmail('John', 'Sally', m)
Neal Norwitz25329672008-08-25 03:55:03 +0000253 # XXX(nnorwitz): this test is flaky and dies with a bad file descriptor
254 # in asyncore. This sleep might help, but should really be fixed
255 # properly by using an Event variable.
256 time.sleep(0.01)
Guido van Rossum806c2462007-08-06 23:33:07 +0000257 smtp.quit()
258
259 self.client_evt.set()
260 self.serv_evt.wait()
261 self.output.flush()
262 mexpect = '%s%s\n%s' % (MSG_BEGIN, m, MSG_END)
263 self.assertEqual(self.output.getvalue(), mexpect)
264
R. David Murray7dff9e02010-11-08 17:15:13 +0000265 def testSendBinary(self):
266 m = b'A test message'
267 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=3)
268 smtp.sendmail('John', 'Sally', m)
269 # XXX (see comment in testSend)
270 time.sleep(0.01)
271 smtp.quit()
272
273 self.client_evt.set()
274 self.serv_evt.wait()
275 self.output.flush()
276 mexpect = '%s%s\n%s' % (MSG_BEGIN, m.decode('ascii'), MSG_END)
277 self.assertEqual(self.output.getvalue(), mexpect)
278
R David Murray0f663d02011-06-09 15:05:57 -0400279 def testSendNeedingDotQuote(self):
280 # Issue 12283
281 m = '.A test\n.mes.sage.'
282 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=3)
283 smtp.sendmail('John', 'Sally', m)
284 # XXX (see comment in testSend)
285 time.sleep(0.01)
286 smtp.quit()
287
288 self.client_evt.set()
289 self.serv_evt.wait()
290 self.output.flush()
291 mexpect = '%s%s\n%s' % (MSG_BEGIN, m, MSG_END)
292 self.assertEqual(self.output.getvalue(), mexpect)
293
R David Murray46346762011-07-18 21:38:54 -0400294 def testSendNullSender(self):
295 m = 'A test message'
296 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=3)
297 smtp.sendmail('<>', 'Sally', m)
298 # XXX (see comment in testSend)
299 time.sleep(0.01)
300 smtp.quit()
301
302 self.client_evt.set()
303 self.serv_evt.wait()
304 self.output.flush()
305 mexpect = '%s%s\n%s' % (MSG_BEGIN, m, MSG_END)
306 self.assertEqual(self.output.getvalue(), mexpect)
307 debugout = smtpd.DEBUGSTREAM.getvalue()
308 sender = re.compile("^sender: <>$", re.MULTILINE)
309 self.assertRegex(debugout, sender)
310
R. David Murray7dff9e02010-11-08 17:15:13 +0000311 def testSendMessage(self):
312 m = email.mime.text.MIMEText('A test message')
313 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=3)
314 smtp.send_message(m, from_addr='John', to_addrs='Sally')
315 # XXX (see comment in testSend)
316 time.sleep(0.01)
317 smtp.quit()
318
319 self.client_evt.set()
320 self.serv_evt.wait()
321 self.output.flush()
322 # Add the X-Peer header that DebuggingServer adds
R David Murrayb912c5a2011-05-02 08:47:24 -0400323 m['X-Peer'] = socket.gethostbyname('localhost')
R. David Murray7dff9e02010-11-08 17:15:13 +0000324 mexpect = '%s%s\n%s' % (MSG_BEGIN, m.as_string(), MSG_END)
325 self.assertEqual(self.output.getvalue(), mexpect)
326
327 def testSendMessageWithAddresses(self):
328 m = email.mime.text.MIMEText('A test message')
329 m['From'] = 'foo@bar.com'
330 m['To'] = 'John'
331 m['CC'] = 'Sally, Fred'
332 m['Bcc'] = 'John Root <root@localhost>, "Dinsdale" <warped@silly.walks.com>'
333 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=3)
334 smtp.send_message(m)
335 # XXX (see comment in testSend)
336 time.sleep(0.01)
337 smtp.quit()
R David Murrayac4e5ab2011-07-02 21:03:19 -0400338 # make sure the Bcc header is still in the message.
339 self.assertEqual(m['Bcc'], 'John Root <root@localhost>, "Dinsdale" '
340 '<warped@silly.walks.com>')
R. David Murray7dff9e02010-11-08 17:15:13 +0000341
342 self.client_evt.set()
343 self.serv_evt.wait()
344 self.output.flush()
345 # Add the X-Peer header that DebuggingServer adds
R David Murrayb912c5a2011-05-02 08:47:24 -0400346 m['X-Peer'] = socket.gethostbyname('localhost')
R David Murrayac4e5ab2011-07-02 21:03:19 -0400347 # The Bcc header should not be transmitted.
R. David Murray7dff9e02010-11-08 17:15:13 +0000348 del m['Bcc']
349 mexpect = '%s%s\n%s' % (MSG_BEGIN, m.as_string(), MSG_END)
350 self.assertEqual(self.output.getvalue(), mexpect)
351 debugout = smtpd.DEBUGSTREAM.getvalue()
352 sender = re.compile("^sender: foo@bar.com$", re.MULTILINE)
Ezio Melottied3a7d22010-12-01 02:32:32 +0000353 self.assertRegex(debugout, sender)
R. David Murray7dff9e02010-11-08 17:15:13 +0000354 for addr in ('John', 'Sally', 'Fred', 'root@localhost',
355 'warped@silly.walks.com'):
356 to_addr = re.compile(r"^recips: .*'{}'.*$".format(addr),
357 re.MULTILINE)
Ezio Melottied3a7d22010-12-01 02:32:32 +0000358 self.assertRegex(debugout, to_addr)
R. David Murray7dff9e02010-11-08 17:15:13 +0000359
360 def testSendMessageWithSomeAddresses(self):
361 # Make sure nothing breaks if not all of the three 'to' headers exist
362 m = email.mime.text.MIMEText('A test message')
363 m['From'] = 'foo@bar.com'
364 m['To'] = 'John, Dinsdale'
365 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=3)
366 smtp.send_message(m)
367 # XXX (see comment in testSend)
368 time.sleep(0.01)
369 smtp.quit()
370
371 self.client_evt.set()
372 self.serv_evt.wait()
373 self.output.flush()
374 # Add the X-Peer header that DebuggingServer adds
R David Murrayb912c5a2011-05-02 08:47:24 -0400375 m['X-Peer'] = socket.gethostbyname('localhost')
R. David Murray7dff9e02010-11-08 17:15:13 +0000376 mexpect = '%s%s\n%s' % (MSG_BEGIN, m.as_string(), MSG_END)
377 self.assertEqual(self.output.getvalue(), mexpect)
378 debugout = smtpd.DEBUGSTREAM.getvalue()
379 sender = re.compile("^sender: foo@bar.com$", re.MULTILINE)
Ezio Melottied3a7d22010-12-01 02:32:32 +0000380 self.assertRegex(debugout, sender)
R. David Murray7dff9e02010-11-08 17:15:13 +0000381 for addr in ('John', 'Dinsdale'):
382 to_addr = re.compile(r"^recips: .*'{}'.*$".format(addr),
383 re.MULTILINE)
Ezio Melottied3a7d22010-12-01 02:32:32 +0000384 self.assertRegex(debugout, to_addr)
R. David Murray7dff9e02010-11-08 17:15:13 +0000385
R David Murrayac4e5ab2011-07-02 21:03:19 -0400386 def testSendMessageWithSpecifiedAddresses(self):
387 # Make sure addresses specified in call override those in message.
388 m = email.mime.text.MIMEText('A test message')
389 m['From'] = 'foo@bar.com'
390 m['To'] = 'John, Dinsdale'
391 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=3)
392 smtp.send_message(m, from_addr='joe@example.com', to_addrs='foo@example.net')
393 # XXX (see comment in testSend)
394 time.sleep(0.01)
395 smtp.quit()
396
397 self.client_evt.set()
398 self.serv_evt.wait()
399 self.output.flush()
400 # Add the X-Peer header that DebuggingServer adds
401 m['X-Peer'] = socket.gethostbyname('localhost')
402 mexpect = '%s%s\n%s' % (MSG_BEGIN, m.as_string(), MSG_END)
403 self.assertEqual(self.output.getvalue(), mexpect)
404 debugout = smtpd.DEBUGSTREAM.getvalue()
405 sender = re.compile("^sender: joe@example.com$", re.MULTILINE)
406 self.assertRegex(debugout, sender)
407 for addr in ('John', 'Dinsdale'):
408 to_addr = re.compile(r"^recips: .*'{}'.*$".format(addr),
409 re.MULTILINE)
410 self.assertNotRegex(debugout, to_addr)
411 recip = re.compile(r"^recips: .*'foo@example.net'.*$", re.MULTILINE)
412 self.assertRegex(debugout, recip)
413
414 def testSendMessageWithMultipleFrom(self):
415 # Sender overrides To
416 m = email.mime.text.MIMEText('A test message')
417 m['From'] = 'Bernard, Bianca'
418 m['Sender'] = 'the_rescuers@Rescue-Aid-Society.com'
419 m['To'] = 'John, Dinsdale'
420 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=3)
421 smtp.send_message(m)
422 # XXX (see comment in testSend)
423 time.sleep(0.01)
424 smtp.quit()
425
426 self.client_evt.set()
427 self.serv_evt.wait()
428 self.output.flush()
429 # Add the X-Peer header that DebuggingServer adds
430 m['X-Peer'] = socket.gethostbyname('localhost')
431 mexpect = '%s%s\n%s' % (MSG_BEGIN, m.as_string(), MSG_END)
432 self.assertEqual(self.output.getvalue(), mexpect)
433 debugout = smtpd.DEBUGSTREAM.getvalue()
434 sender = re.compile("^sender: the_rescuers@Rescue-Aid-Society.com$", re.MULTILINE)
435 self.assertRegex(debugout, sender)
436 for addr in ('John', 'Dinsdale'):
437 to_addr = re.compile(r"^recips: .*'{}'.*$".format(addr),
438 re.MULTILINE)
439 self.assertRegex(debugout, to_addr)
440
441 def testSendMessageResent(self):
442 m = email.mime.text.MIMEText('A test message')
443 m['From'] = 'foo@bar.com'
444 m['To'] = 'John'
445 m['CC'] = 'Sally, Fred'
446 m['Bcc'] = 'John Root <root@localhost>, "Dinsdale" <warped@silly.walks.com>'
447 m['Resent-Date'] = 'Thu, 1 Jan 1970 17:42:00 +0000'
448 m['Resent-From'] = 'holy@grail.net'
449 m['Resent-To'] = 'Martha <my_mom@great.cooker.com>, Jeff'
450 m['Resent-Bcc'] = 'doe@losthope.net'
451 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=3)
452 smtp.send_message(m)
453 # XXX (see comment in testSend)
454 time.sleep(0.01)
455 smtp.quit()
456
457 self.client_evt.set()
458 self.serv_evt.wait()
459 self.output.flush()
460 # The Resent-Bcc headers are deleted before serialization.
461 del m['Bcc']
462 del m['Resent-Bcc']
463 # Add the X-Peer header that DebuggingServer adds
464 m['X-Peer'] = socket.gethostbyname('localhost')
465 mexpect = '%s%s\n%s' % (MSG_BEGIN, m.as_string(), MSG_END)
466 self.assertEqual(self.output.getvalue(), mexpect)
467 debugout = smtpd.DEBUGSTREAM.getvalue()
468 sender = re.compile("^sender: holy@grail.net$", re.MULTILINE)
469 self.assertRegex(debugout, sender)
470 for addr in ('my_mom@great.cooker.com', 'Jeff', 'doe@losthope.net'):
471 to_addr = re.compile(r"^recips: .*'{}'.*$".format(addr),
472 re.MULTILINE)
473 self.assertRegex(debugout, to_addr)
474
475 def testSendMessageMultipleResentRaises(self):
476 m = email.mime.text.MIMEText('A test message')
477 m['From'] = 'foo@bar.com'
478 m['To'] = 'John'
479 m['CC'] = 'Sally, Fred'
480 m['Bcc'] = 'John Root <root@localhost>, "Dinsdale" <warped@silly.walks.com>'
481 m['Resent-Date'] = 'Thu, 1 Jan 1970 17:42:00 +0000'
482 m['Resent-From'] = 'holy@grail.net'
483 m['Resent-To'] = 'Martha <my_mom@great.cooker.com>, Jeff'
484 m['Resent-Bcc'] = 'doe@losthope.net'
485 m['Resent-Date'] = 'Thu, 2 Jan 1970 17:42:00 +0000'
486 m['Resent-To'] = 'holy@grail.net'
487 m['Resent-From'] = 'Martha <my_mom@great.cooker.com>, Jeff'
488 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=3)
489 with self.assertRaises(ValueError):
490 smtp.send_message(m)
491 smtp.close()
Guido van Rossum806c2462007-08-06 23:33:07 +0000492
Victor Stinner45df8202010-04-28 22:31:17 +0000493class NonConnectingTests(unittest.TestCase):
Christian Heimes380f7f22008-02-28 11:19:05 +0000494
Richard Jones64b02de2010-08-03 06:39:33 +0000495 def setUp(self):
496 smtplib.socket = mock_socket
497
498 def tearDown(self):
499 smtplib.socket = socket
500
Christian Heimes380f7f22008-02-28 11:19:05 +0000501 def testNotConnected(self):
502 # Test various operations on an unconnected SMTP object that
503 # should raise exceptions (at present the attempt in SMTP.send
504 # to reference the nonexistent 'sock' attribute of the SMTP object
505 # causes an AttributeError)
506 smtp = smtplib.SMTP()
507 self.assertRaises(smtplib.SMTPServerDisconnected, smtp.ehlo)
508 self.assertRaises(smtplib.SMTPServerDisconnected,
509 smtp.send, 'test msg')
510
511 def testNonnumericPort(self):
512 # check that non-numeric port raises socket.error
Richard Jones64b02de2010-08-03 06:39:33 +0000513 self.assertRaises(mock_socket.error, smtplib.SMTP,
Christian Heimes380f7f22008-02-28 11:19:05 +0000514 "localhost", "bogus")
Richard Jones64b02de2010-08-03 06:39:33 +0000515 self.assertRaises(mock_socket.error, smtplib.SMTP,
Christian Heimes380f7f22008-02-28 11:19:05 +0000516 "localhost:bogus")
517
518
Guido van Rossum04110fb2007-08-24 16:32:05 +0000519# test response of client to a non-successful HELO message
Victor Stinner45df8202010-04-28 22:31:17 +0000520@unittest.skipUnless(threading, 'Threading required for this test.')
521class BadHELOServerTests(unittest.TestCase):
Guido van Rossum806c2462007-08-06 23:33:07 +0000522
523 def setUp(self):
Richard Jones64b02de2010-08-03 06:39:33 +0000524 smtplib.socket = mock_socket
525 mock_socket.reply_with(b"199 no hello for you!")
Guido van Rossum806c2462007-08-06 23:33:07 +0000526 self.old_stdout = sys.stdout
527 self.output = io.StringIO()
528 sys.stdout = self.output
Richard Jones64b02de2010-08-03 06:39:33 +0000529 self.port = 25
Guido van Rossum806c2462007-08-06 23:33:07 +0000530
531 def tearDown(self):
Richard Jones64b02de2010-08-03 06:39:33 +0000532 smtplib.socket = socket
Guido van Rossum806c2462007-08-06 23:33:07 +0000533 sys.stdout = self.old_stdout
534
535 def testFailingHELO(self):
536 self.assertRaises(smtplib.SMTPConnectError, smtplib.SMTP,
Christian Heimes5e696852008-04-09 08:37:03 +0000537 HOST, self.port, 'localhost', 3)
Guido van Rossumd8faa362007-04-27 19:54:29 +0000538
Guido van Rossum04110fb2007-08-24 16:32:05 +0000539
540sim_users = {'Mr.A@somewhere.com':'John A',
R David Murray46346762011-07-18 21:38:54 -0400541 'Ms.B@xn--fo-fka.com':'Sally B',
Guido van Rossum04110fb2007-08-24 16:32:05 +0000542 'Mrs.C@somewhereesle.com':'Ruth C',
543 }
544
R. David Murraycaa27b72009-05-23 18:49:56 +0000545sim_auth = ('Mr.A@somewhere.com', 'somepassword')
R. David Murrayfb123912009-05-28 18:19:00 +0000546sim_cram_md5_challenge = ('PENCeUxFREJoU0NnbmhNWitOMjNGNn'
547 'dAZWx3b29kLmlubm9zb2Z0LmNvbT4=')
548sim_auth_credentials = {
549 'login': 'TXIuQUBzb21ld2hlcmUuY29t',
550 'plain': 'AE1yLkFAc29tZXdoZXJlLmNvbQBzb21lcGFzc3dvcmQ=',
551 'cram-md5': ('TXIUQUBZB21LD2HLCMUUY29TIDG4OWQ0MJ'
552 'KWZGQ4ODNMNDA4NTGXMDRLZWMYZJDMODG1'),
553 }
554sim_auth_login_password = 'C29TZXBHC3N3B3JK'
R. David Murraycaa27b72009-05-23 18:49:56 +0000555
Guido van Rossum04110fb2007-08-24 16:32:05 +0000556sim_lists = {'list-1':['Mr.A@somewhere.com','Mrs.C@somewhereesle.com'],
R David Murray46346762011-07-18 21:38:54 -0400557 'list-2':['Ms.B@xn--fo-fka.com',],
Guido van Rossum04110fb2007-08-24 16:32:05 +0000558 }
559
560# Simulated SMTP channel & server
561class SimSMTPChannel(smtpd.SMTPChannel):
R. David Murrayfb123912009-05-28 18:19:00 +0000562
R David Murrayd312c742013-03-20 20:36:14 -0400563 mail_response = None
564 rcpt_response = None
565 data_response = None
566 rcpt_count = 0
567 rset_count = 0
568
R. David Murray23ddc0e2009-05-29 18:03:16 +0000569 def __init__(self, extra_features, *args, **kw):
570 self._extrafeatures = ''.join(
571 [ "250-{0}\r\n".format(x) for x in extra_features ])
R. David Murrayfb123912009-05-28 18:19:00 +0000572 super(SimSMTPChannel, self).__init__(*args, **kw)
573
Guido van Rossum04110fb2007-08-24 16:32:05 +0000574 def smtp_EHLO(self, arg):
R. David Murrayfb123912009-05-28 18:19:00 +0000575 resp = ('250-testhost\r\n'
576 '250-EXPN\r\n'
577 '250-SIZE 20000000\r\n'
578 '250-STARTTLS\r\n'
579 '250-DELIVERBY\r\n')
580 resp = resp + self._extrafeatures + '250 HELP'
Guido van Rossum04110fb2007-08-24 16:32:05 +0000581 self.push(resp)
582
583 def smtp_VRFY(self, arg):
R David Murray46346762011-07-18 21:38:54 -0400584 # For max compatibility smtplib should be sending the raw address.
585 if arg in sim_users:
586 self.push('250 %s %s' % (sim_users[arg], smtplib.quoteaddr(arg)))
Guido van Rossum04110fb2007-08-24 16:32:05 +0000587 else:
588 self.push('550 No such user: %s' % arg)
589
590 def smtp_EXPN(self, arg):
R David Murray46346762011-07-18 21:38:54 -0400591 list_name = arg.lower()
Guido van Rossum04110fb2007-08-24 16:32:05 +0000592 if list_name in sim_lists:
593 user_list = sim_lists[list_name]
594 for n, user_email in enumerate(user_list):
595 quoted_addr = smtplib.quoteaddr(user_email)
596 if n < len(user_list) - 1:
597 self.push('250-%s %s' % (sim_users[user_email], quoted_addr))
598 else:
599 self.push('250 %s %s' % (sim_users[user_email], quoted_addr))
600 else:
601 self.push('550 No access for you!')
602
R. David Murraycaa27b72009-05-23 18:49:56 +0000603 def smtp_AUTH(self, arg):
R. David Murrayfb123912009-05-28 18:19:00 +0000604 if arg.strip().lower()=='cram-md5':
605 self.push('334 {}'.format(sim_cram_md5_challenge))
606 return
R. David Murraycaa27b72009-05-23 18:49:56 +0000607 mech, auth = arg.split()
R. David Murrayfb123912009-05-28 18:19:00 +0000608 mech = mech.lower()
609 if mech not in sim_auth_credentials:
R. David Murraycaa27b72009-05-23 18:49:56 +0000610 self.push('504 auth type unimplemented')
R. David Murrayfb123912009-05-28 18:19:00 +0000611 return
612 if mech == 'plain' and auth==sim_auth_credentials['plain']:
613 self.push('235 plain auth ok')
614 elif mech=='login' and auth==sim_auth_credentials['login']:
615 self.push('334 Password:')
616 else:
617 self.push('550 No access for you!')
R. David Murraycaa27b72009-05-23 18:49:56 +0000618
R David Murrayd312c742013-03-20 20:36:14 -0400619 def smtp_MAIL(self, arg):
620 if self.mail_response is None:
621 super().smtp_MAIL(arg)
622 else:
623 self.push(self.mail_response)
624
625 def smtp_RCPT(self, arg):
626 if self.rcpt_response is None:
627 super().smtp_RCPT(arg)
628 return
629 self.push(self.rcpt_response[self.rcpt_count])
630 self.rcpt_count += 1
631
632 def smtp_RSET(self, arg):
633 super().smtp_RSET(arg)
634 self.rset_count += 1
635
636 def smtp_DATA(self, arg):
637 if self.data_response is None:
638 super().smtp_DATA(arg)
639 else:
640 self.push(self.data_response)
641
Giampaolo Rodolàd930b632010-05-06 20:21:57 +0000642 def handle_error(self):
643 raise
644
Guido van Rossum04110fb2007-08-24 16:32:05 +0000645
646class SimSMTPServer(smtpd.SMTPServer):
R. David Murrayfb123912009-05-28 18:19:00 +0000647
R David Murrayd312c742013-03-20 20:36:14 -0400648 channel_class = SimSMTPChannel
649
R. David Murray23ddc0e2009-05-29 18:03:16 +0000650 def __init__(self, *args, **kw):
651 self._extra_features = []
652 smtpd.SMTPServer.__init__(self, *args, **kw)
653
Giampaolo Rodolà977c7072010-10-04 21:08:36 +0000654 def handle_accepted(self, conn, addr):
R David Murrayd312c742013-03-20 20:36:14 -0400655 self._SMTPchannel = self.channel_class(self._extra_features,
R. David Murray23ddc0e2009-05-29 18:03:16 +0000656 self, conn, addr)
Guido van Rossum04110fb2007-08-24 16:32:05 +0000657
658 def process_message(self, peer, mailfrom, rcpttos, data):
659 pass
660
R. David Murrayfb123912009-05-28 18:19:00 +0000661 def add_feature(self, feature):
R. David Murray23ddc0e2009-05-29 18:03:16 +0000662 self._extra_features.append(feature)
R. David Murrayfb123912009-05-28 18:19:00 +0000663
Giampaolo Rodolàd930b632010-05-06 20:21:57 +0000664 def handle_error(self):
665 raise
666
Guido van Rossum04110fb2007-08-24 16:32:05 +0000667
668# Test various SMTP & ESMTP commands/behaviors that require a simulated server
669# (i.e., something with more features than DebuggingServer)
Victor Stinner45df8202010-04-28 22:31:17 +0000670@unittest.skipUnless(threading, 'Threading required for this test.')
671class SMTPSimTests(unittest.TestCase):
Guido van Rossum04110fb2007-08-24 16:32:05 +0000672
673 def setUp(self):
Richard Jones64b02de2010-08-03 06:39:33 +0000674 self.real_getfqdn = socket.getfqdn
675 socket.getfqdn = mock_socket.getfqdn
Guido van Rossum04110fb2007-08-24 16:32:05 +0000676 self.serv_evt = threading.Event()
677 self.client_evt = threading.Event()
Antoine Pitrou043bad02010-04-30 23:20:15 +0000678 # Pick a random unused port by passing 0 for the port number
679 self.serv = SimSMTPServer((HOST, 0), ('nowhere', -1))
680 # Keep a note of what port was assigned
681 self.port = self.serv.socket.getsockname()[1]
Christian Heimes5e696852008-04-09 08:37:03 +0000682 serv_args = (self.serv, self.serv_evt, self.client_evt)
Antoine Pitrouc3d47722009-10-27 19:49:45 +0000683 self.thread = threading.Thread(target=debugging_server, args=serv_args)
684 self.thread.start()
Guido van Rossum04110fb2007-08-24 16:32:05 +0000685
686 # wait until server thread has assigned a port number
Christian Heimes380f7f22008-02-28 11:19:05 +0000687 self.serv_evt.wait()
688 self.serv_evt.clear()
Guido van Rossum04110fb2007-08-24 16:32:05 +0000689
690 def tearDown(self):
Richard Jones64b02de2010-08-03 06:39:33 +0000691 socket.getfqdn = self.real_getfqdn
Guido van Rossum04110fb2007-08-24 16:32:05 +0000692 # indicate that the client is finished
693 self.client_evt.set()
694 # wait for the server thread to terminate
695 self.serv_evt.wait()
Antoine Pitrouc3d47722009-10-27 19:49:45 +0000696 self.thread.join()
Guido van Rossum04110fb2007-08-24 16:32:05 +0000697
698 def testBasic(self):
699 # smoke test
Christian Heimes5e696852008-04-09 08:37:03 +0000700 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=15)
Guido van Rossum04110fb2007-08-24 16:32:05 +0000701 smtp.quit()
702
703 def testEHLO(self):
Christian Heimes5e696852008-04-09 08:37:03 +0000704 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=15)
Guido van Rossum04110fb2007-08-24 16:32:05 +0000705
706 # no features should be present before the EHLO
707 self.assertEqual(smtp.esmtp_features, {})
708
709 # features expected from the test server
710 expected_features = {'expn':'',
711 'size': '20000000',
712 'starttls': '',
713 'deliverby': '',
714 'help': '',
715 }
716
717 smtp.ehlo()
718 self.assertEqual(smtp.esmtp_features, expected_features)
719 for k in expected_features:
720 self.assertTrue(smtp.has_extn(k))
721 self.assertFalse(smtp.has_extn('unsupported-feature'))
722 smtp.quit()
723
724 def testVRFY(self):
Christian Heimes5e696852008-04-09 08:37:03 +0000725 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=15)
Guido van Rossum04110fb2007-08-24 16:32:05 +0000726
727 for email, name in sim_users.items():
728 expected_known = (250, bytes('%s %s' %
Guido van Rossum5a23cc52007-08-30 14:02:43 +0000729 (name, smtplib.quoteaddr(email)),
730 "ascii"))
Guido van Rossum04110fb2007-08-24 16:32:05 +0000731 self.assertEqual(smtp.vrfy(email), expected_known)
732
733 u = 'nobody@nowhere.com'
R David Murray46346762011-07-18 21:38:54 -0400734 expected_unknown = (550, ('No such user: %s' % u).encode('ascii'))
Guido van Rossum04110fb2007-08-24 16:32:05 +0000735 self.assertEqual(smtp.vrfy(u), expected_unknown)
736 smtp.quit()
737
738 def testEXPN(self):
Christian Heimes5e696852008-04-09 08:37:03 +0000739 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=15)
Guido van Rossum04110fb2007-08-24 16:32:05 +0000740
741 for listname, members in sim_lists.items():
742 users = []
743 for m in members:
744 users.append('%s %s' % (sim_users[m], smtplib.quoteaddr(m)))
Guido van Rossum5a23cc52007-08-30 14:02:43 +0000745 expected_known = (250, bytes('\n'.join(users), "ascii"))
Guido van Rossum04110fb2007-08-24 16:32:05 +0000746 self.assertEqual(smtp.expn(listname), expected_known)
747
748 u = 'PSU-Members-List'
749 expected_unknown = (550, b'No access for you!')
750 self.assertEqual(smtp.expn(u), expected_unknown)
751 smtp.quit()
752
R. David Murrayfb123912009-05-28 18:19:00 +0000753 def testAUTH_PLAIN(self):
R. David Murrayfb123912009-05-28 18:19:00 +0000754 self.serv.add_feature("AUTH PLAIN")
R. David Murray23ddc0e2009-05-29 18:03:16 +0000755 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=15)
R. David Murraycaa27b72009-05-23 18:49:56 +0000756
R. David Murrayfb123912009-05-28 18:19:00 +0000757 expected_auth_ok = (235, b'plain auth ok')
R. David Murraycaa27b72009-05-23 18:49:56 +0000758 self.assertEqual(smtp.login(sim_auth[0], sim_auth[1]), expected_auth_ok)
Benjamin Petersond094efd2010-10-31 17:15:42 +0000759 smtp.close()
Guido van Rossum04110fb2007-08-24 16:32:05 +0000760
R. David Murrayfb123912009-05-28 18:19:00 +0000761 # SimSMTPChannel doesn't fully support LOGIN or CRAM-MD5 auth because they
762 # require a synchronous read to obtain the credentials...so instead smtpd
763 # sees the credential sent by smtplib's login method as an unknown command,
764 # which results in smtplib raising an auth error. Fortunately the error
765 # message contains the encoded credential, so we can partially check that it
766 # was generated correctly (partially, because the 'word' is uppercased in
767 # the error message).
768
769 def testAUTH_LOGIN(self):
R. David Murrayfb123912009-05-28 18:19:00 +0000770 self.serv.add_feature("AUTH LOGIN")
R. David Murray23ddc0e2009-05-29 18:03:16 +0000771 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=15)
R. David Murrayfb123912009-05-28 18:19:00 +0000772 try: smtp.login(sim_auth[0], sim_auth[1])
773 except smtplib.SMTPAuthenticationError as err:
Benjamin Peterson95951662010-10-31 17:59:20 +0000774 self.assertIn(sim_auth_login_password, str(err))
Benjamin Petersond094efd2010-10-31 17:15:42 +0000775 smtp.close()
R. David Murrayfb123912009-05-28 18:19:00 +0000776
777 def testAUTH_CRAM_MD5(self):
R. David Murrayfb123912009-05-28 18:19:00 +0000778 self.serv.add_feature("AUTH CRAM-MD5")
R. David Murray23ddc0e2009-05-29 18:03:16 +0000779 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=15)
R. David Murrayfb123912009-05-28 18:19:00 +0000780
781 try: smtp.login(sim_auth[0], sim_auth[1])
782 except smtplib.SMTPAuthenticationError as err:
Benjamin Peterson95951662010-10-31 17:59:20 +0000783 self.assertIn(sim_auth_credentials['cram-md5'], str(err))
Benjamin Petersond094efd2010-10-31 17:15:42 +0000784 smtp.close()
R. David Murrayfb123912009-05-28 18:19:00 +0000785
786 #TODO: add tests for correct AUTH method fallback now that the
787 #test infrastructure can support it.
788
R David Murrayd312c742013-03-20 20:36:14 -0400789 # Issue 5713: make sure close, not rset, is called if we get a 421 error
790 def test_421_from_mail_cmd(self):
791 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=15)
792 self.serv._SMTPchannel.mail_response = '421 closing connection'
793 with self.assertRaises(smtplib.SMTPSenderRefused):
794 smtp.sendmail('John', 'Sally', 'test message')
795 self.assertIsNone(smtp.sock)
796 self.assertEqual(self.serv._SMTPchannel.rcpt_count, 0)
797
798 def test_421_from_rcpt_cmd(self):
799 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=15)
800 self.serv._SMTPchannel.rcpt_response = ['250 accepted', '421 closing']
801 with self.assertRaises(smtplib.SMTPRecipientsRefused) as r:
802 smtp.sendmail('John', ['Sally', 'Frank', 'George'], 'test message')
803 self.assertIsNone(smtp.sock)
804 self.assertEqual(self.serv._SMTPchannel.rset_count, 0)
805 self.assertDictEqual(r.exception.args[0], {'Frank': (421, b'closing')})
806
807 def test_421_from_data_cmd(self):
808 class MySimSMTPChannel(SimSMTPChannel):
809 def found_terminator(self):
810 if self.smtp_state == self.DATA:
811 self.push('421 closing')
812 else:
813 super().found_terminator()
814 self.serv.channel_class = MySimSMTPChannel
815 smtp = smtplib.SMTP(HOST, self.port, local_hostname='localhost', timeout=15)
816 with self.assertRaises(smtplib.SMTPDataError):
817 smtp.sendmail('John@foo.org', ['Sally@foo.org'], 'test message')
818 self.assertIsNone(smtp.sock)
819 self.assertEqual(self.serv._SMTPchannel.rcpt_count, 0)
820
Guido van Rossum04110fb2007-08-24 16:32:05 +0000821
Antoine Pitroud54fa552011-08-28 01:23:52 +0200822@support.reap_threads
Guido van Rossumd8faa362007-04-27 19:54:29 +0000823def test_main(verbose=None):
Benjamin Petersonee8712c2008-05-20 21:35:26 +0000824 support.run_unittest(GeneralTests, DebuggingServerTests,
Christian Heimes380f7f22008-02-28 11:19:05 +0000825 NonConnectingTests,
Guido van Rossum04110fb2007-08-24 16:32:05 +0000826 BadHELOServerTests, SMTPSimTests)
Guido van Rossumd8faa362007-04-27 19:54:29 +0000827
828if __name__ == '__main__':
829 test_main()