web-dev-qa-db-fra.com

Comment supprimer un préfixe de chemin en python?

Je voulais savoir quelle est la fonction Pythonic pour cela:

Je veux tout supprimer avant le chemin wa.

p = path.split('/')
counter = 0
while True:
    if p[counter] == 'wa':
        break
    counter += 1
path = '/'+'/'.join(p[counter:])

Par exemple, je veux '/book/html/wa/foo/bar/' devenir '/wa/foo/bar/'.

48
Natim

Une meilleure réponse serait d'utiliser os.path.relpath:

http://docs.python.org/2/library/os.path.html#os.path.relpath

>>> import os
>>> full_path = '/book/html/wa/foo/bar/'
>>> print os.path.relpath(full_path, '/book/html')
'wa/foo/bar'
135
Mitch ミッチ
>>> path = '/book/html/wa/foo/bar/'
>>> path[path.find('/wa'):]
'/wa/foo/bar/'
21
Felix Loether

Pour Python 3.4+, vous devez utiliser pathlib.PurePath.relative_to . Dans la documentation:

>>> p = PurePosixPath('/etc/passwd')
>>> p.relative_to('/')
PurePosixPath('etc/passwd')

>>> p.relative_to('/etc')
PurePosixPath('passwd')

>>> p.relative_to('/usr')
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
  File "pathlib.py", line 694, in relative_to
    .format(str(self), str(formatted)))
ValueError: '/etc/passwd' does not start with '/usr'

Voir aussi cette question StackOverflow pour plus de réponses à votre question.

7
pjgranahan
import re

path = '/book/html/wa/foo/bar/'
m = re.match(r'.*(/wa/[a-z/]+)',path)
print m.group(1)
1
vivek