web-dev-qa-db-ja.com

Pythonでファイルパスの一部(ディレクトリ)を抽出します

特定のパスの親ディレクトリの名前を抽出する必要があります。これは次のようになります。

c:\stuff\directory_i_need\subdir\file

「パス」ではなくdirectory_i_needの名前を使用する「ファイル」の内容を変更しています。すべてのファイルのリストを提供する関数を作成しました...

for path in file_list:
   #directory_name = os.path.dirname(path)   # this is not what I need, that's why it is commented
   directories, files = path.split('\\')

   line_replace_add_directory = line_replace + directories  
   # this is what I want to add in the text, with the directory name at the end 
   # of the line.

どうやってやるの?

113
Thalia
import os
## first file in current dir (with full path)
file = os.path.join(os.getcwd(), os.listdir(os.getcwd())[0])
file
os.path.dirname(file) ## directory of file
os.path.dirname(os.path.dirname(file)) ## directory of directory of file
...

そして、あなたはこれを必要な回数だけ続けることができます...

Edit:from os.path 、os.path.splitまたはos.path.basenameのいずれかを使用できます:

dir = os.path.dirname(os.path.dirname(file)) ## dir of dir of file
## once you're at the directory level you want, with the desired directory as the final path node:
dirname1 = os.path.basename(dir) 
dirname2 = os.path.split(dir)[1] ## if you look at the documentation, this is exactly what os.path.basename does.
179
Nisan.H

Python 3.4では、 pathlibモジュール を使用できます。

>>> from pathlib import Path
>>> p = Path('C:\Program Files\Internet Explorer\iexplore.exe')
>>> p.name
'iexplore.exe'
>>> p.suffix
'.exe'
>>> p.root
'\\'
>>> p.parts
('C:\\', 'Program Files', 'Internet Explorer', 'iexplore.exe')
>>> p.relative_to('C:\Program Files')
WindowsPath('Internet Explorer/iexplore.exe')
>>> p.exists()
True
25
Noam Manos

まず、os.path内で使用可能な関数としてsplitunc()があるかどうかを確認します。返される最初のアイテムはあなたが望むものでなければなりません...しかし、私はLinux上にいるので、osをインポートして使用しようとするとこの関数はありません。

それ以外の場合、仕事を終わらせるための1つのややoneい方法は、以下を使用することです。

>>> pathname = "\\C:\\mystuff\\project\\file.py"
>>> pathname
'\\C:\\mystuff\\project\\file.py'
>>> print pathname
\C:\mystuff\project\file.py
>>> "\\".join(pathname.split('\\')[:-2])
'\\C:\\mystuff'
>>> "\\".join(pathname.split('\\')[:-1])
'\\C:\\mystuff\\project'

これは、ファイルのすぐ上のディレクトリとそのすぐ上のディレクトリを取得することを示しています。

4
ely

これは、ディレクトリの一部を抽出するために行ったことです。

for path in file_list:
  directories = path.rsplit('\\')
  directories.reverse()
  line_replace_add_directory = line_replace+directories[2]

ご協力ありがとうございました。

1
Thalia

parent を使用する場合、必要なのはpathlib部分だけです。

from pathlib import Path
p = Path(r'C:\Program Files\Internet Explorer\iexplore.exe')
print(p.parent) 

出力されます:

C:\Program Files\Internet Explorer    

すべての部分が必要な場合(既に他の回答で説明されています)は、partsを使用します。

p = Path(r'C:\Program Files\Internet Explorer\iexplore.exe')
print(p.parts) 

次に、リストを取得します。

('C:\\', 'Program Files', 'Internet Explorer', 'iexplore.exe')

時間のトーンを節約します。

0
prosti