789

cd作業ディレクトリを変更するシェルコマンドです。

Python で現在の作業ディレクトリを変更するにはどうすればよいですか?

4

14 に答える 14

883

次の方法で作業ディレクトリを変更できます。

import os

os.chdir(path)

この方法を使用する場合は、次の 2 つのベスト プラクティスに従う必要があります。

  1. 無効なパスで例外 (WindowsError、OSError) をキャッチします。例外がスローされた場合は、再帰的な操作、特に破壊的な操作を実行しないでください。それらは、新しいパスではなく、古いパスで動作します。
  2. 完了したら、元のディレクトリに戻ります。これは、Brian M. Hunt がanswerで行ったように、chdir 呼び出しをコンテキスト マネージャーでラップすることにより、例外的に安全な方法で実行できます。

サブプロセスの現在の作業ディレクトリを変更しても、親プロセスの現在の作業ディレクトリは変更されません。これは、Python インタープリターにも当てはまります。os.chdir()を使用して呼び出しプロセスの CWD を変更することはできません。

于 2009-01-10T20:41:50.877 に答える
345

作業ディレクトリを変更するコンテキスト マネージャーの例を次に示します。他の場所で参照されている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.
于 2012-11-02T15:00:21.080 に答える
150

私はos.chdirこのように使用します:

os.chdir("/path/to/change/to")

ちなみに、現在のパスを把握する必要がある場合は、 を使用してくださいos.getcwd()

詳細はこちら

于 2009-01-10T20:43:26.880 に答える
142

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'.
于 2014-06-12T03:30:46.080 に答える
26

比較的新しいバージョンの Python を使用している場合は、次のようなコンテキスト マネージャーを使用することもできます

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)
于 2009-01-10T21:02:31.147 に答える
11

os.chdir()の Pythonic バージョンですcd

于 2009-01-10T20:34:31.093 に答える
11

os.chdir()が正しい方法です。

于 2009-01-10T20:34:53.450 に答える
6

ブライアンが指摘し、sh(1.0.8+)に基づいた方向にさらに進む

from sh import cd, ls

cd('/tmp')
print ls()
于 2013-07-02T13:50:24.640 に答える
0

スパイダーを使用し、GUI が好きな場合は、画面の右上隅にあるフォルダー ボタンをクリックするだけで、現在のディレクトリとして必要なフォルダー/ディレクトリをナビゲートできます。その後、spyder IDE のウィンドウのファイル エクスプローラー タブに移動すると、そこに存在するすべてのファイル/フォルダーを確認できます。現在の作業ディレクトリを確認するには、spyder IDE のコンソールに移動し、次のように入力します。

pwd

以前に選択したのと同じパスが出力されます。

于 2020-04-03T04:48:02.807 に答える
-1

スクリプト プロセスの現在のディレクトリを変更するのは簡単です。問題は、実際にはPythonスクリプトを呼び出すコマンドウィンドウの現在のディレクトリを変更する方法だと思いますが、これは非常に困難です。Windows の Bat スクリプトまたは Bash シェルの Bash スクリプトは、シェル自体がインタープリターであるため、通常の cd コマンドでこれを実行できます。Windows と Linux の両方で、Python はプログラムであり、親の環境を直接変更できるプログラムはありません。ただし、単純なシェル スクリプトと、難しい作業のほとんどを実行する Python スクリプトを組み合わせることで、目的の結果を得ることができます。たとえば、後方/前方/選択再訪のトラバーサル履歴を含む拡張 cd コマンドを作成するには、単純なバット スクリプトによって呼び出される比較的複雑な Python スクリプトを作成しました。トラバーサル リストはファイルに保存されます。最初の行にターゲット ディレクトリを指定します。Python スクリプトが戻ると、bat スクリプトはファイルの最初の行を読み取り、それを cd の引数にします。完全なバット スクリプト (簡潔にするためにコメントを除く) は次のとおりです。

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

Python スクリプト 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)
于 2016-03-06T21:08:55.100 に答える