~bzr-pqm/bzr/bzr.dev

« back to all changes in this revision

Viewing changes to bzrlib/transport/ftp.py

  • Committer: Canonical.com Patch Queue Manager
  • Date: 2007-07-22 18:09:04 UTC
  • mfrom: (2485.8.63 bzr.connection.sharing)
  • Revision ID: pqm@pqm.ubuntu.com-20070722180904-wy7y7oyi32wbghgf
Transport connection sharing

Show diffs side-by-side

added added

removed removed

Lines of Context:
47
47
from bzrlib.trace import mutter, warning
48
48
from bzrlib.transport import (
49
49
    Server,
50
 
    split_url,
51
 
    Transport,
 
50
    ConnectedTransport,
52
51
    )
53
52
from bzrlib.transport.local import LocalURLServer
54
53
import bzrlib.ui
60
59
    """FTP failed for path: %(path)s%(extra)s"""
61
60
 
62
61
 
63
 
_FTP_cache = {}
64
 
def _find_FTP(hostname, port, username, password, is_active):
65
 
    """Find an ftplib.FTP instance attached to this triplet."""
66
 
    key = (hostname, port, username, password, is_active)
67
 
    alt_key = (hostname, port, username, '********', is_active)
68
 
    if key not in _FTP_cache:
69
 
        mutter("Constructing FTP instance against %r" % (alt_key,))
70
 
        conn = ftplib.FTP()
71
 
 
72
 
        conn.connect(host=hostname, port=port)
73
 
        if username and username != 'anonymous' and not password:
74
 
            password = bzrlib.ui.ui_factory.get_password(
75
 
                prompt='FTP %(user)s@%(host)s password',
76
 
                user=username, host=hostname)
77
 
        conn.login(user=username, passwd=password)
78
 
        conn.set_pasv(not is_active)
79
 
 
80
 
        _FTP_cache[key] = conn
81
 
 
82
 
    return _FTP_cache[key]    
83
 
 
84
 
 
85
62
class FtpStatResult(object):
86
63
    def __init__(self, f, relpath):
87
64
        try:
99
76
_number_of_retries = 2
100
77
_sleep_between_retries = 5
101
78
 
102
 
class FtpTransport(Transport):
 
79
# FIXME: there are inconsistencies in the way temporary errors are
 
80
# handled. Sometimes we reconnect, sometimes we raise an exception. Care should
 
81
# be taken to analyze the implications for write operations (read operations
 
82
# are safe to retry). Overall even some read operations are never
 
83
# retried. --vila 20070720 (Bug #127164)
 
84
class FtpTransport(ConnectedTransport):
103
85
    """This is the transport agent for ftp:// access."""
104
86
 
105
 
    def __init__(self, base, _provided_instance=None):
 
87
    def __init__(self, base, _from_transport=None):
106
88
        """Set the base path where files will be stored."""
107
89
        assert base.startswith('ftp://') or base.startswith('aftp://')
108
 
 
109
 
        self.is_active = base.startswith('aftp://')
110
 
        if self.is_active:
111
 
            # urlparse won't handle aftp://, delete the leading 'a'
112
 
 
113
 
            # FIXME: This breaks even hopes of connection sharing
114
 
            # (by reusing the url instead of true cloning) by
115
 
            # modifying the the url coming from the user.
116
 
            base = base[1:]
117
 
        if not base.endswith('/'):
118
 
            base += '/'
119
 
        (self._proto, self._username,
120
 
            self._password, self._host,
121
 
            self._port, self._path) = split_url(base)
122
 
        base = self._unparse_url()
123
 
 
124
 
        super(FtpTransport, self).__init__(base)
125
 
        self._FTP_instance = _provided_instance
126
 
 
127
 
    def _unparse_url(self, path=None):
128
 
        if path is None:
129
 
            path = self._path
130
 
        path = urllib.quote(path)
131
 
        netloc = urllib.quote(self._host)
132
 
        if self._username is not None:
133
 
            netloc = '%s@%s' % (urllib.quote(self._username), netloc)
134
 
        if self._port is not None:
135
 
            netloc = '%s:%d' % (netloc, self._port)
136
 
        proto = 'ftp'
137
 
        if self.is_active:
138
 
            proto = 'aftp'
139
 
        return urlparse.urlunparse((proto, netloc, path, '', '', ''))
 
90
        super(FtpTransport, self).__init__(base,
 
91
                                           _from_transport=_from_transport)
 
92
        self._unqualified_scheme = 'ftp'
 
93
        if self._scheme == 'aftp':
 
94
            self.is_active = True
 
95
        else:
 
96
            self.is_active = False
140
97
 
141
98
    def _get_FTP(self):
142
99
        """Return the ftplib.FTP instance for this object."""
143
 
        if self._FTP_instance is not None:
144
 
            return self._FTP_instance
145
 
        
 
100
        # Ensures that a connection is established
 
101
        connection = self._get_connection()
 
102
        if connection is None:
 
103
            # First connection ever
 
104
            connection, credentials = self._create_connection()
 
105
            self._set_connection(connection, credentials)
 
106
        return connection
 
107
 
 
108
    def _create_connection(self, credentials=None):
 
109
        """Create a new connection with the provided credentials.
 
110
 
 
111
        :param credentials: The credentials needed to establish the connection.
 
112
 
 
113
        :return: The created connection and its associated credentials.
 
114
 
 
115
        The credentials are only the password as it may have been entered
 
116
        interactively by the user and may be different from the one provided
 
117
        in base url at transport creation time.
 
118
        """
 
119
        if credentials is None:
 
120
            password = self._password
 
121
        else:
 
122
            password = credentials
 
123
 
 
124
        mutter("Constructing FTP instance against %r" %
 
125
               ((self._host, self._port, self._user, '********',
 
126
                self.is_active),))
146
127
        try:
147
 
            self._FTP_instance = _find_FTP(self._host, self._port,
148
 
                                           self._username, self._password,
149
 
                                           self.is_active)
150
 
            return self._FTP_instance
 
128
            connection = ftplib.FTP()
 
129
            connection.connect(host=self._host, port=self._port)
 
130
            if self._user and self._user != 'anonymous' and \
 
131
                    password is not None: # '' is a valid password
 
132
                get_password = bzrlib.ui.ui_factory.get_password
 
133
                password = get_password(prompt='FTP %(user)s@%(host)s password',
 
134
                                        user=self._user, host=self._host)
 
135
            connection.login(user=self._user, passwd=password)
 
136
            connection.set_pasv(not self.is_active)
151
137
        except ftplib.error_perm, e:
152
 
            raise errors.TransportError(msg="Error setting up connection: %s"
153
 
                                    % str(e), orig_error=e)
154
 
 
155
 
    def _translate_perm_error(self, err, path, extra=None, unknown_exc=FtpPathError):
 
138
            raise errors.TransportError(msg="Error setting up connection:"
 
139
                                        " %s" % str(e), orig_error=e)
 
140
        return connection, password
 
141
 
 
142
    def _reconnect(self):
 
143
        """Create a new connection with the previously used credentials"""
 
144
        credentials = self.get_credentials()
 
145
        connection, credentials = self._create_connection(credentials)
 
146
        self._set_connection(connection, credentials)
 
147
 
 
148
    def _translate_perm_error(self, err, path, extra=None,
 
149
                              unknown_exc=FtpPathError):
156
150
        """Try to translate an ftplib.error_perm exception.
157
151
 
158
152
        :param err: The error to translate into a bzr error
170
164
            or 'could not open' in s
171
165
            or 'no such dir' in s
172
166
            or 'could not create file' in s # vsftpd
 
167
            or 'file doesn\'t exist' in s
173
168
            ):
174
169
            raise errors.NoSuchFile(path, extra=extra)
175
170
        if ('file exists' in s):
193
188
        """
194
189
        return True
195
190
 
196
 
    def clone(self, offset=None):
197
 
        """Return a new FtpTransport with root at self.base + offset.
198
 
        """
199
 
        mutter("FTP clone")
200
 
        if offset is None:
201
 
            return FtpTransport(self.base, self._FTP_instance)
202
 
        else:
203
 
            return FtpTransport(self.abspath(offset), self._FTP_instance)
204
 
 
205
 
    def _abspath(self, relpath):
206
 
        assert isinstance(relpath, basestring)
207
 
        relpath = urlutils.unescape(relpath)
208
 
        if relpath.startswith('/'):
209
 
            basepath = []
210
 
        else:
211
 
            basepath = self._path.split('/')
212
 
        if len(basepath) > 0 and basepath[-1] == '':
213
 
            basepath = basepath[:-1]
214
 
        for p in relpath.split('/'):
215
 
            if p == '..':
216
 
                if len(basepath) == 0:
217
 
                    # In most filesystems, a request for the parent
218
 
                    # of root, just returns root.
219
 
                    continue
220
 
                basepath.pop()
221
 
            elif p == '.' or p == '':
222
 
                continue # No-op
223
 
            else:
224
 
                basepath.append(p)
225
 
        # Possibly, we could use urlparse.urljoin() here, but
226
 
        # I'm concerned about when it chooses to strip the last
227
 
        # portion of the path, and when it doesn't.
228
 
 
 
191
    def _remote_path(self, relpath):
229
192
        # XXX: It seems that ftplib does not handle Unicode paths
230
 
        # at the same time, medusa won't handle utf8 paths
231
 
        # So if we .encode(utf8) here, then we get a Server failure.
232
 
        # while if we use str(), we get a UnicodeError, and the test suite
233
 
        # just skips testing UnicodePaths.
234
 
        return str('/'.join(basepath) or '/')
235
 
    
236
 
    def abspath(self, relpath):
237
 
        """Return the full url to the given relative path.
238
 
        This can be supplied with a string or a list
239
 
        """
240
 
        path = self._abspath(relpath)
241
 
        return self._unparse_url(path)
 
193
        # at the same time, medusa won't handle utf8 paths So if
 
194
        # we .encode(utf8) here (see ConnectedTransport
 
195
        # implementation), then we get a Server failure.  while
 
196
        # if we use str(), we get a UnicodeError, and the test
 
197
        # suite just skips testing UnicodePaths.
 
198
        relative = str(urlutils.unescape(relpath))
 
199
        remote_path = self._combine_paths(self._path, relative)
 
200
        return remote_path
242
201
 
243
202
    def has(self, relpath):
244
203
        """Does the target location exist?"""
247
206
        # XXX: I assume we're never asked has(dirname) and thus I use
248
207
        # the FTP size command and assume that if it doesn't raise,
249
208
        # all is good.
250
 
        abspath = self._abspath(relpath)
 
209
        abspath = self._remote_path(relpath)
251
210
        try:
252
211
            f = self._get_FTP()
253
212
            mutter('FTP has check: %s => %s', relpath, abspath)
273
232
        """
274
233
        # TODO: decode should be deprecated
275
234
        try:
276
 
            mutter("FTP get: %s", self._abspath(relpath))
 
235
            mutter("FTP get: %s", self._remote_path(relpath))
277
236
            f = self._get_FTP()
278
237
            ret = StringIO()
279
 
            f.retrbinary('RETR '+self._abspath(relpath), ret.write, 8192)
 
238
            f.retrbinary('RETR '+self._remote_path(relpath), ret.write, 8192)
280
239
            ret.seek(0)
281
240
            return ret
282
241
        except ftplib.error_perm, e:
288
247
                                     orig_error=e)
289
248
            else:
290
249
                warning("FTP temporary error: %s. Retrying.", str(e))
291
 
                self._FTP_instance = None
 
250
                self._reconnect()
292
251
                return self.get(relpath, decode, retries+1)
293
252
        except EOFError, e:
294
253
            if retries > _number_of_retries:
298
257
            else:
299
258
                warning("FTP control connection closed. Trying to reopen.")
300
259
                time.sleep(_sleep_between_retries)
301
 
                self._FTP_instance = None
 
260
                self._reconnect()
302
261
                return self.get(relpath, decode, retries+1)
303
262
 
304
263
    def put_file(self, relpath, fp, mode=None, retries=0):
312
271
        TODO: jam 20051215 ftp as a protocol seems to support chmod, but
313
272
        ftplib does not
314
273
        """
315
 
        abspath = self._abspath(relpath)
 
274
        abspath = self._remote_path(relpath)
316
275
        tmp_abspath = '%s.tmp.%.9f.%d.%d' % (abspath, time.time(),
317
276
                        os.getpid(), random.randint(0,0x7FFFFFFF))
318
277
        if getattr(fp, 'read', None) is None:
333
292
                    raise e
334
293
                raise
335
294
        except ftplib.error_perm, e:
336
 
            self._translate_perm_error(e, abspath, extra='could not store')
 
295
            self._translate_perm_error(e, abspath, extra='could not store',
 
296
                                       unknown_exc=errors.NoSuchFile)
337
297
        except ftplib.error_temp, e:
338
298
            if retries > _number_of_retries:
339
299
                raise errors.TransportError("FTP temporary error during PUT %s. Aborting."
340
300
                                     % self.abspath(relpath), orig_error=e)
341
301
            else:
342
302
                warning("FTP temporary error: %s. Retrying.", str(e))
343
 
                self._FTP_instance = None
 
303
                self._reconnect()
344
304
                self.put_file(relpath, fp, mode, retries+1)
345
305
        except EOFError:
346
306
            if retries > _number_of_retries:
349
309
            else:
350
310
                warning("FTP control connection closed. Trying to reopen.")
351
311
                time.sleep(_sleep_between_retries)
352
 
                self._FTP_instance = None
 
312
                self._reconnect()
353
313
                self.put_file(relpath, fp, mode, retries+1)
354
314
 
355
315
    def mkdir(self, relpath, mode=None):
356
316
        """Create a directory at the given path."""
357
 
        abspath = self._abspath(relpath)
 
317
        abspath = self._remote_path(relpath)
358
318
        try:
359
319
            mutter("FTP mkd: %s", abspath)
360
320
            f = self._get_FTP()
365
325
 
366
326
    def rmdir(self, rel_path):
367
327
        """Delete the directory at rel_path"""
368
 
        abspath = self._abspath(rel_path)
 
328
        abspath = self._remote_path(rel_path)
369
329
        try:
370
330
            mutter("FTP rmd: %s", abspath)
371
331
            f = self._get_FTP()
377
337
        """Append the text in the file-like object into the final
378
338
        location.
379
339
        """
380
 
        abspath = self._abspath(relpath)
 
340
        abspath = self._remote_path(relpath)
381
341
        if self.has(relpath):
382
342
            ftp = self._get_FTP()
383
343
            result = ftp.size(abspath)
396
356
        number of retries is exceeded.
397
357
        """
398
358
        try:
399
 
            abspath = self._abspath(relpath)
 
359
            abspath = self._remote_path(relpath)
400
360
            mutter("FTP appe (try %d) to %s", retries, abspath)
401
361
            ftp = self._get_FTP()
402
362
            ftp.voidcmd("TYPE I")
416
376
                        "Aborting." % abspath, orig_error=e)
417
377
            else:
418
378
                warning("FTP temporary error: %s. Retrying.", str(e))
419
 
                self._FTP_instance = None
 
379
                self._reconnect()
420
380
                self._try_append(relpath, text, mode, retries+1)
421
381
 
422
382
    def _setmode(self, relpath, mode):
427
387
        """
428
388
        try:
429
389
            mutter("FTP site chmod: setting permissions to %s on %s",
430
 
                str(mode), self._abspath(relpath))
 
390
                str(mode), self._remote_path(relpath))
431
391
            ftp = self._get_FTP()
432
 
            cmd = "SITE CHMOD %s %s" % (self._abspath(relpath), str(mode))
 
392
            cmd = "SITE CHMOD %s %s" % (self._remote_path(relpath), str(mode))
433
393
            ftp.sendcmd(cmd)
434
394
        except ftplib.error_perm, e:
435
395
            # Command probably not available on this server
436
396
            warning("FTP Could not set permissions to %s on %s. %s",
437
 
                    str(mode), self._abspath(relpath), str(e))
 
397
                    str(mode), self._remote_path(relpath), str(e))
438
398
 
439
399
    # TODO: jam 20060516 I believe ftp allows you to tell an ftp server
440
400
    #       to copy something to another machine. And you may be able
442
402
    #       So implement a fancier 'copy()'
443
403
 
444
404
    def rename(self, rel_from, rel_to):
445
 
        abs_from = self._abspath(rel_from)
446
 
        abs_to = self._abspath(rel_to)
 
405
        abs_from = self._remote_path(rel_from)
 
406
        abs_to = self._remote_path(rel_to)
447
407
        mutter("FTP rename: %s => %s", abs_from, abs_to)
448
408
        f = self._get_FTP()
449
409
        return self._rename(abs_from, abs_to, f)
457
417
 
458
418
    def move(self, rel_from, rel_to):
459
419
        """Move the item at rel_from to the location at rel_to"""
460
 
        abs_from = self._abspath(rel_from)
461
 
        abs_to = self._abspath(rel_to)
 
420
        abs_from = self._remote_path(rel_from)
 
421
        abs_to = self._remote_path(rel_to)
462
422
        try:
463
423
            mutter("FTP mv: %s => %s", abs_from, abs_to)
464
424
            f = self._get_FTP()
479
439
 
480
440
    def delete(self, relpath):
481
441
        """Delete the item at relpath"""
482
 
        abspath = self._abspath(relpath)
 
442
        abspath = self._remote_path(relpath)
483
443
        f = self._get_FTP()
484
444
        self._delete(abspath, f)
485
445
 
491
451
            self._translate_perm_error(e, abspath, 'error deleting',
492
452
                unknown_exc=errors.NoSuchFile)
493
453
 
 
454
    def external_url(self):
 
455
        """See bzrlib.transport.Transport.external_url."""
 
456
        # FTP URL's are externally usable.
 
457
        return self.base
 
458
 
494
459
    def listable(self):
495
460
        """See Transport.listable."""
496
461
        return True
497
462
 
498
463
    def list_dir(self, relpath):
499
464
        """See Transport.list_dir."""
500
 
        basepath = self._abspath(relpath)
 
465
        basepath = self._remote_path(relpath)
501
466
        mutter("FTP nlst: %s", basepath)
502
467
        f = self._get_FTP()
503
468
        try:
530
495
 
531
496
    def stat(self, relpath):
532
497
        """Return the stat information for a file."""
533
 
        abspath = self._abspath(relpath)
 
498
        abspath = self._remote_path(relpath)
534
499
        try:
535
500
            mutter("FTP stat: %s", abspath)
536
501
            f = self._get_FTP()
561
526
 
562
527
 
563
528
class FtpServer(Server):
564
 
    """Common code for SFTP server facilities."""
 
529
    """Common code for FTP server facilities."""
565
530
 
566
531
    def __init__(self):
567
532
        self._root = None
600
565
            )
601
566
        self._port = self._ftp_server.getsockname()[1]
602
567
        # Don't let it loop forever, or handle an infinite number of requests.
603
 
        # In this case it will run for 100s, or 1000 requests
 
568
        # In this case it will run for 1000s, or 10000 requests
604
569
        self._async_thread = threading.Thread(
605
570
                target=FtpServer._asyncore_loop_ignore_EBADF,
606
 
                kwargs={'timeout':0.1, 'count':1000})
 
571
                kwargs={'timeout':0.1, 'count':10000})
607
572
        self._async_thread.setDaemon(True)
608
573
        self._async_thread.start()
609
574
 
623
588
        """
624
589
        try:
625
590
            asyncore.loop(*args, **kwargs)
 
591
            # FIXME: If we reach that point, we should raise an exception
 
592
            # explaining that the 'count' parameter in setUp is too low or
 
593
            # testers may wonder why their test just sits there waiting for a
 
594
            # server that is already dead. Note that if the tester waits too
 
595
            # long under pdb the server will also die.
626
596
        except select.error, e:
627
597
            if e.args[0] != errno.EBADF:
628
598
                raise
674
644
        def log(self, message):
675
645
            """Redirect logging requests."""
676
646
            mutter('_ftp_channel: %s', message)
677
 
            
 
647
 
678
648
        def log_info(self, message, type='info'):
679
649
            """Redirect logging requests."""
680
650
            mutter('_ftp_channel %s: %s', type, message)
681
 
            
 
651
 
682
652
        def cmd_rnfr(self, line):
683
653
            """Prepare for renaming a file."""
684
654
            self._renaming = line[1]