LinuxでPython 2.6を使用しています。最速の方法は何ですか:
特定のディレクトリまたはファイルが含まれているパーティションを特定するには?
たとえば、/dev/sda2
が/home
にマウントされ、/dev/mapper/foo
が/home/foo
にマウントされているとします。文字列"/home/foo/bar/baz"
から、ペア("/dev/mapper/foo", "home/foo")
を復元したいと思います。
そして、指定されたパーティションの使用統計を取得するには?たとえば、/dev/mapper/foo
が与えられた場合、パーティションのサイズと使用可能な空き領域(バイト単位またはおよそメガバイト単位)を取得したいと思います。
デバイスの空き領域だけが必要な場合は、以下のos.statvfs()
を使用して回答を参照してください。
ファイルに関連付けられているデバイス名とマウントポイントも必要な場合は、外部プログラムを呼び出してこの情報を取得する必要があります。 df
は必要なすべての情報を提供します-df filename
として呼び出されると、ファイルを含むパーティションに関する行を出力します。
例を挙げると:
import subprocess
df = subprocess.Popen(["df", "filename"], stdout=subprocess.PIPE)
output = df.communicate()[0]
device, size, used, available, percent, mountpoint = \
output.split("\n")[1].split()
df
出力の正確な形式に依存するため、これはかなり壊れやすいことに注意してください。しかし、私はより堅牢なソリューションを知りません。 (以下の/proc
ファイルシステムに依存するいくつかのソリューションがありますが、これはこれよりも移植性が低くなります。)
これはパーティションの名前を与えるものではありませんが、statvfs
Unixシステムコールを使用してファイルシステムの統計を直接取得できます。 Pythonから呼び出すには、 os.statvfs('/home/foo/bar/baz')
を使用します。
結果の関連フィールド POSIXに準拠 :
unsigned long f_frsize Fundamental file system block size. fsblkcnt_t f_blocks Total number of blocks on file system in units of f_frsize. fsblkcnt_t f_bfree Total number of free blocks. fsblkcnt_t f_bavail Number of free blocks available to non-privileged process.
したがって、値を理解するには、f_frsize
を乗算します。
import os
statvfs = os.statvfs('/home/foo/bar/baz')
statvfs.f_frsize * statvfs.f_blocks # Size of filesystem in bytes
statvfs.f_frsize * statvfs.f_bfree # Actual number of free bytes
statvfs.f_frsize * statvfs.f_bavail # Number of free bytes that ordinary users
# are allowed to use (excl. reserved space)
_import os
def get_mount_point(pathname):
"Get the mount point of the filesystem containing pathname"
pathname= os.path.normcase(os.path.realpath(pathname))
parent_device= path_device= os.stat(pathname).st_dev
while parent_device == path_device:
mount_point= pathname
pathname= os.path.dirname(pathname)
if pathname == mount_point: break
parent_device= os.stat(pathname).st_dev
return mount_point
def get_mounted_device(pathname):
"Get the device mounted at pathname"
# uses "/proc/mounts"
pathname= os.path.normcase(pathname) # might be unnecessary here
try:
with open("/proc/mounts", "r") as ifp:
for line in ifp:
fields= line.rstrip('\n').split()
# note that line above assumes that
# no mount points contain whitespace
if fields[1] == pathname:
return fields[0]
except EnvironmentError:
pass
return None # explicit
def get_fs_freespace(pathname):
"Get the free space of the filesystem containing pathname"
stat= os.statvfs(pathname)
# use f_bfree for superuser, or f_bavail if filesystem
# has reserved space for superuser
return stat.f_bfree*stat.f_bsize
_
コンピューター上のいくつかのサンプルパス名:
_path 'trash':
mp /home /dev/sda4
free 6413754368
path 'smov':
mp /mnt/S /dev/sde
free 86761562112
path '/usr/local/lib':
mp / rootfs
free 2184364032
path '/proc/self/cmdline':
mp /proc proc
free 0
_
on Python≥3.3)には、shutil.disk_usage(path)
があり、_(total, used, free)
_の名前付きタプルをバイト単位で返します。
Python 3.3以降、標準ライブラリでこれを行う簡単で直接的な方法があります。
$ cat free_space.py
#!/usr/bin/env python3
import shutil
total, used, free = shutil.disk_usage(__file__)
print(total, used, free)
$ ./free_space.py
1007870246912 460794834944 495854989312
これらの数値はバイト単位です。詳細については、 ドキュメント を参照してください。
これは、あなたが尋ねたすべてのものになるはずです:
import os
from collections import namedtuple
disk_ntuple = namedtuple('partition', 'device mountpoint fstype')
usage_ntuple = namedtuple('usage', 'total used free percent')
def disk_partitions(all=False):
"""Return all mountd partitions as a nameduple.
If all == False return phyisical partitions only.
"""
phydevs = []
f = open("/proc/filesystems", "r")
for line in f:
if not line.startswith("nodev"):
phydevs.append(line.strip())
retlist = []
f = open('/etc/mtab', "r")
for line in f:
if not all and line.startswith('none'):
continue
fields = line.split()
device = fields[0]
mountpoint = fields[1]
fstype = fields[2]
if not all and fstype not in phydevs:
continue
if device == 'none':
device = ''
ntuple = disk_ntuple(device, mountpoint, fstype)
retlist.append(ntuple)
return retlist
def disk_usage(path):
"""Return disk usage associated with path."""
st = os.statvfs(path)
free = (st.f_bavail * st.f_frsize)
total = (st.f_blocks * st.f_frsize)
used = (st.f_blocks - st.f_bfree) * st.f_frsize
try:
percent = ret = (float(used) / total) * 100
except ZeroDivisionError:
percent = 0
# NB: the percentage is -5% than what shown by df due to
# reserved blocks that we are currently not considering:
# http://goo.gl/sWGbH
return usage_ntuple(total, used, free, round(percent, 1))
if __== '__main__':
for part in disk_partitions():
print part
print " %s\n" % str(disk_usage(part.mountpoint))
私のボックスには上記のコードが印刷されます:
giampaolo@ubuntu:~/dev$ python foo.py
partition(device='/dev/sda3', mountpoint='/', fstype='ext4')
usage(total=21378641920, used=4886749184, free=15405903872, percent=22.9)
partition(device='/dev/sda7', mountpoint='/home', fstype='ext4')
usage(total=30227386368, used=12137168896, free=16554737664, percent=40.2)
partition(device='/dev/sdb1', mountpoint='/media/1CA0-065B', fstype='vfat')
usage(total=7952400384, used=32768, free=7952367616, percent=0.0)
partition(device='/dev/sr0', mountpoint='/media/WB2PFRE_IT', fstype='iso9660')
usage(total=695730176, used=695730176, free=0, percent=100.0)
partition(device='/dev/sda6', mountpoint='/media/Dati', fstype='fuseblk')
usage(total=914217758720, used=614345637888, free=299872120832, percent=67.2)
それを見つける最も簡単な方法。
import os
from collections import namedtuple
DiskUsage = namedtuple('DiskUsage', 'total used free')
def disk_usage(path):
"""Return disk usage statistics about the given path.
Will return the namedtuple with attributes: 'total', 'used' and 'free',
which are the amount of total, used and free space, in bytes.
"""
st = os.statvfs(path)
free = st.f_bavail * st.f_frsize
total = st.f_blocks * st.f_frsize
used = (st.f_blocks - st.f_bfree) * st.f_frsize
return DiskUsage(total, used, free)
最初の点については、 os.path.realpath
正規のパスを取得するには、/etc/mtab
(実際にgetmntent
を呼び出すことをお勧めしますが、通常のアクセス方法を見つけることができません)最長一致を見つけます。 (確かに、おそらくstat
ファイルと推定マウントポイントの両方が、実際に同じデバイス上にあることを確認する必要があります)
2番目のポイントには、 os.statvfs
ブロックサイズと使用情報を取得します。
(免責事項:私はこれのどれもテストしていません、私が知っていることのほとんどはcoreutilsのソースから来ました)
質問の2番目の部分である「指定されたパーティションの使用統計を取得する」では、 psutil は disk_usage(path) 関数でこれを簡単にします。パスを指定すると、disk_usage()
は、合計スペース、使用スペース、および空きスペース(バイト単位)と使用率を含む名前付きタプルを返します。
ドキュメントからの簡単な例:
>>> import psutil
>>> psutil.disk_usage('/')
sdiskusage(total=21378641920, used=4809781248, free=15482871808, percent=22.5)
Psutilは、Pythonバージョン2.6から3.6まで、およびLinux、Windows、OSXでは他のプラットフォームでも動作します。
import os
def disk_stat(path):
disk = os.statvfs(path)
percent = (disk.f_blocks - disk.f_bfree) * 100 / (disk.f_blocks -disk.f_bfree + disk.f_bavail) + 1
return percent
print disk_stat('/')
print disk_stat('/data')
通常、/proc
ディレクトリには、Linuxでこのような情報が含まれています。これは仮想ファイルシステムです。例えば、 /proc/mounts
は、現在マウントされているディスクに関する情報を提供します。直接解析することができます。 top
、df
などのユーティリティはすべて/proc
。
私はそれを使用していませんが、ラッパーが必要な場合はこれも役立つかもしれません: http://bitbucket.org/chrismiles/psi/wiki/Home