파이썬에서 주어진 파일 / 디렉토리가 심볼릭 링크인지 확인하는 기능이 있습니까? 예를 들어 아래 파일의 경우 내 래퍼 함수는 True
.
# ls -l
total 0
lrwxrwxrwx 1 root root 8 2012-06-16 18:58 dir -> ../temp/
lrwxrwxrwx 1 root root 6 2012-06-16 18:55 link -> ../log
답변
디렉토리 항목이 심볼릭 링크인지 확인하려면 다음을 사용하십시오.
경로가 심볼릭 링크 인 디렉토리 항목을 참조하면 True를 반환합니다. 심볼릭 링크가 지원되지 않으면 항상 False입니다.
예를 들어 다음과 같습니다.
drwxr-xr-x 2 root root 4096 2011-11-10 08:14 bin/
drwxrwxrwx 1 root root 57 2011-07-10 05:11 initrd.img -> boot/initrd.img-2..
>>> import os.path
>>> os.path.islink('initrd.img')
True
>>> os.path.islink('bin')
False
답변
Python 3.4 이상에서는 Path 클래스를 사용할 수 있습니다.
from pathlib import Path
# rpd is a symbolic link
>>> Path('rdp').is_symlink()
True
>>> Path('README').is_symlink()
False
is_symlink () 메서드를 사용할 때는주의해야합니다. 명명 된 개체가 심볼릭 링크 인 한 링크 대상이 존재하지 않더라도 True를 반환합니다. 예 (Linux / Unix) :
ln -s ../nonexistentfile flnk
그런 다음 현재 디렉토리에서 파이썬을 시작하십시오.
>>> from pathlib import Path
>>> Path('flnk').is_symlink()
True
>>> Path('flnk').exists()
False
프로그래머는 자신이 원하는 것을 결정해야합니다. Python 3은 많은 클래스의 이름을 변경 한 것 같습니다. Path 클래스의 매뉴얼 페이지 https://docs.python.org/3/library/pathlib.html 을 읽는 것이 좋습니다.
답변
이 주제를 부풀 리려는 의도는 없지만 symlink를 찾고 실제 파일로 변환하고 파이썬 도구 라이브러리 내 에서이 스크립트를 찾았 기 때문에이 페이지로 리디렉션되었습니다.
#Source https://github.com/python/cpython/blob/master/Tools/scripts/mkreal.py
import sys
import os
from stat import *
BUFSIZE = 32*1024
def mkrealfile(name):
st = os.stat(name) # Get the mode
mode = S_IMODE(st[ST_MODE])
linkto = os.readlink(name) # Make sure again it's a symlink
f_in = open(name, 'r') # This ensures it's a file
os.unlink(name)
f_out = open(name, 'w')
while 1:
buf = f_in.read(BUFSIZE)
if not buf: break
f_out.write(buf)
del f_out # Flush data to disk before changing mode
os.chmod(name, mode)
mkrealfile("/Users/test/mysymlink")