cd
작업 디렉토리를 변경하는 쉘 명령입니다.
파이썬에서 현재 작업 디렉토리를 어떻게 변경합니까?
os.getcwd()
cd
작업 디렉토리를 변경하는 쉘 명령입니다.
파이썬에서 현재 작업 디렉토리를 어떻게 변경합니까?
os.getcwd()
답변:
다음을 사용하여 작업 디렉토리를 변경할 수 있습니다.
import os
os.chdir(path)
이 방법을 사용할 때 따라야 할 두 가지 모범 사례가 있습니다.
서브 프로세스에서 현재 작업 디렉토리를 변경해도 상위 프로세스의 현재 작업 디렉토리는 변경되지 않습니다. 이것은 파이썬 인터프리터에서도 마찬가지입니다. os.chdir()
호출 프로세스의 CWD를 변경하는 데 사용할 수 없습니다 .
os.chdir()
. ( 아마도 아닐 것입니다. )
os.chdir("C:/path/to/location")
다음은 작업 디렉토리를 변경하는 컨텍스트 관리자의 예입니다. 다른 곳에서 참조 되는 ActiveState 버전 보다 간단 하지만 작업이 완료됩니다.
cd
import os
class cd:
"""Context manager for changing the current working directory"""
def __init__(self, newPath):
self.newPath = os.path.expanduser(newPath)
def __enter__(self):
self.savedPath = os.getcwd()
os.chdir(self.newPath)
def __exit__(self, etype, value, traceback):
os.chdir(self.savedPath)
또는 ContextManager를 사용하여 더 간결한 (아래)를 시도하십시오 .
import subprocess # just to call an arbitrary command e.g. 'ls'
# enter the directory like this:
with cd("~/Library"):
# we are in ~/Library
subprocess.call("ls")
# outside the context manager we are back wherever we started.
return self
경우 끝에 추가하면 됩니다 __enter__
. 그렇게하면 다음 with cd('foo') as cm:
과 같이 이전 디렉토리에 액세스하고 액세스 할 수 있습니다cm.savedPath
cd()
생성기와 데코레이터를 사용하여 쉽게 작성할 수 있습니다.
from contextlib import contextmanager
import os
@contextmanager
def cd(newdir):
prevdir = os.getcwd()
os.chdir(os.path.expanduser(newdir))
try:
yield
finally:
os.chdir(prevdir)
그런 다음 예외가 발생한 후에도 디렉토리가 되돌려집니다.
os.chdir('/home')
with cd('/tmp'):
# ...
raise Exception("There's no place like home.")
# Directory is now back to '/home'.
yield
그렇지 return
않습니까? 이것은 발전기로되어 있습니까?
파이썬의 비교적 새로운 버전을 사용하는 경우, 당신은 또한 같은 맥락 관리자를 사용할 수 있습니다 이 하나 :
from __future__ import with_statement
from grizzled.os import working_directory
with working_directory(path_to_directory):
# code in here occurs within the directory
# code here is in the original directory
최신 정보
자신의 롤을 선호하는 경우 :
import os
from contextlib import contextmanager
@contextmanager
def working_directory(directory):
owd = os.getcwd()
try:
os.chdir(directory)
yield directory
finally:
os.chdir(owd)
contextlib.contextmanager
데코레이터가 좋습니다. cdunn2001 의 데코레이터 기반 답변을 참조하십시오 .이 답변은 현재 가장 적합한 답변입니다.
다른 사람들이 이미 지적했듯이 위의 모든 솔루션은 현재 프로세스의 작업 디렉토리 만 변경합니다. Unix 쉘로 돌아갈 때 손실됩니다. 필사적 인 경우이 끔찍한 핵으로 Unix의 상위 쉘 디렉토리를 변경할 수 있습니다.
def quote_against_shell_expansion(s):
import pipes
return pipes.quote(s)
def put_text_back_into_terminal_input_buffer(text):
# use of this means that it only works in an interactive session
# (and if the user types while it runs they could insert characters between the characters in 'text'!)
import fcntl, termios
for c in text:
fcntl.ioctl(1, termios.TIOCSTI, c)
def change_parent_process_directory(dest):
# the horror
put_text_back_into_terminal_input_buffer("cd "+quote_against_shell_expansion(dest)+"\n")
os.chdir()
올바른 방법입니다.
Brian이 지적한 방향으로 나아가며 sh (1.0.8+)
from sh import cd, ls
cd('/tmp')
print ls()
스크립트 프로세스의 현재 디렉토리를 변경하는 것은 쉽지 않습니다. 나는 실제로 파이썬 스크립트가 호출되는 명령 창의 현재 디렉토리를 변경하는 방법에 대한 질문이라고 생각합니다. 매우 어렵습니다. 쉘 자체가 인터프리터이기 때문에 Windows의 박쥐 스크립트 또는 Bash 쉘의 Bash 스크립트는 일반 cd 명령으로이를 수행 할 수 있습니다. Windows와 Linux에서 Python은 프로그램이며 부모의 환경을 직접 변경할 수있는 프로그램은 없습니다. 그러나 간단한 쉘 스크립트와 대부분의 어려운 작업을 수행하는 Python 스크립트를 결합하면 원하는 결과를 얻을 수 있습니다. 예를 들어, 뒤로 / 앞으로 / 선택 재 방문을위한 순회 히스토리가있는 확장 cd 명령을 작성하기 위해 간단한 bat 스크립트로 호출되는 비교적 복잡한 Python 스크립트를 작성했습니다. 순회 목록은 파일에 저장됩니다. 첫 번째 행에 대상 디렉토리가 있습니다. python 스크립트가 반환되면 bat 스크립트는 파일의 첫 번째 줄을 읽고 cd의 인수로 만듭니다. 완전한 bat 스크립트 (간결한 설명 제외)는 다음과 같습니다.
if _%1 == _. goto cdDone
if _%1 == _? goto help
if /i _%1 NEQ _-H goto doCd
:help
echo d.bat and dSup.py 2016.03.05. Extended chdir.
echo -C = clear traversal list.
echo -B or nothing = backward (to previous dir).
echo -F or - = forward (to next dir).
echo -R = remove current from list and return to previous.
echo -S = select from list.
echo -H, -h, ? = help.
echo . = make window title current directory.
echo Anything else = target directory.
goto done
:doCd
%~dp0dSup.py %1
for /F %%d in ( %~dp0dSupList ) do (
cd %%d
if errorlevel 1 ( %~dp0dSup.py -R )
goto cdDone
)
:cdDone
title %CD%
:done
파이썬 스크립트 dSup.py는 다음과 같습니다.
import sys, os, msvcrt
def indexNoCase ( slist, s ) :
for idx in range( len( slist )) :
if slist[idx].upper() == s.upper() :
return idx
raise ValueError
# .........main process ...................
if len( sys.argv ) < 2 :
cmd = 1 # No argument defaults to -B, the most common operation
elif sys.argv[1][0] == '-':
if len(sys.argv[1]) == 1 :
cmd = 2 # '-' alone defaults to -F, second most common operation.
else :
cmd = 'CBFRS'.find( sys.argv[1][1:2].upper())
else :
cmd = -1
dir = os.path.abspath( sys.argv[1] ) + '\n'
# cmd is -1 = path, 0 = C, 1 = B, 2 = F, 3 = R, 4 = S
fo = open( os.path.dirname( sys.argv[0] ) + '\\dSupList', mode = 'a+t' )
fo.seek( 0 )
dlist = fo.readlines( -1 )
if len( dlist ) == 0 :
dlist.append( os.getcwd() + '\n' ) # Prime new directory list with current.
if cmd == 1 : # B: move backward, i.e. to previous
target = dlist.pop(0)
dlist.append( target )
elif cmd == 2 : # F: move forward, i.e. to next
target = dlist.pop( len( dlist ) - 1 )
dlist.insert( 0, target )
elif cmd == 3 : # R: remove current from list. This forces cd to previous, a
# desireable side-effect
dlist.pop( 0 )
elif cmd == 4 : # S: select from list
# The current directory (dlist[0]) is included essentially as ESC.
for idx in range( len( dlist )) :
print( '(' + str( idx ) + ')', dlist[ idx ][:-1])
while True :
inp = msvcrt.getche()
if inp.isdigit() :
inp = int( inp )
if inp < len( dlist ) :
print( '' ) # Print the newline we didn't get from getche.
break
print( ' is out of range' )
# Select 0 means the current directory and the list is not changed. Otherwise
# the selected directory is moved to the top of the list. This can be done by
# either rotating the whole list until the selection is at the head or pop it
# and insert it to 0. It isn't obvious which would be better for the user but
# since pop-insert is simpler, it is used.
if inp > 0 :
dlist.insert( 0, dlist.pop( inp ))
elif cmd == -1 : # -1: dir is the requested new directory.
# If it is already in the list then remove it before inserting it at the head.
# This takes care of both the common case of it having been recently visited
# and the less common case of user mistakenly requesting current, in which
# case it is already at the head. Deleting and putting it back is a trivial
# inefficiency.
try:
dlist.pop( indexNoCase( dlist, dir ))
except ValueError :
pass
dlist = dlist[:9] # Control list length by removing older dirs (should be
# no more than one).
dlist.insert( 0, dir )
fo.truncate( 0 )
if cmd != 0 : # C: clear the list
fo.writelines( dlist )
fo.close()
exit(0)
os.chdir(os.path.join(os.path.abspath(os.path.curdir),u'subfolder'))
-또는?