blob: da8ba32917be746fb749d0ae28412ceba76e3da3 [file] [log] [blame]
Benjamin Petersonbe17a112008-09-27 21:49:47 +00001"""Test script for ftplib module."""
2
Antoine Pitrouf988cd02009-11-17 20:21:14 +00003# Modified by Giampaolo Rodola' to test FTP class, IPv6 and TLS
4# environment
Benjamin Petersonbe17a112008-09-27 21:49:47 +00005
Guido van Rossumd8faa362007-04-27 19:54:29 +00006import ftplib
Benjamin Petersonbe17a112008-09-27 21:49:47 +00007import asyncore
8import asynchat
9import socket
10import io
Antoine Pitrouf988cd02009-11-17 20:21:14 +000011import errno
12import os
Antoine Pitroua6a4dc82017-09-07 18:56:24 +020013import threading
Giampaolo Rodolàbd576b72010-05-10 14:53:29 +000014import time
Antoine Pitrouf988cd02009-11-17 20:21:14 +000015try:
16 import ssl
17except ImportError:
18 ssl = None
Guido van Rossumd8faa362007-04-27 19:54:29 +000019
Serhiy Storchaka43767632013-11-03 21:31:38 +020020from unittest import TestCase, skipUnless
Benjamin Petersonee8712c2008-05-20 21:35:26 +000021from test import support
Antoine Pitrouf6fbf562013-08-22 00:39:46 +020022from test.support import HOST, HOSTv6
Guido van Rossumd8faa362007-04-27 19:54:29 +000023
Giampaolo Rodola'0d4f08c2013-05-16 15:12:01 +020024TIMEOUT = 3
Benjamin Petersonbe17a112008-09-27 21:49:47 +000025# the dummy data returned by server over the data channel when
Giampaolo Rodola'd78def92011-05-06 19:49:08 +020026# RETR, LIST, NLST, MLSD commands are issued
Benjamin Petersonbe17a112008-09-27 21:49:47 +000027RETR_DATA = 'abcde12345\r\n' * 1000
28LIST_DATA = 'foo\r\nbar\r\n'
29NLST_DATA = 'foo\r\nbar\r\n'
Giampaolo Rodola'd78def92011-05-06 19:49:08 +020030MLSD_DATA = ("type=cdir;perm=el;unique==keVO1+ZF4; test\r\n"
31 "type=pdir;perm=e;unique==keVO1+d?3; ..\r\n"
32 "type=OS.unix=slink:/foobar;perm=;unique==keVO1+4G4; foobar\r\n"
33 "type=OS.unix=chr-13/29;perm=;unique==keVO1+5G4; device\r\n"
34 "type=OS.unix=blk-11/108;perm=;unique==keVO1+6G4; block\r\n"
35 "type=file;perm=awr;unique==keVO1+8G4; writable\r\n"
36 "type=dir;perm=cpmel;unique==keVO1+7G4; promiscuous\r\n"
37 "type=dir;perm=;unique==keVO1+1t2; no-exec\r\n"
38 "type=file;perm=r;unique==keVO1+EG4; two words\r\n"
39 "type=file;perm=r;unique==keVO1+IH4; leading space\r\n"
40 "type=file;perm=r;unique==keVO1+1G4; file1\r\n"
41 "type=dir;perm=cpmel;unique==keVO1+7G4; incoming\r\n"
42 "type=file;perm=r;unique==keVO1+1G4; file2\r\n"
43 "type=file;perm=r;unique==keVO1+1G4; file3\r\n"
44 "type=file;perm=r;unique==keVO1+1G4; file4\r\n")
Christian Heimes836baa52008-02-26 08:18:30 +000045
Christian Heimes836baa52008-02-26 08:18:30 +000046
Benjamin Petersonbe17a112008-09-27 21:49:47 +000047class DummyDTPHandler(asynchat.async_chat):
Antoine Pitrou2c4f98b2010-04-23 00:16:21 +000048 dtp_conn_closed = False
Benjamin Petersonbe17a112008-09-27 21:49:47 +000049
50 def __init__(self, conn, baseclass):
51 asynchat.async_chat.__init__(self, conn)
52 self.baseclass = baseclass
53 self.baseclass.last_received_data = ''
54
55 def handle_read(self):
Giampaolo Rodolàf96482e2010-08-04 10:36:18 +000056 self.baseclass.last_received_data += self.recv(1024).decode('ascii')
Benjamin Petersonbe17a112008-09-27 21:49:47 +000057
58 def handle_close(self):
Antoine Pitrou2c4f98b2010-04-23 00:16:21 +000059 # XXX: this method can be called many times in a row for a single
60 # connection, including in clear-text (non-TLS) mode.
61 # (behaviour witnessed with test_data_connection)
62 if not self.dtp_conn_closed:
63 self.baseclass.push('226 transfer complete')
64 self.close()
65 self.dtp_conn_closed = True
Benjamin Petersonbe17a112008-09-27 21:49:47 +000066
67 def push(self, what):
Giampaolo Rodola'd78def92011-05-06 19:49:08 +020068 if self.baseclass.next_data is not None:
69 what = self.baseclass.next_data
70 self.baseclass.next_data = None
71 if not what:
72 return self.close_when_done()
Giampaolo Rodolàf96482e2010-08-04 10:36:18 +000073 super(DummyDTPHandler, self).push(what.encode('ascii'))
Benjamin Petersonbe17a112008-09-27 21:49:47 +000074
Giampaolo Rodolàd930b632010-05-06 20:21:57 +000075 def handle_error(self):
Berker Peksag8f791d32014-11-01 10:45:57 +020076 raise Exception
Giampaolo Rodolàd930b632010-05-06 20:21:57 +000077
Benjamin Petersonbe17a112008-09-27 21:49:47 +000078
79class DummyFTPHandler(asynchat.async_chat):
80
Antoine Pitrouf988cd02009-11-17 20:21:14 +000081 dtp_handler = DummyDTPHandler
82
Benjamin Petersonbe17a112008-09-27 21:49:47 +000083 def __init__(self, conn):
84 asynchat.async_chat.__init__(self, conn)
Giampaolo Rodola'0b5c21f2011-05-07 19:03:47 +020085 # tells the socket to handle urgent data inline (ABOR command)
86 self.socket.setsockopt(socket.SOL_SOCKET, socket.SO_OOBINLINE, 1)
Benjamin Petersonbe17a112008-09-27 21:49:47 +000087 self.set_terminator(b"\r\n")
88 self.in_buffer = []
89 self.dtp = None
90 self.last_received_cmd = None
91 self.last_received_data = ''
92 self.next_response = ''
Giampaolo Rodola'd78def92011-05-06 19:49:08 +020093 self.next_data = None
Antoine Pitrou648bcd72009-11-27 13:23:26 +000094 self.rest = None
Serhiy Storchakac30b1782013-10-20 16:58:27 +030095 self.next_retr_data = RETR_DATA
Benjamin Petersonbe17a112008-09-27 21:49:47 +000096 self.push('220 welcome')
97
98 def collect_incoming_data(self, data):
99 self.in_buffer.append(data)
100
101 def found_terminator(self):
102 line = b''.join(self.in_buffer).decode('ascii')
103 self.in_buffer = []
104 if self.next_response:
105 self.push(self.next_response)
106 self.next_response = ''
107 cmd = line.split(' ')[0].lower()
108 self.last_received_cmd = cmd
109 space = line.find(' ')
110 if space != -1:
111 arg = line[space + 1:]
112 else:
113 arg = ""
114 if hasattr(self, 'cmd_' + cmd):
115 method = getattr(self, 'cmd_' + cmd)
116 method(arg)
117 else:
118 self.push('550 command "%s" not understood.' %cmd)
119
120 def handle_error(self):
Berker Peksag8f791d32014-11-01 10:45:57 +0200121 raise Exception
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000122
123 def push(self, data):
124 asynchat.async_chat.push(self, data.encode('ascii') + b'\r\n')
125
126 def cmd_port(self, arg):
127 addr = list(map(int, arg.split(',')))
128 ip = '%d.%d.%d.%d' %tuple(addr[:4])
129 port = (addr[4] * 256) + addr[5]
Giampaolo Rodola'0d4f08c2013-05-16 15:12:01 +0200130 s = socket.create_connection((ip, port), timeout=TIMEOUT)
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000131 self.dtp = self.dtp_handler(s, baseclass=self)
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000132 self.push('200 active data connection established')
133
134 def cmd_pasv(self, arg):
Brett Cannon918e2d42010-10-29 23:26:25 +0000135 with socket.socket() as sock:
136 sock.bind((self.socket.getsockname()[0], 0))
Charles-François Natali6e204602014-07-23 19:28:13 +0100137 sock.listen()
Giampaolo Rodola'0d4f08c2013-05-16 15:12:01 +0200138 sock.settimeout(TIMEOUT)
Brett Cannon918e2d42010-10-29 23:26:25 +0000139 ip, port = sock.getsockname()[:2]
140 ip = ip.replace('.', ','); p1 = port / 256; p2 = port % 256
141 self.push('227 entering passive mode (%s,%d,%d)' %(ip, p1, p2))
142 conn, addr = sock.accept()
143 self.dtp = self.dtp_handler(conn, baseclass=self)
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000144
145 def cmd_eprt(self, arg):
146 af, ip, port = arg.split(arg[0])[1:-1]
147 port = int(port)
Giampaolo Rodola'0d4f08c2013-05-16 15:12:01 +0200148 s = socket.create_connection((ip, port), timeout=TIMEOUT)
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000149 self.dtp = self.dtp_handler(s, baseclass=self)
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000150 self.push('200 active data connection established')
151
152 def cmd_epsv(self, arg):
Brett Cannon918e2d42010-10-29 23:26:25 +0000153 with socket.socket(socket.AF_INET6) as sock:
154 sock.bind((self.socket.getsockname()[0], 0))
Charles-François Natali6e204602014-07-23 19:28:13 +0100155 sock.listen()
Giampaolo Rodola'0d4f08c2013-05-16 15:12:01 +0200156 sock.settimeout(TIMEOUT)
Brett Cannon918e2d42010-10-29 23:26:25 +0000157 port = sock.getsockname()[1]
158 self.push('229 entering extended passive mode (|||%d|)' %port)
159 conn, addr = sock.accept()
160 self.dtp = self.dtp_handler(conn, baseclass=self)
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000161
162 def cmd_echo(self, arg):
163 # sends back the received string (used by the test suite)
164 self.push(arg)
165
Giampaolo Rodolàbd576b72010-05-10 14:53:29 +0000166 def cmd_noop(self, arg):
167 self.push('200 noop ok')
168
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000169 def cmd_user(self, arg):
170 self.push('331 username ok')
171
172 def cmd_pass(self, arg):
173 self.push('230 password ok')
174
175 def cmd_acct(self, arg):
176 self.push('230 acct ok')
177
178 def cmd_rnfr(self, arg):
179 self.push('350 rnfr ok')
180
181 def cmd_rnto(self, arg):
182 self.push('250 rnto ok')
183
184 def cmd_dele(self, arg):
185 self.push('250 dele ok')
186
187 def cmd_cwd(self, arg):
188 self.push('250 cwd ok')
189
190 def cmd_size(self, arg):
191 self.push('250 1000')
192
193 def cmd_mkd(self, arg):
194 self.push('257 "%s"' %arg)
195
196 def cmd_rmd(self, arg):
197 self.push('250 rmd ok')
198
199 def cmd_pwd(self, arg):
200 self.push('257 "pwd ok"')
201
202 def cmd_type(self, arg):
Giampaolo Rodolàf96482e2010-08-04 10:36:18 +0000203 self.push('200 type ok')
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000204
205 def cmd_quit(self, arg):
206 self.push('221 quit ok')
207 self.close()
208
Giampaolo Rodola'0b5c21f2011-05-07 19:03:47 +0200209 def cmd_abor(self, arg):
210 self.push('226 abor ok')
211
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000212 def cmd_stor(self, arg):
213 self.push('125 stor ok')
214
Antoine Pitrou648bcd72009-11-27 13:23:26 +0000215 def cmd_rest(self, arg):
216 self.rest = arg
217 self.push('350 rest ok')
218
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000219 def cmd_retr(self, arg):
220 self.push('125 retr ok')
Antoine Pitrou648bcd72009-11-27 13:23:26 +0000221 if self.rest is not None:
222 offset = int(self.rest)
223 else:
224 offset = 0
Serhiy Storchakac30b1782013-10-20 16:58:27 +0300225 self.dtp.push(self.next_retr_data[offset:])
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000226 self.dtp.close_when_done()
Antoine Pitrou648bcd72009-11-27 13:23:26 +0000227 self.rest = None
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000228
229 def cmd_list(self, arg):
230 self.push('125 list ok')
231 self.dtp.push(LIST_DATA)
232 self.dtp.close_when_done()
233
234 def cmd_nlst(self, arg):
235 self.push('125 nlst ok')
236 self.dtp.push(NLST_DATA)
237 self.dtp.close_when_done()
238
Giampaolo Rodola'd78def92011-05-06 19:49:08 +0200239 def cmd_opts(self, arg):
240 self.push('200 opts ok')
241
242 def cmd_mlsd(self, arg):
243 self.push('125 mlsd ok')
244 self.dtp.push(MLSD_DATA)
245 self.dtp.close_when_done()
246
Serhiy Storchakac30b1782013-10-20 16:58:27 +0300247 def cmd_setlongretr(self, arg):
248 # For testing. Next RETR will return long line.
249 self.next_retr_data = 'x' * int(arg)
250 self.push('125 setlongretr ok')
251
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000252
253class DummyFTPServer(asyncore.dispatcher, threading.Thread):
254
255 handler = DummyFTPHandler
256
257 def __init__(self, address, af=socket.AF_INET):
258 threading.Thread.__init__(self)
259 asyncore.dispatcher.__init__(self)
Christian Heimes529525f2018-05-23 22:24:45 +0200260 self.daemon = True
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000261 self.create_socket(af, socket.SOCK_STREAM)
262 self.bind(address)
263 self.listen(5)
264 self.active = False
265 self.active_lock = threading.Lock()
266 self.host, self.port = self.socket.getsockname()[:2]
Giampaolo Rodolàbd576b72010-05-10 14:53:29 +0000267 self.handler_instance = None
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000268
269 def start(self):
270 assert not self.active
271 self.__flag = threading.Event()
272 threading.Thread.start(self)
273 self.__flag.wait()
274
275 def run(self):
276 self.active = True
277 self.__flag.set()
278 while self.active and asyncore.socket_map:
279 self.active_lock.acquire()
280 asyncore.loop(timeout=0.1, count=1)
281 self.active_lock.release()
282 asyncore.close_all(ignore_all=True)
283
284 def stop(self):
285 assert self.active
286 self.active = False
287 self.join()
288
Giampaolo Rodolà977c7072010-10-04 21:08:36 +0000289 def handle_accepted(self, conn, addr):
Giampaolo Rodolàbd576b72010-05-10 14:53:29 +0000290 self.handler_instance = self.handler(conn)
Benjamin Petersond06e3b02008-09-28 21:00:42 +0000291
292 def handle_connect(self):
293 self.close()
294 handle_read = handle_connect
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000295
296 def writable(self):
297 return 0
298
299 def handle_error(self):
Berker Peksag8f791d32014-11-01 10:45:57 +0200300 raise Exception
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000301
302
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000303if ssl is not None:
304
Christian Heimese5b5edf2013-12-02 02:56:02 +0100305 CERTFILE = os.path.join(os.path.dirname(__file__), "keycert3.pem")
306 CAFILE = os.path.join(os.path.dirname(__file__), "pycacert.pem")
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000307
308 class SSLConnection(asyncore.dispatcher):
309 """An asyncore.dispatcher subclass supporting TLS/SSL."""
310
311 _ssl_accepting = False
Antoine Pitrou2c4f98b2010-04-23 00:16:21 +0000312 _ssl_closing = False
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000313
314 def secure_connection(self):
Christian Heimesd0486372016-09-10 23:23:33 +0200315 context = ssl.SSLContext()
316 context.load_cert_chain(CERTFILE)
317 socket = context.wrap_socket(self.socket,
318 suppress_ragged_eofs=False,
319 server_side=True,
320 do_handshake_on_connect=False)
Giampaolo Rodola'096dcb12011-06-27 11:17:51 +0200321 self.del_channel()
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000322 self.set_socket(socket)
323 self._ssl_accepting = True
324
325 def _do_ssl_handshake(self):
326 try:
327 self.socket.do_handshake()
328 except ssl.SSLError as err:
329 if err.args[0] in (ssl.SSL_ERROR_WANT_READ,
330 ssl.SSL_ERROR_WANT_WRITE):
331 return
332 elif err.args[0] == ssl.SSL_ERROR_EOF:
333 return self.handle_close()
Christian Heimes61d478c2018-01-27 15:51:38 +0100334 # TODO: SSLError does not expose alert information
335 elif "SSLV3_ALERT_BAD_CERTIFICATE" in err.args[1]:
336 return self.handle_close()
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000337 raise
Andrew Svetlov0832af62012-12-18 23:10:48 +0200338 except OSError as err:
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000339 if err.args[0] == errno.ECONNABORTED:
340 return self.handle_close()
341 else:
342 self._ssl_accepting = False
343
Antoine Pitrou2c4f98b2010-04-23 00:16:21 +0000344 def _do_ssl_shutdown(self):
345 self._ssl_closing = True
346 try:
347 self.socket = self.socket.unwrap()
348 except ssl.SSLError as err:
349 if err.args[0] in (ssl.SSL_ERROR_WANT_READ,
350 ssl.SSL_ERROR_WANT_WRITE):
351 return
Andrew Svetlov0832af62012-12-18 23:10:48 +0200352 except OSError as err:
Antoine Pitrou2c4f98b2010-04-23 00:16:21 +0000353 # Any "socket error" corresponds to a SSL_ERROR_SYSCALL return
354 # from OpenSSL's SSL_shutdown(), corresponding to a
355 # closed socket condition. See also:
356 # http://www.mail-archive.com/openssl-users@openssl.org/msg60710.html
357 pass
358 self._ssl_closing = False
Benjamin Petersonb29614e2012-10-09 11:16:03 -0400359 if getattr(self, '_ccc', False) is False:
Giampaolo Rodola'096dcb12011-06-27 11:17:51 +0200360 super(SSLConnection, self).close()
361 else:
362 pass
Antoine Pitrou2c4f98b2010-04-23 00:16:21 +0000363
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000364 def handle_read_event(self):
365 if self._ssl_accepting:
366 self._do_ssl_handshake()
Antoine Pitrou2c4f98b2010-04-23 00:16:21 +0000367 elif self._ssl_closing:
368 self._do_ssl_shutdown()
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000369 else:
370 super(SSLConnection, self).handle_read_event()
371
372 def handle_write_event(self):
373 if self._ssl_accepting:
374 self._do_ssl_handshake()
Antoine Pitrou2c4f98b2010-04-23 00:16:21 +0000375 elif self._ssl_closing:
376 self._do_ssl_shutdown()
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000377 else:
378 super(SSLConnection, self).handle_write_event()
379
380 def send(self, data):
381 try:
382 return super(SSLConnection, self).send(data)
383 except ssl.SSLError as err:
Antoine Pitrou5733c082010-03-22 14:49:10 +0000384 if err.args[0] in (ssl.SSL_ERROR_EOF, ssl.SSL_ERROR_ZERO_RETURN,
385 ssl.SSL_ERROR_WANT_READ,
386 ssl.SSL_ERROR_WANT_WRITE):
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000387 return 0
388 raise
389
390 def recv(self, buffer_size):
391 try:
392 return super(SSLConnection, self).recv(buffer_size)
393 except ssl.SSLError as err:
Antoine Pitrou5733c082010-03-22 14:49:10 +0000394 if err.args[0] in (ssl.SSL_ERROR_WANT_READ,
395 ssl.SSL_ERROR_WANT_WRITE):
Antoine Pitrou2c4f98b2010-04-23 00:16:21 +0000396 return b''
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000397 if err.args[0] in (ssl.SSL_ERROR_EOF, ssl.SSL_ERROR_ZERO_RETURN):
398 self.handle_close()
399 return b''
400 raise
401
402 def handle_error(self):
Berker Peksag8f791d32014-11-01 10:45:57 +0200403 raise Exception
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000404
405 def close(self):
Antoine Pitrou2c4f98b2010-04-23 00:16:21 +0000406 if (isinstance(self.socket, ssl.SSLSocket) and
Christian Heimes529525f2018-05-23 22:24:45 +0200407 self.socket._sslobj is not None):
Antoine Pitrou2c4f98b2010-04-23 00:16:21 +0000408 self._do_ssl_shutdown()
Benjamin Peterson1bd93a72010-10-31 19:58:07 +0000409 else:
410 super(SSLConnection, self).close()
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000411
412
413 class DummyTLS_DTPHandler(SSLConnection, DummyDTPHandler):
414 """A DummyDTPHandler subclass supporting TLS/SSL."""
415
416 def __init__(self, conn, baseclass):
417 DummyDTPHandler.__init__(self, conn, baseclass)
418 if self.baseclass.secure_data_channel:
419 self.secure_connection()
420
421
422 class DummyTLS_FTPHandler(SSLConnection, DummyFTPHandler):
423 """A DummyFTPHandler subclass supporting TLS/SSL."""
424
425 dtp_handler = DummyTLS_DTPHandler
426
427 def __init__(self, conn):
428 DummyFTPHandler.__init__(self, conn)
429 self.secure_data_channel = False
Giampaolo Rodola'096dcb12011-06-27 11:17:51 +0200430 self._ccc = False
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000431
432 def cmd_auth(self, line):
433 """Set up secure control channel."""
434 self.push('234 AUTH TLS successful')
435 self.secure_connection()
436
Giampaolo Rodola'096dcb12011-06-27 11:17:51 +0200437 def cmd_ccc(self, line):
438 self.push('220 Reverting back to clear-text')
439 self._ccc = True
440 self._do_ssl_shutdown()
441
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000442 def cmd_pbsz(self, line):
443 """Negotiate size of buffer for secure data transfer.
444 For TLS/SSL the only valid value for the parameter is '0'.
445 Any other value is accepted but ignored.
446 """
447 self.push('200 PBSZ=0 successful.')
448
449 def cmd_prot(self, line):
450 """Setup un/secure data channel."""
451 arg = line.upper()
452 if arg == 'C':
453 self.push('200 Protection set to Clear')
454 self.secure_data_channel = False
455 elif arg == 'P':
456 self.push('200 Protection set to Private')
457 self.secure_data_channel = True
458 else:
459 self.push("502 Unrecognized PROT type (use C or P).")
460
461
462 class DummyTLS_FTPServer(DummyFTPServer):
463 handler = DummyTLS_FTPHandler
464
465
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000466class TestFTPClass(TestCase):
467
468 def setUp(self):
469 self.server = DummyFTPServer((HOST, 0))
470 self.server.start()
Giampaolo Rodola'0d4f08c2013-05-16 15:12:01 +0200471 self.client = ftplib.FTP(timeout=TIMEOUT)
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000472 self.client.connect(self.server.host, self.server.port)
473
474 def tearDown(self):
475 self.client.close()
476 self.server.stop()
Victor Stinnerd403a292017-09-13 03:58:25 -0700477 # Explicitly clear the attribute to prevent dangling thread
478 self.server = None
Victor Stinner73528642017-06-30 17:36:57 +0200479 asyncore.close_all(ignore_all=True)
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000480
Giampaolo Rodola'8bc85852012-01-09 17:10:10 +0100481 def check_data(self, received, expected):
482 self.assertEqual(len(received), len(expected))
483 self.assertEqual(received, expected)
484
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000485 def test_getwelcome(self):
486 self.assertEqual(self.client.getwelcome(), '220 welcome')
487
488 def test_sanitize(self):
489 self.assertEqual(self.client.sanitize('foo'), repr('foo'))
490 self.assertEqual(self.client.sanitize('pass 12345'), repr('pass *****'))
491 self.assertEqual(self.client.sanitize('PASS 12345'), repr('PASS *****'))
492
493 def test_exceptions(self):
Dong-hee Na2b1e6e92017-07-23 02:20:22 +0900494 self.assertRaises(ValueError, self.client.sendcmd, 'echo 40\r\n0')
495 self.assertRaises(ValueError, self.client.sendcmd, 'echo 40\n0')
496 self.assertRaises(ValueError, self.client.sendcmd, 'echo 40\r0')
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000497 self.assertRaises(ftplib.error_temp, self.client.sendcmd, 'echo 400')
498 self.assertRaises(ftplib.error_temp, self.client.sendcmd, 'echo 499')
499 self.assertRaises(ftplib.error_perm, self.client.sendcmd, 'echo 500')
500 self.assertRaises(ftplib.error_perm, self.client.sendcmd, 'echo 599')
501 self.assertRaises(ftplib.error_proto, self.client.sendcmd, 'echo 999')
502
503 def test_all_errors(self):
504 exceptions = (ftplib.error_reply, ftplib.error_temp, ftplib.error_perm,
Dong-hee Na2b1e6e92017-07-23 02:20:22 +0900505 ftplib.error_proto, ftplib.Error, OSError,
506 EOFError)
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000507 for x in exceptions:
508 try:
509 raise x('exception not included in all_errors set')
510 except ftplib.all_errors:
511 pass
512
513 def test_set_pasv(self):
514 # passive mode is supposed to be enabled by default
515 self.assertTrue(self.client.passiveserver)
516 self.client.set_pasv(True)
517 self.assertTrue(self.client.passiveserver)
518 self.client.set_pasv(False)
519 self.assertFalse(self.client.passiveserver)
520
521 def test_voidcmd(self):
522 self.client.voidcmd('echo 200')
523 self.client.voidcmd('echo 299')
524 self.assertRaises(ftplib.error_reply, self.client.voidcmd, 'echo 199')
525 self.assertRaises(ftplib.error_reply, self.client.voidcmd, 'echo 300')
526
527 def test_login(self):
528 self.client.login()
529
530 def test_acct(self):
531 self.client.acct('passwd')
532
533 def test_rename(self):
534 self.client.rename('a', 'b')
Giampaolo Rodolàbd576b72010-05-10 14:53:29 +0000535 self.server.handler_instance.next_response = '200'
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000536 self.assertRaises(ftplib.error_reply, self.client.rename, 'a', 'b')
537
538 def test_delete(self):
539 self.client.delete('foo')
Giampaolo Rodolàbd576b72010-05-10 14:53:29 +0000540 self.server.handler_instance.next_response = '199'
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000541 self.assertRaises(ftplib.error_reply, self.client.delete, 'foo')
542
543 def test_size(self):
544 self.client.size('foo')
545
546 def test_mkd(self):
547 dir = self.client.mkd('/foo')
548 self.assertEqual(dir, '/foo')
549
550 def test_rmd(self):
551 self.client.rmd('foo')
552
Senthil Kumaran0d538602013-08-12 22:25:27 -0700553 def test_cwd(self):
554 dir = self.client.cwd('/foo')
555 self.assertEqual(dir, '250 cwd ok')
556
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000557 def test_pwd(self):
558 dir = self.client.pwd()
559 self.assertEqual(dir, 'pwd ok')
560
561 def test_quit(self):
562 self.assertEqual(self.client.quit(), '221 quit ok')
563 # Ensure the connection gets closed; sock attribute should be None
564 self.assertEqual(self.client.sock, None)
565
Giampaolo Rodola'0b5c21f2011-05-07 19:03:47 +0200566 def test_abort(self):
567 self.client.abort()
568
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000569 def test_retrbinary(self):
570 def callback(data):
571 received.append(data.decode('ascii'))
572 received = []
573 self.client.retrbinary('retr', callback)
Giampaolo Rodola'8bc85852012-01-09 17:10:10 +0100574 self.check_data(''.join(received), RETR_DATA)
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000575
Antoine Pitrou648bcd72009-11-27 13:23:26 +0000576 def test_retrbinary_rest(self):
577 def callback(data):
578 received.append(data.decode('ascii'))
579 for rest in (0, 10, 20):
580 received = []
581 self.client.retrbinary('retr', callback, rest=rest)
Giampaolo Rodola'8bc85852012-01-09 17:10:10 +0100582 self.check_data(''.join(received), RETR_DATA[rest:])
Antoine Pitrou648bcd72009-11-27 13:23:26 +0000583
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000584 def test_retrlines(self):
585 received = []
586 self.client.retrlines('retr', received.append)
Giampaolo Rodola'8bc85852012-01-09 17:10:10 +0100587 self.check_data(''.join(received), RETR_DATA.replace('\r\n', ''))
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000588
589 def test_storbinary(self):
590 f = io.BytesIO(RETR_DATA.encode('ascii'))
591 self.client.storbinary('stor', f)
Giampaolo Rodola'8bc85852012-01-09 17:10:10 +0100592 self.check_data(self.server.handler_instance.last_received_data, RETR_DATA)
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000593 # test new callback arg
594 flag = []
595 f.seek(0)
596 self.client.storbinary('stor', f, callback=lambda x: flag.append(None))
597 self.assertTrue(flag)
598
Antoine Pitrou648bcd72009-11-27 13:23:26 +0000599 def test_storbinary_rest(self):
600 f = io.BytesIO(RETR_DATA.replace('\r\n', '\n').encode('ascii'))
601 for r in (30, '30'):
602 f.seek(0)
603 self.client.storbinary('stor', f, rest=r)
Giampaolo Rodolàbd576b72010-05-10 14:53:29 +0000604 self.assertEqual(self.server.handler_instance.rest, str(r))
Antoine Pitrou648bcd72009-11-27 13:23:26 +0000605
Giampaolo Rodolàf96482e2010-08-04 10:36:18 +0000606 def test_storlines(self):
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000607 f = io.BytesIO(RETR_DATA.replace('\r\n', '\n').encode('ascii'))
608 self.client.storlines('stor', f)
Giampaolo Rodola'8bc85852012-01-09 17:10:10 +0100609 self.check_data(self.server.handler_instance.last_received_data, RETR_DATA)
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000610 # test new callback arg
611 flag = []
612 f.seek(0)
613 self.client.storlines('stor foo', f, callback=lambda x: flag.append(None))
614 self.assertTrue(flag)
615
Victor Stinnered3a3032013-04-02 22:13:27 +0200616 f = io.StringIO(RETR_DATA.replace('\r\n', '\n'))
617 # storlines() expects a binary file, not a text file
Florent Xicluna5f3fef32013-07-06 15:08:21 +0200618 with support.check_warnings(('', BytesWarning), quiet=True):
619 self.assertRaises(TypeError, self.client.storlines, 'stor foo', f)
Victor Stinnered3a3032013-04-02 22:13:27 +0200620
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000621 def test_nlst(self):
622 self.client.nlst()
623 self.assertEqual(self.client.nlst(), NLST_DATA.split('\r\n')[:-1])
624
625 def test_dir(self):
626 l = []
627 self.client.dir(lambda x: l.append(x))
628 self.assertEqual(''.join(l), LIST_DATA.replace('\r\n', ''))
629
Giampaolo Rodola'd78def92011-05-06 19:49:08 +0200630 def test_mlsd(self):
631 list(self.client.mlsd())
632 list(self.client.mlsd(path='/'))
633 list(self.client.mlsd(path='/', facts=['size', 'type']))
634
635 ls = list(self.client.mlsd())
636 for name, facts in ls:
Giampaolo Rodola'a55efb32011-05-07 16:06:59 +0200637 self.assertIsInstance(name, str)
638 self.assertIsInstance(facts, dict)
Giampaolo Rodola'd78def92011-05-06 19:49:08 +0200639 self.assertTrue(name)
Giampaolo Rodola'a55efb32011-05-07 16:06:59 +0200640 self.assertIn('type', facts)
641 self.assertIn('perm', facts)
642 self.assertIn('unique', facts)
Giampaolo Rodola'd78def92011-05-06 19:49:08 +0200643
644 def set_data(data):
645 self.server.handler_instance.next_data = data
646
647 def test_entry(line, type=None, perm=None, unique=None, name=None):
648 type = 'type' if type is None else type
649 perm = 'perm' if perm is None else perm
650 unique = 'unique' if unique is None else unique
651 name = 'name' if name is None else name
652 set_data(line)
653 _name, facts = next(self.client.mlsd())
654 self.assertEqual(_name, name)
655 self.assertEqual(facts['type'], type)
656 self.assertEqual(facts['perm'], perm)
657 self.assertEqual(facts['unique'], unique)
658
659 # plain
660 test_entry('type=type;perm=perm;unique=unique; name\r\n')
661 # "=" in fact value
662 test_entry('type=ty=pe;perm=perm;unique=unique; name\r\n', type="ty=pe")
663 test_entry('type==type;perm=perm;unique=unique; name\r\n', type="=type")
664 test_entry('type=t=y=pe;perm=perm;unique=unique; name\r\n', type="t=y=pe")
665 test_entry('type=====;perm=perm;unique=unique; name\r\n', type="====")
666 # spaces in name
667 test_entry('type=type;perm=perm;unique=unique; na me\r\n', name="na me")
668 test_entry('type=type;perm=perm;unique=unique; name \r\n', name="name ")
669 test_entry('type=type;perm=perm;unique=unique; name\r\n', name=" name")
670 test_entry('type=type;perm=perm;unique=unique; n am e\r\n', name="n am e")
671 # ";" in name
672 test_entry('type=type;perm=perm;unique=unique; na;me\r\n', name="na;me")
673 test_entry('type=type;perm=perm;unique=unique; ;name\r\n', name=";name")
674 test_entry('type=type;perm=perm;unique=unique; ;name;\r\n', name=";name;")
675 test_entry('type=type;perm=perm;unique=unique; ;;;;\r\n', name=";;;;")
676 # case sensitiveness
677 set_data('Type=type;TyPe=perm;UNIQUE=unique; name\r\n')
678 _name, facts = next(self.client.mlsd())
Giampaolo Rodola'a55efb32011-05-07 16:06:59 +0200679 for x in facts:
680 self.assertTrue(x.islower())
Giampaolo Rodola'd78def92011-05-06 19:49:08 +0200681 # no data (directory empty)
682 set_data('')
683 self.assertRaises(StopIteration, next, self.client.mlsd())
684 set_data('')
685 for x in self.client.mlsd():
Berker Peksag8f791d32014-11-01 10:45:57 +0200686 self.fail("unexpected data %s" % x)
Giampaolo Rodola'd78def92011-05-06 19:49:08 +0200687
Benjamin Peterson3a53fbb2008-09-27 22:04:16 +0000688 def test_makeport(self):
Brett Cannon918e2d42010-10-29 23:26:25 +0000689 with self.client.makeport():
690 # IPv4 is in use, just make sure send_eprt has not been used
691 self.assertEqual(self.server.handler_instance.last_received_cmd,
692 'port')
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000693
694 def test_makepasv(self):
695 host, port = self.client.makepasv()
Giampaolo Rodola'0d4f08c2013-05-16 15:12:01 +0200696 conn = socket.create_connection((host, port), timeout=TIMEOUT)
Guido van Rossumd8faa362007-04-27 19:54:29 +0000697 conn.close()
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000698 # IPv4 is in use, just make sure send_epsv has not been used
Giampaolo Rodolàbd576b72010-05-10 14:53:29 +0000699 self.assertEqual(self.server.handler_instance.last_received_cmd, 'pasv')
700
701 def test_with_statement(self):
702 self.client.quit()
703
704 def is_client_connected():
705 if self.client.sock is None:
706 return False
707 try:
708 self.client.sendcmd('noop')
Andrew Svetlov0832af62012-12-18 23:10:48 +0200709 except (OSError, EOFError):
Giampaolo Rodolàbd576b72010-05-10 14:53:29 +0000710 return False
711 return True
712
713 # base test
Giampaolo Rodola'0d4f08c2013-05-16 15:12:01 +0200714 with ftplib.FTP(timeout=TIMEOUT) as self.client:
Giampaolo Rodolàbd576b72010-05-10 14:53:29 +0000715 self.client.connect(self.server.host, self.server.port)
716 self.client.sendcmd('noop')
717 self.assertTrue(is_client_connected())
718 self.assertEqual(self.server.handler_instance.last_received_cmd, 'quit')
719 self.assertFalse(is_client_connected())
720
721 # QUIT sent inside the with block
Giampaolo Rodola'0d4f08c2013-05-16 15:12:01 +0200722 with ftplib.FTP(timeout=TIMEOUT) as self.client:
Giampaolo Rodolàbd576b72010-05-10 14:53:29 +0000723 self.client.connect(self.server.host, self.server.port)
724 self.client.sendcmd('noop')
725 self.client.quit()
726 self.assertEqual(self.server.handler_instance.last_received_cmd, 'quit')
727 self.assertFalse(is_client_connected())
728
729 # force a wrong response code to be sent on QUIT: error_perm
730 # is expected and the connection is supposed to be closed
731 try:
Giampaolo Rodola'0d4f08c2013-05-16 15:12:01 +0200732 with ftplib.FTP(timeout=TIMEOUT) as self.client:
Giampaolo Rodolàbd576b72010-05-10 14:53:29 +0000733 self.client.connect(self.server.host, self.server.port)
734 self.client.sendcmd('noop')
735 self.server.handler_instance.next_response = '550 error on quit'
736 except ftplib.error_perm as err:
737 self.assertEqual(str(err), '550 error on quit')
738 else:
739 self.fail('Exception not raised')
740 # needed to give the threaded server some time to set the attribute
741 # which otherwise would still be == 'noop'
742 time.sleep(0.1)
743 self.assertEqual(self.server.handler_instance.last_received_cmd, 'quit')
744 self.assertFalse(is_client_connected())
Guido van Rossumd8faa362007-04-27 19:54:29 +0000745
Giampaolo Rodolà396ff062011-02-28 19:19:51 +0000746 def test_source_address(self):
747 self.client.quit()
748 port = support.find_unused_port()
Antoine Pitrou6dca5272011-04-03 18:29:45 +0200749 try:
750 self.client.connect(self.server.host, self.server.port,
751 source_address=(HOST, port))
752 self.assertEqual(self.client.sock.getsockname()[1], port)
753 self.client.quit()
Andrew Svetlovf7a17b42012-12-25 16:47:37 +0200754 except OSError as e:
Antoine Pitrou6dca5272011-04-03 18:29:45 +0200755 if e.errno == errno.EADDRINUSE:
756 self.skipTest("couldn't bind to port %d" % port)
757 raise
Giampaolo Rodolà396ff062011-02-28 19:19:51 +0000758
759 def test_source_address_passive_connection(self):
760 port = support.find_unused_port()
761 self.client.source_address = (HOST, port)
Antoine Pitrou6dca5272011-04-03 18:29:45 +0200762 try:
763 with self.client.transfercmd('list') as sock:
764 self.assertEqual(sock.getsockname()[1], port)
Andrew Svetlovf7a17b42012-12-25 16:47:37 +0200765 except OSError as e:
Antoine Pitrou6dca5272011-04-03 18:29:45 +0200766 if e.errno == errno.EADDRINUSE:
767 self.skipTest("couldn't bind to port %d" % port)
768 raise
Giampaolo Rodolà396ff062011-02-28 19:19:51 +0000769
Giampaolo Rodolàbbc47822010-08-23 22:10:32 +0000770 def test_parse257(self):
771 self.assertEqual(ftplib.parse257('257 "/foo/bar"'), '/foo/bar')
772 self.assertEqual(ftplib.parse257('257 "/foo/bar" created'), '/foo/bar')
773 self.assertEqual(ftplib.parse257('257 ""'), '')
774 self.assertEqual(ftplib.parse257('257 "" created'), '')
775 self.assertRaises(ftplib.error_reply, ftplib.parse257, '250 "/foo/bar"')
776 # The 257 response is supposed to include the directory
777 # name and in case it contains embedded double-quotes
778 # they must be doubled (see RFC-959, chapter 7, appendix 2).
779 self.assertEqual(ftplib.parse257('257 "/foo/b""ar"'), '/foo/b"ar')
780 self.assertEqual(ftplib.parse257('257 "/foo/b""ar" created'), '/foo/b"ar')
781
Serhiy Storchakac30b1782013-10-20 16:58:27 +0300782 def test_line_too_long(self):
783 self.assertRaises(ftplib.Error, self.client.sendcmd,
784 'x' * self.client.maxline * 2)
785
786 def test_retrlines_too_long(self):
787 self.client.sendcmd('SETLONGRETR %d' % (self.client.maxline * 2))
788 received = []
789 self.assertRaises(ftplib.Error,
790 self.client.retrlines, 'retr', received.append)
791
792 def test_storlines_too_long(self):
793 f = io.BytesIO(b'x' * self.client.maxline * 2)
794 self.assertRaises(ftplib.Error, self.client.storlines, 'stor', f)
795
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000796
Serhiy Storchaka43767632013-11-03 21:31:38 +0200797@skipUnless(support.IPV6_ENABLED, "IPv6 not enabled")
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000798class TestIPv6Environment(TestCase):
799
800 def setUp(self):
Antoine Pitrouf6fbf562013-08-22 00:39:46 +0200801 self.server = DummyFTPServer((HOSTv6, 0), af=socket.AF_INET6)
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000802 self.server.start()
Giampaolo Rodola'0d4f08c2013-05-16 15:12:01 +0200803 self.client = ftplib.FTP(timeout=TIMEOUT)
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000804 self.client.connect(self.server.host, self.server.port)
805
806 def tearDown(self):
807 self.client.close()
808 self.server.stop()
Victor Stinnerd403a292017-09-13 03:58:25 -0700809 # Explicitly clear the attribute to prevent dangling thread
810 self.server = None
Victor Stinner73528642017-06-30 17:36:57 +0200811 asyncore.close_all(ignore_all=True)
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000812
813 def test_af(self):
814 self.assertEqual(self.client.af, socket.AF_INET6)
815
816 def test_makeport(self):
Brett Cannon918e2d42010-10-29 23:26:25 +0000817 with self.client.makeport():
818 self.assertEqual(self.server.handler_instance.last_received_cmd,
819 'eprt')
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000820
821 def test_makepasv(self):
822 host, port = self.client.makepasv()
Giampaolo Rodola'0d4f08c2013-05-16 15:12:01 +0200823 conn = socket.create_connection((host, port), timeout=TIMEOUT)
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000824 conn.close()
Giampaolo Rodolàbd576b72010-05-10 14:53:29 +0000825 self.assertEqual(self.server.handler_instance.last_received_cmd, 'epsv')
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000826
827 def test_transfer(self):
828 def retr():
829 def callback(data):
830 received.append(data.decode('ascii'))
831 received = []
832 self.client.retrbinary('retr', callback)
Giampaolo Rodola'8bc85852012-01-09 17:10:10 +0100833 self.assertEqual(len(''.join(received)), len(RETR_DATA))
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000834 self.assertEqual(''.join(received), RETR_DATA)
835 self.client.set_pasv(True)
836 retr()
837 self.client.set_pasv(False)
838 retr()
839
840
Serhiy Storchaka43767632013-11-03 21:31:38 +0200841@skipUnless(ssl, "SSL not available")
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000842class TestTLS_FTPClassMixin(TestFTPClass):
843 """Repeat TestFTPClass tests starting the TLS layer for both control
844 and data connections first.
845 """
846
847 def setUp(self):
848 self.server = DummyTLS_FTPServer((HOST, 0))
849 self.server.start()
Giampaolo Rodola'0d4f08c2013-05-16 15:12:01 +0200850 self.client = ftplib.FTP_TLS(timeout=TIMEOUT)
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000851 self.client.connect(self.server.host, self.server.port)
852 # enable TLS
853 self.client.auth()
854 self.client.prot_p()
855
856
Serhiy Storchaka43767632013-11-03 21:31:38 +0200857@skipUnless(ssl, "SSL not available")
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000858class TestTLS_FTPClass(TestCase):
859 """Specific TLS_FTP class tests."""
860
861 def setUp(self):
862 self.server = DummyTLS_FTPServer((HOST, 0))
863 self.server.start()
Giampaolo Rodola'0d4f08c2013-05-16 15:12:01 +0200864 self.client = ftplib.FTP_TLS(timeout=TIMEOUT)
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000865 self.client.connect(self.server.host, self.server.port)
866
867 def tearDown(self):
868 self.client.close()
869 self.server.stop()
Victor Stinnerd403a292017-09-13 03:58:25 -0700870 # Explicitly clear the attribute to prevent dangling thread
871 self.server = None
Victor Stinner73528642017-06-30 17:36:57 +0200872 asyncore.close_all(ignore_all=True)
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000873
874 def test_control_connection(self):
Ezio Melottie9615932010-01-24 19:26:24 +0000875 self.assertNotIsInstance(self.client.sock, ssl.SSLSocket)
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000876 self.client.auth()
Ezio Melottie9615932010-01-24 19:26:24 +0000877 self.assertIsInstance(self.client.sock, ssl.SSLSocket)
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000878
879 def test_data_connection(self):
880 # clear text
Brett Cannon918e2d42010-10-29 23:26:25 +0000881 with self.client.transfercmd('list') as sock:
882 self.assertNotIsInstance(sock, ssl.SSLSocket)
Christian Heimes1590c392018-08-16 19:43:44 +0200883 self.assertEqual(sock.recv(1024), LIST_DATA.encode('ascii'))
Antoine Pitrou2c4f98b2010-04-23 00:16:21 +0000884 self.assertEqual(self.client.voidresp(), "226 transfer complete")
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000885
886 # secured, after PROT P
887 self.client.prot_p()
Brett Cannon918e2d42010-10-29 23:26:25 +0000888 with self.client.transfercmd('list') as sock:
889 self.assertIsInstance(sock, ssl.SSLSocket)
Christian Heimes1590c392018-08-16 19:43:44 +0200890 # consume from SSL socket to finalize handshake and avoid
891 # "SSLError [SSL] shutdown while in init"
892 self.assertEqual(sock.recv(1024), LIST_DATA.encode('ascii'))
Antoine Pitrou2c4f98b2010-04-23 00:16:21 +0000893 self.assertEqual(self.client.voidresp(), "226 transfer complete")
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000894
895 # PROT C is issued, the connection must be in cleartext again
896 self.client.prot_c()
Brett Cannon918e2d42010-10-29 23:26:25 +0000897 with self.client.transfercmd('list') as sock:
898 self.assertNotIsInstance(sock, ssl.SSLSocket)
Christian Heimes1590c392018-08-16 19:43:44 +0200899 self.assertEqual(sock.recv(1024), LIST_DATA.encode('ascii'))
Antoine Pitrou2c4f98b2010-04-23 00:16:21 +0000900 self.assertEqual(self.client.voidresp(), "226 transfer complete")
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000901
902 def test_login(self):
903 # login() is supposed to implicitly secure the control connection
Ezio Melottie9615932010-01-24 19:26:24 +0000904 self.assertNotIsInstance(self.client.sock, ssl.SSLSocket)
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000905 self.client.login()
Ezio Melottie9615932010-01-24 19:26:24 +0000906 self.assertIsInstance(self.client.sock, ssl.SSLSocket)
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000907 # make sure that AUTH TLS doesn't get issued again
908 self.client.login()
909
910 def test_auth_issued_twice(self):
911 self.client.auth()
912 self.assertRaises(ValueError, self.client.auth)
913
Giampaolo Rodolàa67299e2010-05-26 18:06:04 +0000914 def test_context(self):
915 self.client.quit()
Christian Heimesa170fa12017-09-15 20:27:30 +0200916 ctx = ssl.SSLContext(ssl.PROTOCOL_TLS_CLIENT)
917 ctx.check_hostname = False
918 ctx.verify_mode = ssl.CERT_NONE
Giampaolo Rodolàa67299e2010-05-26 18:06:04 +0000919 self.assertRaises(ValueError, ftplib.FTP_TLS, keyfile=CERTFILE,
920 context=ctx)
921 self.assertRaises(ValueError, ftplib.FTP_TLS, certfile=CERTFILE,
922 context=ctx)
923 self.assertRaises(ValueError, ftplib.FTP_TLS, certfile=CERTFILE,
924 keyfile=CERTFILE, context=ctx)
925
Giampaolo Rodola'0d4f08c2013-05-16 15:12:01 +0200926 self.client = ftplib.FTP_TLS(context=ctx, timeout=TIMEOUT)
Giampaolo Rodolàa67299e2010-05-26 18:06:04 +0000927 self.client.connect(self.server.host, self.server.port)
928 self.assertNotIsInstance(self.client.sock, ssl.SSLSocket)
929 self.client.auth()
930 self.assertIs(self.client.sock.context, ctx)
931 self.assertIsInstance(self.client.sock, ssl.SSLSocket)
932
933 self.client.prot_p()
Brett Cannon918e2d42010-10-29 23:26:25 +0000934 with self.client.transfercmd('list') as sock:
935 self.assertIs(sock.context, ctx)
936 self.assertIsInstance(sock, ssl.SSLSocket)
Giampaolo Rodolàa67299e2010-05-26 18:06:04 +0000937
Giampaolo Rodola'096dcb12011-06-27 11:17:51 +0200938 def test_ccc(self):
939 self.assertRaises(ValueError, self.client.ccc)
940 self.client.login(secure=True)
941 self.assertIsInstance(self.client.sock, ssl.SSLSocket)
942 self.client.ccc()
943 self.assertRaises(ValueError, self.client.sock.unwrap)
Giampaolo Rodola'096dcb12011-06-27 11:17:51 +0200944
Victor Stinner51500f32018-01-29 13:21:34 +0100945 @skipUnless(False, "FIXME: bpo-32706")
Christian Heimese5b5edf2013-12-02 02:56:02 +0100946 def test_check_hostname(self):
947 self.client.quit()
Christian Heimesa170fa12017-09-15 20:27:30 +0200948 ctx = ssl.SSLContext(ssl.PROTOCOL_TLS_CLIENT)
949 self.assertEqual(ctx.verify_mode, ssl.CERT_REQUIRED)
950 self.assertEqual(ctx.check_hostname, True)
Christian Heimese5b5edf2013-12-02 02:56:02 +0100951 ctx.load_verify_locations(CAFILE)
952 self.client = ftplib.FTP_TLS(context=ctx, timeout=TIMEOUT)
953
954 # 127.0.0.1 doesn't match SAN
955 self.client.connect(self.server.host, self.server.port)
956 with self.assertRaises(ssl.CertificateError):
957 self.client.auth()
958 # exception quits connection
959
960 self.client.connect(self.server.host, self.server.port)
961 self.client.prot_p()
962 with self.assertRaises(ssl.CertificateError):
963 with self.client.transfercmd("list") as sock:
964 pass
965 self.client.quit()
966
967 self.client.connect("localhost", self.server.port)
968 self.client.auth()
969 self.client.quit()
970
971 self.client.connect("localhost", self.server.port)
972 self.client.prot_p()
973 with self.client.transfercmd("list") as sock:
974 pass
975
Antoine Pitrouf988cd02009-11-17 20:21:14 +0000976
Benjamin Petersonbe17a112008-09-27 21:49:47 +0000977class TestTimeouts(TestCase):
Guido van Rossumd8faa362007-04-27 19:54:29 +0000978
979 def setUp(self):
Guido van Rossumd8faa362007-04-27 19:54:29 +0000980 self.evt = threading.Event()
Christian Heimes5e696852008-04-09 08:37:03 +0000981 self.sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
Antoine Pitrou08d02722012-12-19 20:44:02 +0100982 self.sock.settimeout(20)
Benjamin Petersonee8712c2008-05-20 21:35:26 +0000983 self.port = support.bind_port(self.sock)
Antoine Pitrou08d02722012-12-19 20:44:02 +0100984 self.server_thread = threading.Thread(target=self.server)
Christian Heimes529525f2018-05-23 22:24:45 +0200985 self.server_thread.daemon = True
Antoine Pitrou08d02722012-12-19 20:44:02 +0100986 self.server_thread.start()
Christian Heimes836baa52008-02-26 08:18:30 +0000987 # Wait for the server to be ready.
988 self.evt.wait()
989 self.evt.clear()
Antoine Pitrou08d02722012-12-19 20:44:02 +0100990 self.old_port = ftplib.FTP.port
Christian Heimes5e696852008-04-09 08:37:03 +0000991 ftplib.FTP.port = self.port
Guido van Rossumd8faa362007-04-27 19:54:29 +0000992
993 def tearDown(self):
Antoine Pitrou08d02722012-12-19 20:44:02 +0100994 ftplib.FTP.port = self.old_port
995 self.server_thread.join()
Victor Stinnerb157ce12017-09-13 06:43:58 -0700996 # Explicitly clear the attribute to prevent dangling thread
997 self.server_thread = None
Guido van Rossumd8faa362007-04-27 19:54:29 +0000998
Antoine Pitrou08d02722012-12-19 20:44:02 +0100999 def server(self):
Benjamin Petersonbe17a112008-09-27 21:49:47 +00001000 # This method sets the evt 3 times:
1001 # 1) when the connection is ready to be accepted.
1002 # 2) when it is safe for the caller to close the connection
1003 # 3) when we have closed the socket
Charles-François Natali6e204602014-07-23 19:28:13 +01001004 self.sock.listen()
Benjamin Petersonbe17a112008-09-27 21:49:47 +00001005 # (1) Signal the caller that we are ready to accept the connection.
Antoine Pitrou08d02722012-12-19 20:44:02 +01001006 self.evt.set()
Benjamin Petersonbe17a112008-09-27 21:49:47 +00001007 try:
Antoine Pitrou08d02722012-12-19 20:44:02 +01001008 conn, addr = self.sock.accept()
Benjamin Petersonbe17a112008-09-27 21:49:47 +00001009 except socket.timeout:
1010 pass
1011 else:
Antoine Pitrou08d02722012-12-19 20:44:02 +01001012 conn.sendall(b"1 Hola mundo\n")
1013 conn.shutdown(socket.SHUT_WR)
Benjamin Petersonbe17a112008-09-27 21:49:47 +00001014 # (2) Signal the caller that it is safe to close the socket.
Antoine Pitrou08d02722012-12-19 20:44:02 +01001015 self.evt.set()
Benjamin Petersonbe17a112008-09-27 21:49:47 +00001016 conn.close()
1017 finally:
Antoine Pitrou08d02722012-12-19 20:44:02 +01001018 self.sock.close()
Guido van Rossumd8faa362007-04-27 19:54:29 +00001019
1020 def testTimeoutDefault(self):
Georg Brandlf78e02b2008-06-10 17:40:04 +00001021 # default -- use global socket timeout
Serhiy Storchaka25d8aea2014-02-08 14:50:08 +02001022 self.assertIsNone(socket.getdefaulttimeout())
Georg Brandlf78e02b2008-06-10 17:40:04 +00001023 socket.setdefaulttimeout(30)
1024 try:
Antoine Pitrouf6fbf562013-08-22 00:39:46 +02001025 ftp = ftplib.FTP(HOST)
Georg Brandlf78e02b2008-06-10 17:40:04 +00001026 finally:
1027 socket.setdefaulttimeout(None)
1028 self.assertEqual(ftp.sock.gettimeout(), 30)
1029 self.evt.wait()
1030 ftp.close()
1031
1032 def testTimeoutNone(self):
1033 # no timeout -- do not use global socket timeout
Serhiy Storchaka25d8aea2014-02-08 14:50:08 +02001034 self.assertIsNone(socket.getdefaulttimeout())
Georg Brandlf78e02b2008-06-10 17:40:04 +00001035 socket.setdefaulttimeout(30)
1036 try:
Antoine Pitrouf6fbf562013-08-22 00:39:46 +02001037 ftp = ftplib.FTP(HOST, timeout=None)
Georg Brandlf78e02b2008-06-10 17:40:04 +00001038 finally:
1039 socket.setdefaulttimeout(None)
Serhiy Storchaka25d8aea2014-02-08 14:50:08 +02001040 self.assertIsNone(ftp.sock.gettimeout())
Christian Heimes836baa52008-02-26 08:18:30 +00001041 self.evt.wait()
Georg Brandlf78e02b2008-06-10 17:40:04 +00001042 ftp.close()
Guido van Rossumd8faa362007-04-27 19:54:29 +00001043
1044 def testTimeoutValue(self):
1045 # a value
Christian Heimes5e696852008-04-09 08:37:03 +00001046 ftp = ftplib.FTP(HOST, timeout=30)
Guido van Rossumd8faa362007-04-27 19:54:29 +00001047 self.assertEqual(ftp.sock.gettimeout(), 30)
Christian Heimes836baa52008-02-26 08:18:30 +00001048 self.evt.wait()
Georg Brandlf78e02b2008-06-10 17:40:04 +00001049 ftp.close()
Guido van Rossumd8faa362007-04-27 19:54:29 +00001050
1051 def testTimeoutConnect(self):
1052 ftp = ftplib.FTP()
Christian Heimes5e696852008-04-09 08:37:03 +00001053 ftp.connect(HOST, timeout=30)
Guido van Rossumd8faa362007-04-27 19:54:29 +00001054 self.assertEqual(ftp.sock.gettimeout(), 30)
Christian Heimes836baa52008-02-26 08:18:30 +00001055 self.evt.wait()
Georg Brandlf78e02b2008-06-10 17:40:04 +00001056 ftp.close()
Guido van Rossumd8faa362007-04-27 19:54:29 +00001057
1058 def testTimeoutDifferentOrder(self):
1059 ftp = ftplib.FTP(timeout=30)
Christian Heimes5e696852008-04-09 08:37:03 +00001060 ftp.connect(HOST)
Guido van Rossumd8faa362007-04-27 19:54:29 +00001061 self.assertEqual(ftp.sock.gettimeout(), 30)
Christian Heimes836baa52008-02-26 08:18:30 +00001062 self.evt.wait()
Georg Brandlf78e02b2008-06-10 17:40:04 +00001063 ftp.close()
Guido van Rossumd8faa362007-04-27 19:54:29 +00001064
1065 def testTimeoutDirectAccess(self):
1066 ftp = ftplib.FTP()
1067 ftp.timeout = 30
Christian Heimes5e696852008-04-09 08:37:03 +00001068 ftp.connect(HOST)
Guido van Rossumd8faa362007-04-27 19:54:29 +00001069 self.assertEqual(ftp.sock.gettimeout(), 30)
Christian Heimes836baa52008-02-26 08:18:30 +00001070 self.evt.wait()
Guido van Rossumd8faa362007-04-27 19:54:29 +00001071 ftp.close()
1072
1073
Martin Panter19e69c52015-11-14 12:46:42 +00001074class MiscTestCase(TestCase):
1075 def test__all__(self):
1076 blacklist = {'MSG_OOB', 'FTP_PORT', 'MAXLINE', 'CRLF', 'B_CRLF',
1077 'Error', 'parse150', 'parse227', 'parse229', 'parse257',
1078 'print_line', 'ftpcp', 'test'}
1079 support.check__all__(self, ftplib, blacklist=blacklist)
1080
1081
Benjamin Petersonbe17a112008-09-27 21:49:47 +00001082def test_main():
Berker Peksag8f791d32014-11-01 10:45:57 +02001083 tests = [TestFTPClass, TestTimeouts,
Serhiy Storchaka43767632013-11-03 21:31:38 +02001084 TestIPv6Environment,
Martin Panter19e69c52015-11-14 12:46:42 +00001085 TestTLS_FTPClassMixin, TestTLS_FTPClass,
1086 MiscTestCase]
Antoine Pitrouf988cd02009-11-17 20:21:14 +00001087
Benjamin Petersonbe17a112008-09-27 21:49:47 +00001088 thread_info = support.threading_setup()
1089 try:
1090 support.run_unittest(*tests)
1091 finally:
1092 support.threading_cleanup(*thread_info)
1093
Guido van Rossumd8faa362007-04-27 19:54:29 +00001094
1095if __name__ == '__main__':
1096 test_main()