blob: 011285e74bd92b21d61c6c7bb9df2e69f3946fce [file] [log] [blame]
Ned Deily5c867012014-06-26 23:40:06 -07001r"""OS routines for NT or Posix depending on what system we're on.
Guido van Rossum31104f41992-01-14 18:28:36 +00002
Guido van Rossum54f22ed2000-02-04 15:10:34 +00003This exports:
Jesus Cea4791a242012-10-05 03:15:39 +02004 - all functions from posix, nt or ce, e.g. unlink, stat, etc.
Alexandre Vassalottieca20b62008-05-16 02:54:33 +00005 - os.path is either posixpath or ntpath
Jesus Cea4791a242012-10-05 03:15:39 +02006 - os.name is either 'posix', 'nt' or 'ce'.
Guido van Rossum54f22ed2000-02-04 15:10:34 +00007 - os.curdir is a string representing the current directory ('.' or ':')
8 - os.pardir is a string representing the parent directory ('..' or '::')
9 - os.sep is the (or a most common) pathname separator ('/' or ':' or '\\')
Georg Brandled5b9b32008-12-05 07:45:54 +000010 - os.extsep is the extension separator (always '.')
Guido van Rossum4b8c6ea2000-02-04 15:39:30 +000011 - os.altsep is the alternate pathname separator (None or '/')
Guido van Rossum54f22ed2000-02-04 15:10:34 +000012 - os.pathsep is the component separator used in $PATH etc
Guido van Rossum4b8c6ea2000-02-04 15:39:30 +000013 - os.linesep is the line separator in text files ('\r' or '\n' or '\r\n')
Guido van Rossum54f22ed2000-02-04 15:10:34 +000014 - os.defpath is the default search path for executables
Martin v. Löwisbdec50f2004-06-08 08:29:33 +000015 - os.devnull is the file path of the null device ('/dev/null', etc.)
Guido van Rossum31104f41992-01-14 18:28:36 +000016
Guido van Rossum54f22ed2000-02-04 15:10:34 +000017Programs that import and use 'os' stand a better chance of being
18portable between different platforms. Of course, they must then
19only use functions that are defined by all platforms (e.g., unlink
20and opendir), and leave all pathname manipulation to os.path
21(e.g., split and join).
22"""
Guido van Rossum31104f41992-01-14 18:28:36 +000023
Skip Montanaro269b83b2001-02-06 01:07:02 +000024#'
25
Christian Heimes45f9af32007-11-27 21:50:00 +000026import sys, errno
Charles-François Natali7372b062012-02-05 15:15:38 +010027import stat as st
Guido van Rossuma28dab51997-08-29 22:36:47 +000028
29_names = sys.builtin_module_names
30
Tim Petersc4e09402003-04-25 07:11:48 +000031# Note: more names are added to __all__ later.
Brett Cannon13962fc2008-08-18 01:45:29 +000032__all__ = ["altsep", "curdir", "pardir", "sep", "pathsep", "linesep",
Petri Lehtinen3bc37f22012-05-23 21:36:16 +030033 "defpath", "name", "path", "devnull", "SEEK_SET", "SEEK_CUR",
34 "SEEK_END", "fsencode", "fsdecode", "get_exec_path", "fdopen",
35 "popen", "extsep"]
Skip Montanaro269b83b2001-02-06 01:07:02 +000036
Charles-François Natali7372b062012-02-05 15:15:38 +010037def _exists(name):
38 return name in globals()
39
Skip Montanaro269b83b2001-02-06 01:07:02 +000040def _get_exports_list(module):
41 try:
42 return list(module.__all__)
43 except AttributeError:
44 return [n for n in dir(module) if n[0] != '_']
45
Brett Cannonfd074152012-04-14 14:10:13 -040046# Any new dependencies of the os module and/or changes in path separator
47# requires updating importlib as well.
Guido van Rossuma28dab51997-08-29 22:36:47 +000048if 'posix' in _names:
Guido van Rossum61de0ac1997-12-05 21:24:30 +000049 name = 'posix'
Guido van Rossume9387ea1998-05-22 15:26:04 +000050 linesep = '\n'
Guido van Rossum61de0ac1997-12-05 21:24:30 +000051 from posix import *
52 try:
53 from posix import _exit
Petri Lehtinen3bc37f22012-05-23 21:36:16 +030054 __all__.append('_exit')
Brett Cannoncd171c82013-07-04 17:43:24 -040055 except ImportError:
Guido van Rossum61de0ac1997-12-05 21:24:30 +000056 pass
Skip Montanaro117910d2003-02-14 19:35:31 +000057 import posixpath as path
Tim Petersf2715e02003-02-19 02:35:07 +000058
Larry Hastings9cf065c2012-06-22 16:30:09 -070059 try:
60 from posix import _have_functions
Brett Cannoncd171c82013-07-04 17:43:24 -040061 except ImportError:
Larry Hastings9cf065c2012-06-22 16:30:09 -070062 pass
Skip Montanaro269b83b2001-02-06 01:07:02 +000063
Yury Selivanov97e2e062014-09-26 12:33:06 -040064 import posix
65 __all__.extend(_get_exports_list(posix))
66 del posix
67
Guido van Rossuma28dab51997-08-29 22:36:47 +000068elif 'nt' in _names:
Guido van Rossum61de0ac1997-12-05 21:24:30 +000069 name = 'nt'
Guido van Rossume9387ea1998-05-22 15:26:04 +000070 linesep = '\r\n'
Guido van Rossum61de0ac1997-12-05 21:24:30 +000071 from nt import *
Tim Peters6757c1e2003-01-08 21:20:57 +000072 try:
73 from nt import _exit
Petri Lehtinen3bc37f22012-05-23 21:36:16 +030074 __all__.append('_exit')
Brett Cannoncd171c82013-07-04 17:43:24 -040075 except ImportError:
Tim Peters6757c1e2003-01-08 21:20:57 +000076 pass
Skip Montanaro117910d2003-02-14 19:35:31 +000077 import ntpath as path
Tim Petersf2715e02003-02-19 02:35:07 +000078
Skip Montanaro269b83b2001-02-06 01:07:02 +000079 import nt
80 __all__.extend(_get_exports_list(nt))
81 del nt
82
Larry Hastings9cf065c2012-06-22 16:30:09 -070083 try:
84 from nt import _have_functions
Brett Cannoncd171c82013-07-04 17:43:24 -040085 except ImportError:
Larry Hastings9cf065c2012-06-22 16:30:09 -070086 pass
87
Guido van Rossum18df5d41999-06-11 01:37:27 +000088elif 'ce' in _names:
89 name = 'ce'
90 linesep = '\r\n'
Guido van Rossum18df5d41999-06-11 01:37:27 +000091 from ce import *
Tim Peters6757c1e2003-01-08 21:20:57 +000092 try:
93 from ce import _exit
Petri Lehtinen3bc37f22012-05-23 21:36:16 +030094 __all__.append('_exit')
Brett Cannoncd171c82013-07-04 17:43:24 -040095 except ImportError:
Tim Peters6757c1e2003-01-08 21:20:57 +000096 pass
Guido van Rossum18df5d41999-06-11 01:37:27 +000097 # We can use the standard Windows path.
Skip Montanaro117910d2003-02-14 19:35:31 +000098 import ntpath as path
Tim Petersf2715e02003-02-19 02:35:07 +000099
Skip Montanaro269b83b2001-02-06 01:07:02 +0000100 import ce
101 __all__.extend(_get_exports_list(ce))
102 del ce
103
Larry Hastings9cf065c2012-06-22 16:30:09 -0700104 try:
105 from ce import _have_functions
Brett Cannoncd171c82013-07-04 17:43:24 -0400106 except ImportError:
Larry Hastings9cf065c2012-06-22 16:30:09 -0700107 pass
108
Guido van Rossum2979b011994-08-01 11:18:30 +0000109else:
Brett Cannoncd171c82013-07-04 17:43:24 -0400110 raise ImportError('no os specific module found')
Guido van Rossume65cce51993-11-08 15:05:21 +0000111
Skip Montanaro117910d2003-02-14 19:35:31 +0000112sys.modules['os.path'] = path
Georg Brandled5b9b32008-12-05 07:45:54 +0000113from os.path import (curdir, pardir, sep, pathsep, defpath, extsep, altsep,
114 devnull)
Skip Montanaro269b83b2001-02-06 01:07:02 +0000115
Guido van Rossuma28dab51997-08-29 22:36:47 +0000116del _names
117
Larry Hastings9cf065c2012-06-22 16:30:09 -0700118
119if _exists("_have_functions"):
120 _globals = globals()
121 def _add(str, fn):
122 if (fn in _globals) and (str in _have_functions):
123 _set.add(_globals[fn])
124
125 _set = set()
126 _add("HAVE_FACCESSAT", "access")
127 _add("HAVE_FCHMODAT", "chmod")
128 _add("HAVE_FCHOWNAT", "chown")
129 _add("HAVE_FSTATAT", "stat")
130 _add("HAVE_FUTIMESAT", "utime")
131 _add("HAVE_LINKAT", "link")
132 _add("HAVE_MKDIRAT", "mkdir")
133 _add("HAVE_MKFIFOAT", "mkfifo")
134 _add("HAVE_MKNODAT", "mknod")
135 _add("HAVE_OPENAT", "open")
136 _add("HAVE_READLINKAT", "readlink")
137 _add("HAVE_RENAMEAT", "rename")
138 _add("HAVE_SYMLINKAT", "symlink")
139 _add("HAVE_UNLINKAT", "unlink")
Larry Hastingsb698d8e2012-06-23 16:55:07 -0700140 _add("HAVE_UNLINKAT", "rmdir")
Larry Hastings9cf065c2012-06-22 16:30:09 -0700141 _add("HAVE_UTIMENSAT", "utime")
142 supports_dir_fd = _set
143
144 _set = set()
145 _add("HAVE_FACCESSAT", "access")
146 supports_effective_ids = _set
147
148 _set = set()
149 _add("HAVE_FCHDIR", "chdir")
150 _add("HAVE_FCHMOD", "chmod")
151 _add("HAVE_FCHOWN", "chown")
152 _add("HAVE_FDOPENDIR", "listdir")
153 _add("HAVE_FEXECVE", "execve")
154 _set.add(stat) # fstat always works
Georg Brandl306336b2012-06-24 12:55:33 +0200155 _add("HAVE_FTRUNCATE", "truncate")
Larry Hastings9cf065c2012-06-22 16:30:09 -0700156 _add("HAVE_FUTIMENS", "utime")
157 _add("HAVE_FUTIMES", "utime")
Georg Brandl306336b2012-06-24 12:55:33 +0200158 _add("HAVE_FPATHCONF", "pathconf")
Larry Hastings9cf065c2012-06-22 16:30:09 -0700159 if _exists("statvfs") and _exists("fstatvfs"): # mac os x10.3
160 _add("HAVE_FSTATVFS", "statvfs")
161 supports_fd = _set
162
163 _set = set()
164 _add("HAVE_FACCESSAT", "access")
Larry Hastingsdbbc0c82012-06-22 19:50:21 -0700165 # Some platforms don't support lchmod(). Often the function exists
166 # anyway, as a stub that always returns ENOSUP or perhaps EOPNOTSUPP.
167 # (No, I don't know why that's a good design.) ./configure will detect
168 # this and reject it--so HAVE_LCHMOD still won't be defined on such
169 # platforms. This is Very Helpful.
170 #
171 # However, sometimes platforms without a working lchmod() *do* have
172 # fchmodat(). (Examples: Linux kernel 3.2 with glibc 2.15,
173 # OpenIndiana 3.x.) And fchmodat() has a flag that theoretically makes
174 # it behave like lchmod(). So in theory it would be a suitable
175 # replacement for lchmod(). But when lchmod() doesn't work, fchmodat()'s
176 # flag doesn't work *either*. Sadly ./configure isn't sophisticated
177 # enough to detect this condition--it only determines whether or not
178 # fchmodat() minimally works.
179 #
180 # Therefore we simply ignore fchmodat() when deciding whether or not
181 # os.chmod supports follow_symlinks. Just checking lchmod() is
182 # sufficient. After all--if you have a working fchmodat(), your
183 # lchmod() almost certainly works too.
184 #
185 # _add("HAVE_FCHMODAT", "chmod")
Larry Hastings9cf065c2012-06-22 16:30:09 -0700186 _add("HAVE_FCHOWNAT", "chown")
187 _add("HAVE_FSTATAT", "stat")
188 _add("HAVE_LCHFLAGS", "chflags")
189 _add("HAVE_LCHMOD", "chmod")
190 if _exists("lchown"): # mac os x10.3
191 _add("HAVE_LCHOWN", "chown")
192 _add("HAVE_LINKAT", "link")
193 _add("HAVE_LUTIMES", "utime")
194 _add("HAVE_LSTAT", "stat")
195 _add("HAVE_FSTATAT", "stat")
196 _add("HAVE_UTIMENSAT", "utime")
197 _add("MS_WINDOWS", "stat")
198 supports_follow_symlinks = _set
199
Larry Hastings9cf065c2012-06-22 16:30:09 -0700200 del _set
201 del _have_functions
202 del _globals
203 del _add
204
205
Martin v. Löwis22b457e2005-01-16 08:40:58 +0000206# Python uses fixed values for the SEEK_ constants; they are mapped
207# to native constants if necessary in posixmodule.c
Jesus Cea94363612012-06-22 18:32:07 +0200208# Other possible SEEK values are directly imported from posixmodule.c
Martin v. Löwis22b457e2005-01-16 08:40:58 +0000209SEEK_SET = 0
210SEEK_CUR = 1
211SEEK_END = 2
212
Guido van Rossum4def7de1998-07-24 20:48:03 +0000213# Super directory utilities.
214# (Inspired by Eric Raymond; the doc strings are mostly his)
215
Terry Reedy5a22b652010-12-02 07:05:56 +0000216def makedirs(name, mode=0o777, exist_ok=False):
Zachary Warea22ae212014-03-20 09:42:01 -0500217 """makedirs(name [, mode=0o777][, exist_ok=False])
Guido van Rossum4def7de1998-07-24 20:48:03 +0000218
Benjamin Petersonee5f1c12014-04-01 19:13:18 -0400219 Super-mkdir; create a leaf directory and all intermediate ones. Works like
220 mkdir, except that any intermediate path segment (not just the rightmost)
221 will be created if it does not exist. If the target directory already
222 exists, raise an OSError if exist_ok is False. Otherwise no exception is
Terry Reedy5a22b652010-12-02 07:05:56 +0000223 raised. This is recursive.
Guido van Rossum4def7de1998-07-24 20:48:03 +0000224
225 """
226 head, tail = path.split(name)
Fred Drake9f2550f2000-07-25 15:16:40 +0000227 if not tail:
228 head, tail = path.split(head)
Guido van Rossum4def7de1998-07-24 20:48:03 +0000229 if head and tail and not path.exists(head):
Thomas Wouters89f507f2006-12-13 04:49:30 +0000230 try:
Terry Reedy5a22b652010-12-02 07:05:56 +0000231 makedirs(head, mode, exist_ok)
Giampaolo Rodola'0166a282013-02-12 15:14:17 +0100232 except FileExistsError:
Martin Pantera82642f2015-11-19 04:48:44 +0000233 # Defeats race condition when another thread created the path
Giampaolo Rodola'0166a282013-02-12 15:14:17 +0100234 pass
Serhiy Storchaka4ab23bf2013-01-08 11:32:58 +0200235 cdir = curdir
236 if isinstance(tail, bytes):
237 cdir = bytes(curdir, 'ASCII')
238 if tail == cdir: # xxx/newdir/. exists if xxx/newdir exists
Andrew M. Kuchling6fccc8a2003-12-23 16:33:28 +0000239 return
Terry Reedy5a22b652010-12-02 07:05:56 +0000240 try:
241 mkdir(name, mode)
Martin Pantera82642f2015-11-19 04:48:44 +0000242 except OSError:
243 # Cannot rely on checking for EEXIST, since the operating system
244 # could give priority to other errors like EACCES or EROFS
245 if not exist_ok or not path.isdir(name):
Terry Reedy5a22b652010-12-02 07:05:56 +0000246 raise
Guido van Rossum4def7de1998-07-24 20:48:03 +0000247
248def removedirs(name):
Zachary Warea22ae212014-03-20 09:42:01 -0500249 """removedirs(name)
Guido van Rossum4def7de1998-07-24 20:48:03 +0000250
Fredrik Lundh96c1c7a2005-11-12 15:55:04 +0000251 Super-rmdir; remove a leaf directory and all empty intermediate
Guido van Rossum4def7de1998-07-24 20:48:03 +0000252 ones. Works like rmdir except that, if the leaf directory is
253 successfully removed, directories corresponding to rightmost path
Tim Petersc4e09402003-04-25 07:11:48 +0000254 segments will be pruned away until either the whole path is
Guido van Rossum4def7de1998-07-24 20:48:03 +0000255 consumed or an error occurs. Errors during this latter phase are
256 ignored -- they generally mean that a directory was not empty.
257
258 """
259 rmdir(name)
260 head, tail = path.split(name)
Fred Drake9f2550f2000-07-25 15:16:40 +0000261 if not tail:
262 head, tail = path.split(head)
Guido van Rossum4def7de1998-07-24 20:48:03 +0000263 while head and tail:
264 try:
265 rmdir(head)
Andrew Svetlov2552bc02012-12-24 21:47:24 +0200266 except OSError:
Guido van Rossum4def7de1998-07-24 20:48:03 +0000267 break
268 head, tail = path.split(head)
269
270def renames(old, new):
Fred Drakecadb9eb2002-07-02 21:28:04 +0000271 """renames(old, new)
Guido van Rossum4def7de1998-07-24 20:48:03 +0000272
273 Super-rename; create directories as necessary and delete any left
274 empty. Works like rename, except creation of any intermediate
275 directories needed to make the new pathname good is attempted
276 first. After the rename, directories corresponding to rightmost
Benjamin Peterson52a3b742015-04-13 20:24:10 -0400277 path segments of the old name will be pruned until either the
Guido van Rossum4def7de1998-07-24 20:48:03 +0000278 whole path is consumed or a nonempty directory is found.
279
280 Note: this function can fail with the new directory structure made
281 if you lack permissions needed to unlink the leaf directory or
282 file.
283
284 """
285 head, tail = path.split(new)
286 if head and tail and not path.exists(head):
287 makedirs(head)
288 rename(old, new)
289 head, tail = path.split(old)
290 if head and tail:
291 try:
292 removedirs(head)
Andrew Svetlov8b33dd82012-12-24 19:58:48 +0200293 except OSError:
Guido van Rossum4def7de1998-07-24 20:48:03 +0000294 pass
295
Skip Montanaro269b83b2001-02-06 01:07:02 +0000296__all__.extend(["makedirs", "removedirs", "renames"])
297
Guido van Rossumd8faa362007-04-27 19:54:29 +0000298def walk(top, topdown=True, onerror=None, followlinks=False):
Tim Petersc4e09402003-04-25 07:11:48 +0000299 """Directory tree generator.
300
301 For each directory in the directory tree rooted at top (including top
302 itself, but excluding '.' and '..'), yields a 3-tuple
303
304 dirpath, dirnames, filenames
305
306 dirpath is a string, the path to the directory. dirnames is a list of
307 the names of the subdirectories in dirpath (excluding '.' and '..').
308 filenames is a list of the names of the non-directory files in dirpath.
309 Note that the names in the lists are just names, with no path components.
310 To get a full path (which begins with top) to a file or directory in
311 dirpath, do os.path.join(dirpath, name).
312
313 If optional arg 'topdown' is true or not specified, the triple for a
314 directory is generated before the triples for any of its subdirectories
315 (directories are generated top down). If topdown is false, the triple
316 for a directory is generated after the triples for all of its
317 subdirectories (directories are generated bottom up).
318
319 When topdown is true, the caller can modify the dirnames list in-place
320 (e.g., via del or slice assignment), and walk will only recurse into the
Benjamin Petersone58e0c72014-06-15 20:51:12 -0700321 subdirectories whose names remain in dirnames; this can be used to prune the
322 search, or to impose a specific order of visiting. Modifying dirnames when
323 topdown is false is ineffective, since the directories in dirnames have
324 already been generated by the time dirnames itself is generated. No matter
325 the value of topdown, the list of subdirectories is retrieved before the
326 tuples for the directory and its subdirectories are generated.
Tim Petersc4e09402003-04-25 07:11:48 +0000327
Victor Stinner524a5ba2015-03-10 13:20:34 +0100328 By default errors from the os.scandir() call are ignored. If
Guido van Rossumbf1bef82003-05-13 18:01:19 +0000329 optional arg 'onerror' is specified, it should be a function; it
Andrew Svetlovad28c7f2012-12-18 22:02:39 +0200330 will be called with one argument, an OSError instance. It can
Guido van Rossumbf1bef82003-05-13 18:01:19 +0000331 report the error to continue with the walk, or raise the exception
332 to abort the walk. Note that the filename is available as the
333 filename attribute of the exception object.
334
Guido van Rossumd8faa362007-04-27 19:54:29 +0000335 By default, os.walk does not follow symbolic links to subdirectories on
336 systems that support them. In order to get this functionality, set the
337 optional argument 'followlinks' to true.
338
Tim Petersc4e09402003-04-25 07:11:48 +0000339 Caution: if you pass a relative pathname for top, don't change the
340 current working directory between resumptions of walk. walk never
341 changes the current directory, and assumes that the client doesn't
342 either.
343
344 Example:
345
Christian Heimes5d8da202008-05-06 13:58:24 +0000346 import os
Tim Petersc4e09402003-04-25 07:11:48 +0000347 from os.path import join, getsize
Christian Heimes5d8da202008-05-06 13:58:24 +0000348 for root, dirs, files in os.walk('python/Lib/email'):
Neal Norwitz752abd02008-05-13 04:55:24 +0000349 print(root, "consumes", end="")
350 print(sum([getsize(join(root, name)) for name in files]), end="")
351 print("bytes in", len(files), "non-directory files")
Tim Petersc4e09402003-04-25 07:11:48 +0000352 if 'CVS' in dirs:
353 dirs.remove('CVS') # don't visit CVS directories
Benjamin Petersone58e0c72014-06-15 20:51:12 -0700354
Tim Petersc4e09402003-04-25 07:11:48 +0000355 """
356
Victor Stinner524a5ba2015-03-10 13:20:34 +0100357 dirs = []
358 nondirs = []
Tim Petersc4e09402003-04-25 07:11:48 +0000359
360 # We may not have read permission for top, in which case we can't
Alexandre Vassalotti4e6531e2008-05-09 20:00:17 +0000361 # get a list of the files the directory contains. os.walk
Tim Petersc4e09402003-04-25 07:11:48 +0000362 # always suppressed the exception then, rather than blow up for a
363 # minor reason when (say) a thousand readable directories are still
364 # left to visit. That logic is copied here.
365 try:
Serhiy Storchaka5f6a0b42016-02-08 16:23:28 +0200366 if name == 'nt' and isinstance(top, bytes):
367 scandir_it = _dummy_scandir(top)
368 else:
369 # Note that scandir is global in this module due
370 # to earlier import-*.
371 scandir_it = scandir(top)
Serhiy Storchakae14c07e2016-02-24 13:03:54 +0200372 entries = list(scandir_it)
Victor Stinner7fea9742015-03-18 11:29:47 +0100373 except OSError as error:
374 if onerror is not None:
375 onerror(error)
376 return
377
Serhiy Storchaka06c45e62016-02-11 13:29:28 +0200378 for entry in entries:
Victor Stinner7fea9742015-03-18 11:29:47 +0100379 try:
380 is_dir = entry.is_dir()
381 except OSError:
382 # If is_dir() raises an OSError, consider that the entry is not
383 # a directory, same behaviour than os.path.isdir().
384 is_dir = False
385
386 if is_dir:
387 dirs.append(entry.name)
388 else:
389 nondirs.append(entry.name)
390
391 if not topdown and is_dir:
392 # Bottom-up: recurse into sub-directory, but exclude symlinks to
393 # directories if followlinks is False
394 if followlinks:
395 walk_into = True
Victor Stinner411bf642015-03-12 09:12:48 +0100396 else:
Victor Stinner524a5ba2015-03-10 13:20:34 +0100397 try:
Victor Stinner7fea9742015-03-18 11:29:47 +0100398 is_symlink = entry.is_symlink()
Victor Stinner524a5ba2015-03-10 13:20:34 +0100399 except OSError:
400 # If is_symlink() raises an OSError, consider that the
Victor Stinner5fdde712015-03-30 11:54:05 +0200401 # entry is not a symbolic link, same behaviour than
Victor Stinner524a5ba2015-03-10 13:20:34 +0100402 # os.path.islink().
Victor Stinner7fea9742015-03-18 11:29:47 +0100403 is_symlink = False
404 walk_into = not is_symlink
405
406 if walk_into:
407 yield from walk(entry.path, topdown, onerror, followlinks)
Tim Petersc4e09402003-04-25 07:11:48 +0000408
Victor Stinner524a5ba2015-03-10 13:20:34 +0100409 # Yield before recursion if going top down
Tim Petersc4e09402003-04-25 07:11:48 +0000410 if topdown:
411 yield top, dirs, nondirs
Victor Stinner524a5ba2015-03-10 13:20:34 +0100412
Victor Stinner7fea9742015-03-18 11:29:47 +0100413 # Recurse into sub-directories
414 islink, join = path.islink, path.join
Serhiy Storchaka5f6a0b42016-02-08 16:23:28 +0200415 for dirname in dirs:
416 new_path = join(top, dirname)
Victor Stinner7fea9742015-03-18 11:29:47 +0100417 # Issue #23605: os.path.islink() is used instead of caching
418 # entry.is_symlink() result during the loop on os.scandir() because
419 # the caller can replace the directory entry during the "yield"
420 # above.
421 if followlinks or not islink(new_path):
422 yield from walk(new_path, topdown, onerror, followlinks)
423 else:
424 # Yield after recursion if going bottom up
Tim Petersc4e09402003-04-25 07:11:48 +0000425 yield top, dirs, nondirs
426
Serhiy Storchaka5f6a0b42016-02-08 16:23:28 +0200427class _DummyDirEntry:
Victor Stinner06ddd352016-03-29 13:38:22 +0200428 """Dummy implementation of DirEntry
429
430 Only used internally by os.walk(bytes). Since os.walk() doesn't need the
431 follow_symlinks parameter: don't implement it, always follow symbolic
432 links.
433 """
434
Serhiy Storchaka5f6a0b42016-02-08 16:23:28 +0200435 def __init__(self, dir, name):
436 self.name = name
437 self.path = path.join(dir, name)
Victor Stinner06ddd352016-03-29 13:38:22 +0200438 # Mimick FindFirstFile/FindNextFile: we should get file attributes
439 # while iterating on a directory
440 self._stat = None
441 self._lstat = None
442 try:
443 self.stat(follow_symlinks=False)
444 except OSError:
445 pass
446
447 def stat(self, *, follow_symlinks=True):
448 if follow_symlinks:
449 if self._stat is None:
450 self._stat = stat(self.path)
451 return self._stat
452 else:
453 if self._lstat is None:
454 self._lstat = stat(self.path, follow_symlinks=False)
455 return self._lstat
456
Serhiy Storchaka5f6a0b42016-02-08 16:23:28 +0200457 def is_dir(self):
Victor Stinner06ddd352016-03-29 13:38:22 +0200458 if self._lstat is not None and not self.is_symlink():
459 # use the cache lstat
460 stat = self.stat(follow_symlinks=False)
461 return st.S_ISDIR(stat.st_mode)
462
463 stat = self.stat()
464 return st.S_ISDIR(stat.st_mode)
465
Serhiy Storchaka5f6a0b42016-02-08 16:23:28 +0200466 def is_symlink(self):
Victor Stinner06ddd352016-03-29 13:38:22 +0200467 stat = self.stat(follow_symlinks=False)
468 return st.S_ISLNK(stat.st_mode)
Serhiy Storchaka5f6a0b42016-02-08 16:23:28 +0200469
470def _dummy_scandir(dir):
471 # listdir-based implementation for bytes patches on Windows
472 for name in listdir(dir):
473 yield _DummyDirEntry(dir, name)
474
Tim Petersc4e09402003-04-25 07:11:48 +0000475__all__.append("walk")
476
Larry Hastingsc48fe982012-06-25 04:49:05 -0700477if {open, stat} <= supports_dir_fd and {listdir, stat} <= supports_fd:
Charles-François Natali7372b062012-02-05 15:15:38 +0100478
Larry Hastingsb4038062012-07-15 10:57:38 -0700479 def fwalk(top=".", topdown=True, onerror=None, *, follow_symlinks=False, dir_fd=None):
Charles-François Natali7372b062012-02-05 15:15:38 +0100480 """Directory tree generator.
481
482 This behaves exactly like walk(), except that it yields a 4-tuple
483
484 dirpath, dirnames, filenames, dirfd
485
486 `dirpath`, `dirnames` and `filenames` are identical to walk() output,
487 and `dirfd` is a file descriptor referring to the directory `dirpath`.
488
Larry Hastingsc48fe982012-06-25 04:49:05 -0700489 The advantage of fwalk() over walk() is that it's safe against symlink
Larry Hastingsb4038062012-07-15 10:57:38 -0700490 races (when follow_symlinks is False).
Charles-François Natali7372b062012-02-05 15:15:38 +0100491
Larry Hastingsc48fe982012-06-25 04:49:05 -0700492 If dir_fd is not None, it should be a file descriptor open to a directory,
493 and top should be relative; top will then be relative to that directory.
494 (dir_fd is always supported for fwalk.)
495
Charles-François Natali7372b062012-02-05 15:15:38 +0100496 Caution:
497 Since fwalk() yields file descriptors, those are only valid until the
498 next iteration step, so you should dup() them if you want to keep them
499 for a longer period.
500
501 Example:
502
503 import os
504 for root, dirs, files, rootfd in os.fwalk('python/Lib/email'):
505 print(root, "consumes", end="")
Larry Hastings9cf065c2012-06-22 16:30:09 -0700506 print(sum([os.stat(name, dir_fd=rootfd).st_size for name in files]),
Charles-François Natali7372b062012-02-05 15:15:38 +0100507 end="")
508 print("bytes in", len(files), "non-directory files")
509 if 'CVS' in dirs:
510 dirs.remove('CVS') # don't visit CVS directories
511 """
512 # Note: To guard against symlink races, we use the standard
513 # lstat()/open()/fstat() trick.
Larry Hastingsc48fe982012-06-25 04:49:05 -0700514 orig_st = stat(top, follow_symlinks=False, dir_fd=dir_fd)
515 topfd = open(top, O_RDONLY, dir_fd=dir_fd)
Charles-François Natali7372b062012-02-05 15:15:38 +0100516 try:
Larry Hastingsb4038062012-07-15 10:57:38 -0700517 if (follow_symlinks or (st.S_ISDIR(orig_st.st_mode) and
518 path.samestat(orig_st, stat(topfd)))):
519 yield from _fwalk(topfd, top, topdown, onerror, follow_symlinks)
Charles-François Natali7372b062012-02-05 15:15:38 +0100520 finally:
521 close(topfd)
522
Larry Hastingsb4038062012-07-15 10:57:38 -0700523 def _fwalk(topfd, toppath, topdown, onerror, follow_symlinks):
Charles-François Natali7372b062012-02-05 15:15:38 +0100524 # Note: This uses O(depth of the directory tree) file descriptors: if
525 # necessary, it can be adapted to only require O(1) FDs, see issue
526 # #13734.
527
Larry Hastings9cf065c2012-06-22 16:30:09 -0700528 names = listdir(topfd)
Charles-François Natali7372b062012-02-05 15:15:38 +0100529 dirs, nondirs = [], []
530 for name in names:
Hynek Schlawack66bfcc12012-05-15 16:32:21 +0200531 try:
532 # Here, we don't use AT_SYMLINK_NOFOLLOW to be consistent with
533 # walk() which reports symlinks to directories as directories.
534 # We do however check for symlinks before recursing into
535 # a subdirectory.
Larry Hastings9cf065c2012-06-22 16:30:09 -0700536 if st.S_ISDIR(stat(name, dir_fd=topfd).st_mode):
Hynek Schlawack66bfcc12012-05-15 16:32:21 +0200537 dirs.append(name)
538 else:
539 nondirs.append(name)
Serhiy Storchaka42babab2016-10-25 14:28:38 +0300540 except OSError:
Hynek Schlawack66bfcc12012-05-15 16:32:21 +0200541 try:
542 # Add dangling symlinks, ignore disappeared files
Larry Hastings9cf065c2012-06-22 16:30:09 -0700543 if st.S_ISLNK(stat(name, dir_fd=topfd, follow_symlinks=False)
Hynek Schlawack66bfcc12012-05-15 16:32:21 +0200544 .st_mode):
545 nondirs.append(name)
Serhiy Storchaka42babab2016-10-25 14:28:38 +0300546 except OSError:
Hynek Schlawack66bfcc12012-05-15 16:32:21 +0200547 continue
Charles-François Natali7372b062012-02-05 15:15:38 +0100548
549 if topdown:
550 yield toppath, dirs, nondirs, topfd
551
552 for name in dirs:
553 try:
Larry Hastingsb4038062012-07-15 10:57:38 -0700554 orig_st = stat(name, dir_fd=topfd, follow_symlinks=follow_symlinks)
Larry Hastings9cf065c2012-06-22 16:30:09 -0700555 dirfd = open(name, O_RDONLY, dir_fd=topfd)
Andrew Svetlov8b33dd82012-12-24 19:58:48 +0200556 except OSError as err:
Charles-François Natali7372b062012-02-05 15:15:38 +0100557 if onerror is not None:
558 onerror(err)
Serhiy Storchaka0bddc9e2015-12-23 00:08:24 +0200559 continue
Charles-François Natali7372b062012-02-05 15:15:38 +0100560 try:
Larry Hastingsb4038062012-07-15 10:57:38 -0700561 if follow_symlinks or path.samestat(orig_st, stat(dirfd)):
Charles-François Natali7372b062012-02-05 15:15:38 +0100562 dirpath = path.join(toppath, name)
Larry Hastingsb4038062012-07-15 10:57:38 -0700563 yield from _fwalk(dirfd, dirpath, topdown, onerror, follow_symlinks)
Charles-François Natali7372b062012-02-05 15:15:38 +0100564 finally:
565 close(dirfd)
566
567 if not topdown:
568 yield toppath, dirs, nondirs, topfd
569
570 __all__.append("fwalk")
571
Guido van Rossuma28dab51997-08-29 22:36:47 +0000572# Make sure os.environ exists, at least
573try:
Guido van Rossum61de0ac1997-12-05 21:24:30 +0000574 environ
Guido van Rossuma28dab51997-08-29 22:36:47 +0000575except NameError:
Guido van Rossum61de0ac1997-12-05 21:24:30 +0000576 environ = {}
Guido van Rossuma28dab51997-08-29 22:36:47 +0000577
Guido van Rossume65cce51993-11-08 15:05:21 +0000578def execl(file, *args):
Guido van Rossum7da3cc52000-04-25 10:53:22 +0000579 """execl(file, *args)
580
581 Execute the executable file with argument list args, replacing the
582 current process. """
Guido van Rossum61de0ac1997-12-05 21:24:30 +0000583 execv(file, args)
Guido van Rossume65cce51993-11-08 15:05:21 +0000584
585def execle(file, *args):
Guido van Rossum7da3cc52000-04-25 10:53:22 +0000586 """execle(file, *args, env)
587
588 Execute the executable file with argument list args and
589 environment env, replacing the current process. """
Guido van Rossum61de0ac1997-12-05 21:24:30 +0000590 env = args[-1]
591 execve(file, args[:-1], env)
Guido van Rossume65cce51993-11-08 15:05:21 +0000592
593def execlp(file, *args):
Guido van Rossum7da3cc52000-04-25 10:53:22 +0000594 """execlp(file, *args)
595
596 Execute the executable file (which is searched for along $PATH)
597 with argument list args, replacing the current process. """
Guido van Rossum61de0ac1997-12-05 21:24:30 +0000598 execvp(file, args)
Guido van Rossume65cce51993-11-08 15:05:21 +0000599
Guido van Rossum030afb11995-03-14 17:27:18 +0000600def execlpe(file, *args):
Guido van Rossum7da3cc52000-04-25 10:53:22 +0000601 """execlpe(file, *args, env)
602
603 Execute the executable file (which is searched for along $PATH)
604 with argument list args and environment env, replacing the current
Tim Peters2344fae2001-01-15 00:50:52 +0000605 process. """
Guido van Rossum61de0ac1997-12-05 21:24:30 +0000606 env = args[-1]
607 execvpe(file, args[:-1], env)
Guido van Rossum030afb11995-03-14 17:27:18 +0000608
Guido van Rossume65cce51993-11-08 15:05:21 +0000609def execvp(file, args):
Matthias Klosea09c54f2010-01-31 16:48:44 +0000610 """execvp(file, args)
Guido van Rossum7da3cc52000-04-25 10:53:22 +0000611
612 Execute the executable file (which is searched for along $PATH)
613 with argument list args, replacing the current process.
Thomas Wouters7e474022000-07-16 12:04:32 +0000614 args may be a list or tuple of strings. """
Guido van Rossum61de0ac1997-12-05 21:24:30 +0000615 _execvpe(file, args)
Guido van Rossum030afb11995-03-14 17:27:18 +0000616
617def execvpe(file, args, env):
Guido van Rossum683c0fe2002-09-03 16:36:17 +0000618 """execvpe(file, args, env)
Guido van Rossum7da3cc52000-04-25 10:53:22 +0000619
620 Execute the executable file (which is searched for along $PATH)
621 with argument list args and environment env , replacing the
622 current process.
Tim Peters2344fae2001-01-15 00:50:52 +0000623 args may be a list or tuple of strings. """
Guido van Rossum61de0ac1997-12-05 21:24:30 +0000624 _execvpe(file, args, env)
Guido van Rossum030afb11995-03-14 17:27:18 +0000625
Skip Montanaro269b83b2001-02-06 01:07:02 +0000626__all__.extend(["execl","execle","execlp","execlpe","execvp","execvpe"])
627
Guido van Rossum5a2ca931999-11-02 13:27:32 +0000628def _execvpe(file, args, env=None):
629 if env is not None:
Gregory P. Smithb6e8c7e2010-02-27 07:22:22 +0000630 exec_func = execve
Guido van Rossum61de0ac1997-12-05 21:24:30 +0000631 argrest = (args, env)
632 else:
Gregory P. Smithb6e8c7e2010-02-27 07:22:22 +0000633 exec_func = execv
Guido van Rossum61de0ac1997-12-05 21:24:30 +0000634 argrest = (args,)
635 env = environ
Guido van Rossumaed51d82002-08-05 16:13:24 +0000636
Guido van Rossum61de0ac1997-12-05 21:24:30 +0000637 head, tail = path.split(file)
638 if head:
Gregory P. Smithb6e8c7e2010-02-27 07:22:22 +0000639 exec_func(file, *argrest)
Guido van Rossum61de0ac1997-12-05 21:24:30 +0000640 return
Guido van Rossume7ba4952007-06-06 23:52:48 +0000641 last_exc = saved_exc = None
Guido van Rossum683c0fe2002-09-03 16:36:17 +0000642 saved_tb = None
Victor Stinnerb745a742010-05-18 17:17:23 +0000643 path_list = get_exec_path(env)
644 if name != 'nt':
645 file = fsencode(file)
646 path_list = map(fsencode, path_list)
647 for dir in path_list:
Guido van Rossum61de0ac1997-12-05 21:24:30 +0000648 fullname = path.join(dir, file)
649 try:
Gregory P. Smithb6e8c7e2010-02-27 07:22:22 +0000650 exec_func(fullname, *argrest)
Andrew Svetlov8b33dd82012-12-24 19:58:48 +0200651 except OSError as e:
Guido van Rossume7ba4952007-06-06 23:52:48 +0000652 last_exc = e
Guido van Rossum683c0fe2002-09-03 16:36:17 +0000653 tb = sys.exc_info()[2]
Christian Heimes45f9af32007-11-27 21:50:00 +0000654 if (e.errno != errno.ENOENT and e.errno != errno.ENOTDIR
Guido van Rossum683c0fe2002-09-03 16:36:17 +0000655 and saved_exc is None):
656 saved_exc = e
657 saved_tb = tb
658 if saved_exc:
Benjamin Peterson4b068192009-02-20 03:19:25 +0000659 raise saved_exc.with_traceback(saved_tb)
660 raise last_exc.with_traceback(tb)
Guido van Rossumd74fb6b2001-03-02 06:43:49 +0000661
Guido van Rossumcd16bf62007-06-13 18:07:49 +0000662
Gregory P. Smithb6e8c7e2010-02-27 07:22:22 +0000663def get_exec_path(env=None):
664 """Returns the sequence of directories that will be searched for the
665 named executable (similar to a shell) when launching a process.
666
667 *env* must be an environment variable dict or None. If *env* is None,
668 os.environ will be used.
669 """
Victor Stinner273b7662010-11-06 12:59:33 +0000670 # Use a local import instead of a global import to limit the number of
671 # modules loaded at startup: the os module is always loaded at startup by
672 # Python. It may also avoid a bootstrap issue.
Victor Stinner6f35eda2010-10-29 00:38:58 +0000673 import warnings
674
Gregory P. Smithb6e8c7e2010-02-27 07:22:22 +0000675 if env is None:
676 env = environ
Victor Stinnerb745a742010-05-18 17:17:23 +0000677
Victor Stinnerbb4f2182010-11-07 15:43:39 +0000678 # {b'PATH': ...}.get('PATH') and {'PATH': ...}.get(b'PATH') emit a
679 # BytesWarning when using python -b or python -bb: ignore the warning
Victor Stinner273b7662010-11-06 12:59:33 +0000680 with warnings.catch_warnings():
681 warnings.simplefilter("ignore", BytesWarning)
Victor Stinnerb745a742010-05-18 17:17:23 +0000682
Victor Stinnerb745a742010-05-18 17:17:23 +0000683 try:
Victor Stinner273b7662010-11-06 12:59:33 +0000684 path_list = env.get('PATH')
685 except TypeError:
686 path_list = None
Victor Stinnerb745a742010-05-18 17:17:23 +0000687
Victor Stinner273b7662010-11-06 12:59:33 +0000688 if supports_bytes_environ:
689 try:
690 path_listb = env[b'PATH']
691 except (KeyError, TypeError):
692 pass
693 else:
694 if path_list is not None:
695 raise ValueError(
696 "env cannot contain 'PATH' and b'PATH' keys")
697 path_list = path_listb
698
699 if path_list is not None and isinstance(path_list, bytes):
700 path_list = fsdecode(path_list)
Victor Stinnerb745a742010-05-18 17:17:23 +0000701
702 if path_list is None:
703 path_list = defpath
704 return path_list.split(pathsep)
Gregory P. Smithb6e8c7e2010-02-27 07:22:22 +0000705
706
Skip Montanaro289bc052007-08-17 02:30:27 +0000707# Change environ to automatically call putenv(), unsetenv if they exist.
Christian Heimesf1dc3ee2013-10-13 02:04:20 +0200708from _collections_abc import MutableMapping
Skip Montanaro289bc052007-08-17 02:30:27 +0000709
710class _Environ(MutableMapping):
Victor Stinner84ae1182010-05-06 22:05:07 +0000711 def __init__(self, data, encodekey, decodekey, encodevalue, decodevalue, putenv, unsetenv):
712 self.encodekey = encodekey
713 self.decodekey = decodekey
714 self.encodevalue = encodevalue
715 self.decodevalue = decodevalue
Skip Montanaro289bc052007-08-17 02:30:27 +0000716 self.putenv = putenv
717 self.unsetenv = unsetenv
Victor Stinner3d75d0c2010-09-10 22:18:16 +0000718 self._data = data
Ezio Melotti19e4acf2010-02-22 15:59:01 +0000719
Skip Montanaro289bc052007-08-17 02:30:27 +0000720 def __getitem__(self, key):
Victor Stinner6d101392013-04-14 16:35:04 +0200721 try:
722 value = self._data[self.encodekey(key)]
723 except KeyError:
724 # raise KeyError with the original key value
Victor Stinner0c2dd0c2013-08-23 19:19:15 +0200725 raise KeyError(key) from None
Victor Stinner84ae1182010-05-06 22:05:07 +0000726 return self.decodevalue(value)
Ezio Melotti19e4acf2010-02-22 15:59:01 +0000727
Skip Montanaro289bc052007-08-17 02:30:27 +0000728 def __setitem__(self, key, value):
Victor Stinner84ae1182010-05-06 22:05:07 +0000729 key = self.encodekey(key)
730 value = self.encodevalue(value)
Skip Montanaro289bc052007-08-17 02:30:27 +0000731 self.putenv(key, value)
Victor Stinner3d75d0c2010-09-10 22:18:16 +0000732 self._data[key] = value
Ezio Melotti19e4acf2010-02-22 15:59:01 +0000733
Skip Montanaro289bc052007-08-17 02:30:27 +0000734 def __delitem__(self, key):
Victor Stinner6d101392013-04-14 16:35:04 +0200735 encodedkey = self.encodekey(key)
736 self.unsetenv(encodedkey)
737 try:
738 del self._data[encodedkey]
739 except KeyError:
740 # raise KeyError with the original key value
Victor Stinner0c2dd0c2013-08-23 19:19:15 +0200741 raise KeyError(key) from None
Ezio Melotti19e4acf2010-02-22 15:59:01 +0000742
Skip Montanaro289bc052007-08-17 02:30:27 +0000743 def __iter__(self):
Victor Stinner3d75d0c2010-09-10 22:18:16 +0000744 for key in self._data:
Victor Stinner84ae1182010-05-06 22:05:07 +0000745 yield self.decodekey(key)
Ezio Melotti19e4acf2010-02-22 15:59:01 +0000746
Skip Montanaro289bc052007-08-17 02:30:27 +0000747 def __len__(self):
Victor Stinner3d75d0c2010-09-10 22:18:16 +0000748 return len(self._data)
Ezio Melotti19e4acf2010-02-22 15:59:01 +0000749
750 def __repr__(self):
Victor Stinnerbed71172010-07-28 21:25:42 +0000751 return 'environ({{{}}})'.format(', '.join(
Victor Stinnerd73c1a32010-07-28 21:23:23 +0000752 ('{!r}: {!r}'.format(self.decodekey(key), self.decodevalue(value))
Victor Stinner3d75d0c2010-09-10 22:18:16 +0000753 for key, value in self._data.items())))
Ezio Melotti19e4acf2010-02-22 15:59:01 +0000754
Skip Montanaro289bc052007-08-17 02:30:27 +0000755 def copy(self):
756 return dict(self)
Ezio Melotti19e4acf2010-02-22 15:59:01 +0000757
Skip Montanaro289bc052007-08-17 02:30:27 +0000758 def setdefault(self, key, value):
759 if key not in self:
760 self[key] = value
761 return self[key]
762
763try:
764 _putenv = putenv
765except NameError:
766 _putenv = lambda key, value: None
Richard Oudkerkc41917f2013-05-07 14:36:51 +0100767else:
768 if "putenv" not in __all__:
769 __all__.append("putenv")
Guido van Rossum3b8e20d1996-07-24 00:55:17 +0000770
Skip Montanaro289bc052007-08-17 02:30:27 +0000771try:
772 _unsetenv = unsetenv
773except NameError:
774 _unsetenv = lambda key: _putenv(key, "")
Richard Oudkerkc41917f2013-05-07 14:36:51 +0100775else:
776 if "unsetenv" not in __all__:
777 __all__.append("unsetenv")
Guido van Rossumc524d952001-10-19 01:31:59 +0000778
Victor Stinner84ae1182010-05-06 22:05:07 +0000779def _createenviron():
Jesus Cea4791a242012-10-05 03:15:39 +0200780 if name == 'nt':
Victor Stinner84ae1182010-05-06 22:05:07 +0000781 # Where Env Var Names Must Be UPPERCASE
782 def check_str(value):
783 if not isinstance(value, str):
784 raise TypeError("str expected, not %s" % type(value).__name__)
785 return value
786 encode = check_str
787 decode = str
788 def encodekey(key):
789 return encode(key).upper()
790 data = {}
791 for key, value in environ.items():
792 data[encodekey(key)] = value
793 else:
794 # Where Env Var Names Can Be Mixed Case
Victor Stinnerdf6d6cb2010-10-24 20:32:26 +0000795 encoding = sys.getfilesystemencoding()
Victor Stinner84ae1182010-05-06 22:05:07 +0000796 def encode(value):
797 if not isinstance(value, str):
798 raise TypeError("str expected, not %s" % type(value).__name__)
Victor Stinnerdf6d6cb2010-10-24 20:32:26 +0000799 return value.encode(encoding, 'surrogateescape')
Victor Stinner84ae1182010-05-06 22:05:07 +0000800 def decode(value):
Victor Stinnerdf6d6cb2010-10-24 20:32:26 +0000801 return value.decode(encoding, 'surrogateescape')
Victor Stinner84ae1182010-05-06 22:05:07 +0000802 encodekey = encode
803 data = environ
804 return _Environ(data,
805 encodekey, decode,
806 encode, decode,
807 _putenv, _unsetenv)
Guido van Rossumc524d952001-10-19 01:31:59 +0000808
Victor Stinner84ae1182010-05-06 22:05:07 +0000809# unicode environ
810environ = _createenviron()
811del _createenviron
Guido van Rossum61de0ac1997-12-05 21:24:30 +0000812
Guido van Rossum5a2ca931999-11-02 13:27:32 +0000813
Jack Jansenb11ce9b2003-01-08 16:33:40 +0000814def getenv(key, default=None):
Tim Peters2c60f7a2003-01-29 03:49:43 +0000815 """Get an environment variable, return None if it doesn't exist.
Victor Stinner84ae1182010-05-06 22:05:07 +0000816 The optional second argument can specify an alternate default.
817 key, default and the result are str."""
Tim Peters2c60f7a2003-01-29 03:49:43 +0000818 return environ.get(key, default)
Guido van Rossum5a2ca931999-11-02 13:27:32 +0000819
Jesus Cea4791a242012-10-05 03:15:39 +0200820supports_bytes_environ = (name != 'nt')
Victor Stinnerb745a742010-05-18 17:17:23 +0000821__all__.extend(("getenv", "supports_bytes_environ"))
822
823if supports_bytes_environ:
Victor Stinner84ae1182010-05-06 22:05:07 +0000824 def _check_bytes(value):
825 if not isinstance(value, bytes):
826 raise TypeError("bytes expected, not %s" % type(value).__name__)
827 return value
828
829 # bytes environ
Victor Stinner3d75d0c2010-09-10 22:18:16 +0000830 environb = _Environ(environ._data,
Victor Stinner84ae1182010-05-06 22:05:07 +0000831 _check_bytes, bytes,
832 _check_bytes, bytes,
833 _putenv, _unsetenv)
834 del _check_bytes
835
836 def getenvb(key, default=None):
837 """Get an environment variable, return None if it doesn't exist.
838 The optional second argument can specify an alternate default.
839 key, default and the result are bytes."""
840 return environb.get(key, default)
Victor Stinner70120e22010-07-29 17:19:38 +0000841
842 __all__.extend(("environb", "getenvb"))
Victor Stinner84ae1182010-05-06 22:05:07 +0000843
Victor Stinnerdf6d6cb2010-10-24 20:32:26 +0000844def _fscodec():
845 encoding = sys.getfilesystemencoding()
846 if encoding == 'mbcs':
Victor Stinnere882aac2010-10-24 21:12:26 +0000847 errors = 'strict'
Victor Stinner313a1202010-06-11 23:56:51 +0000848 else:
Victor Stinnerdf6d6cb2010-10-24 20:32:26 +0000849 errors = 'surrogateescape'
Victor Stinnere8d51452010-08-19 01:05:19 +0000850
Victor Stinnerdf6d6cb2010-10-24 20:32:26 +0000851 def fsencode(filename):
852 """
853 Encode filename to the filesystem encoding with 'surrogateescape' error
854 handler, return bytes unchanged. On Windows, use 'strict' error handler if
855 the file system encoding is 'mbcs' (which is the default encoding).
856 """
857 if isinstance(filename, bytes):
858 return filename
859 elif isinstance(filename, str):
860 return filename.encode(encoding, errors)
Victor Stinnere8d51452010-08-19 01:05:19 +0000861 else:
Victor Stinnerdf6d6cb2010-10-24 20:32:26 +0000862 raise TypeError("expect bytes or str, not %s" % type(filename).__name__)
863
864 def fsdecode(filename):
865 """
866 Decode filename from the filesystem encoding with 'surrogateescape' error
867 handler, return str unchanged. On Windows, use 'strict' error handler if
868 the file system encoding is 'mbcs' (which is the default encoding).
869 """
870 if isinstance(filename, str):
871 return filename
872 elif isinstance(filename, bytes):
873 return filename.decode(encoding, errors)
874 else:
875 raise TypeError("expect bytes or str, not %s" % type(filename).__name__)
876
877 return fsencode, fsdecode
878
879fsencode, fsdecode = _fscodec()
880del _fscodec
Victor Stinner449c4662010-05-08 11:10:09 +0000881
Guido van Rossum5a2ca931999-11-02 13:27:32 +0000882# Supply spawn*() (probably only for Unix)
883if _exists("fork") and not _exists("spawnv") and _exists("execv"):
884
885 P_WAIT = 0
886 P_NOWAIT = P_NOWAITO = 1
887
Petri Lehtinen3bc37f22012-05-23 21:36:16 +0300888 __all__.extend(["P_WAIT", "P_NOWAIT", "P_NOWAITO"])
889
Guido van Rossum5a2ca931999-11-02 13:27:32 +0000890 # XXX Should we support P_DETACH? I suppose it could fork()**2
891 # and close the std I/O streams. Also, P_OVERLAY is the same
892 # as execv*()?
893
894 def _spawnvef(mode, file, args, env, func):
895 # Internal helper; func is the exec*() function to use
896 pid = fork()
897 if not pid:
898 # Child
899 try:
900 if env is None:
901 func(file, args)
902 else:
903 func(file, args, env)
904 except:
905 _exit(127)
906 else:
907 # Parent
908 if mode == P_NOWAIT:
909 return pid # Caller is responsible for waiting!
910 while 1:
911 wpid, sts = waitpid(pid, 0)
912 if WIFSTOPPED(sts):
913 continue
914 elif WIFSIGNALED(sts):
915 return -WTERMSIG(sts)
916 elif WIFEXITED(sts):
917 return WEXITSTATUS(sts)
918 else:
Andrew Svetlov8b33dd82012-12-24 19:58:48 +0200919 raise OSError("Not stopped, signaled or exited???")
Guido van Rossum5a2ca931999-11-02 13:27:32 +0000920
921 def spawnv(mode, file, args):
Guido van Rossume0cd2912000-04-21 18:35:36 +0000922 """spawnv(mode, file, args) -> integer
923
924Execute file with arguments from args in a subprocess.
925If mode == P_NOWAIT return the pid of the process.
926If mode == P_WAIT return the process's exit code if it exits normally;
Tim Peters2344fae2001-01-15 00:50:52 +0000927otherwise return -SIG, where SIG is the signal that killed it. """
Guido van Rossum5a2ca931999-11-02 13:27:32 +0000928 return _spawnvef(mode, file, args, None, execv)
929
930 def spawnve(mode, file, args, env):
Guido van Rossume0cd2912000-04-21 18:35:36 +0000931 """spawnve(mode, file, args, env) -> integer
932
933Execute file with arguments from args in a subprocess with the
934specified environment.
935If mode == P_NOWAIT return the pid of the process.
936If mode == P_WAIT return the process's exit code if it exits normally;
937otherwise return -SIG, where SIG is the signal that killed it. """
Guido van Rossum5a2ca931999-11-02 13:27:32 +0000938 return _spawnvef(mode, file, args, env, execve)
939
Guido van Rossumdd7cbbf1999-11-02 20:44:07 +0000940 # Note: spawnvp[e] is't currently supported on Windows
941
942 def spawnvp(mode, file, args):
Guido van Rossume0cd2912000-04-21 18:35:36 +0000943 """spawnvp(mode, file, args) -> integer
944
945Execute file (which is looked for along $PATH) with arguments from
946args in a subprocess.
947If mode == P_NOWAIT return the pid of the process.
948If mode == P_WAIT return the process's exit code if it exits normally;
949otherwise return -SIG, where SIG is the signal that killed it. """
Guido van Rossumdd7cbbf1999-11-02 20:44:07 +0000950 return _spawnvef(mode, file, args, None, execvp)
951
952 def spawnvpe(mode, file, args, env):
Guido van Rossume0cd2912000-04-21 18:35:36 +0000953 """spawnvpe(mode, file, args, env) -> integer
954
955Execute file (which is looked for along $PATH) with arguments from
956args in a subprocess with the supplied environment.
957If mode == P_NOWAIT return the pid of the process.
958If mode == P_WAIT return the process's exit code if it exits normally;
959otherwise return -SIG, where SIG is the signal that killed it. """
Guido van Rossumdd7cbbf1999-11-02 20:44:07 +0000960 return _spawnvef(mode, file, args, env, execvpe)
961
Richard Oudkerkad34ef82013-05-07 14:23:42 +0100962
963 __all__.extend(["spawnv", "spawnve", "spawnvp", "spawnvpe"])
964
965
Guido van Rossumdd7cbbf1999-11-02 20:44:07 +0000966if _exists("spawnv"):
967 # These aren't supplied by the basic Windows code
968 # but can be easily implemented in Python
Guido van Rossum5a2ca931999-11-02 13:27:32 +0000969
970 def spawnl(mode, file, *args):
Guido van Rossume0cd2912000-04-21 18:35:36 +0000971 """spawnl(mode, file, *args) -> integer
972
973Execute file with arguments from args in a subprocess.
974If mode == P_NOWAIT return the pid of the process.
975If mode == P_WAIT return the process's exit code if it exits normally;
976otherwise return -SIG, where SIG is the signal that killed it. """
Guido van Rossum5a2ca931999-11-02 13:27:32 +0000977 return spawnv(mode, file, args)
978
979 def spawnle(mode, file, *args):
Guido van Rossume0cd2912000-04-21 18:35:36 +0000980 """spawnle(mode, file, *args, env) -> integer
981
982Execute file with arguments from args in a subprocess with the
983supplied environment.
984If mode == P_NOWAIT return the pid of the process.
985If mode == P_WAIT return the process's exit code if it exits normally;
986otherwise return -SIG, where SIG is the signal that killed it. """
Guido van Rossum5a2ca931999-11-02 13:27:32 +0000987 env = args[-1]
988 return spawnve(mode, file, args[:-1], env)
989
Andrew MacIntyre69e18c92004-04-04 07:11:43 +0000990
Richard Oudkerkad34ef82013-05-07 14:23:42 +0100991 __all__.extend(["spawnl", "spawnle"])
Andrew MacIntyre69e18c92004-04-04 07:11:43 +0000992
993
Guido van Rossumdd7cbbf1999-11-02 20:44:07 +0000994if _exists("spawnvp"):
995 # At the moment, Windows doesn't implement spawnvp[e],
996 # so it won't have spawnlp[e] either.
Guido van Rossum5a2ca931999-11-02 13:27:32 +0000997 def spawnlp(mode, file, *args):
Neal Norwitzb7f68102003-07-02 02:49:33 +0000998 """spawnlp(mode, file, *args) -> integer
Guido van Rossume0cd2912000-04-21 18:35:36 +0000999
1000Execute file (which is looked for along $PATH) with arguments from
1001args in a subprocess with the supplied environment.
1002If mode == P_NOWAIT return the pid of the process.
1003If mode == P_WAIT return the process's exit code if it exits normally;
1004otherwise return -SIG, where SIG is the signal that killed it. """
Guido van Rossum5a2ca931999-11-02 13:27:32 +00001005 return spawnvp(mode, file, args)
1006
1007 def spawnlpe(mode, file, *args):
Guido van Rossume0cd2912000-04-21 18:35:36 +00001008 """spawnlpe(mode, file, *args, env) -> integer
1009
1010Execute file (which is looked for along $PATH) with arguments from
1011args in a subprocess with the supplied environment.
1012If mode == P_NOWAIT return the pid of the process.
1013If mode == P_WAIT return the process's exit code if it exits normally;
1014otherwise return -SIG, where SIG is the signal that killed it. """
Guido van Rossum5a2ca931999-11-02 13:27:32 +00001015 env = args[-1]
1016 return spawnvpe(mode, file, args[:-1], env)
Guido van Rossume0cd2912000-04-21 18:35:36 +00001017
1018
Richard Oudkerkad34ef82013-05-07 14:23:42 +01001019 __all__.extend(["spawnlp", "spawnlpe"])
1020
Skip Montanaro269b83b2001-02-06 01:07:02 +00001021
Guido van Rossumc2f93dc2007-05-24 00:50:02 +00001022# Supply os.popen()
Antoine Pitrou877766d2011-03-19 17:00:37 +01001023def popen(cmd, mode="r", buffering=-1):
Guido van Rossum3172c5d2007-10-16 18:12:55 +00001024 if not isinstance(cmd, str):
Guido van Rossumc2f93dc2007-05-24 00:50:02 +00001025 raise TypeError("invalid cmd type (%s, expected string)" % type(cmd))
1026 if mode not in ("r", "w"):
1027 raise ValueError("invalid mode %r" % mode)
Benjamin Petersonb29614e2012-10-09 11:16:03 -04001028 if buffering == 0 or buffering is None:
Antoine Pitrou877766d2011-03-19 17:00:37 +01001029 raise ValueError("popen() does not support unbuffered streams")
Guido van Rossumc2f93dc2007-05-24 00:50:02 +00001030 import subprocess, io
1031 if mode == "r":
1032 proc = subprocess.Popen(cmd,
1033 shell=True,
1034 stdout=subprocess.PIPE,
1035 bufsize=buffering)
1036 return _wrap_close(io.TextIOWrapper(proc.stdout), proc)
1037 else:
1038 proc = subprocess.Popen(cmd,
1039 shell=True,
1040 stdin=subprocess.PIPE,
1041 bufsize=buffering)
1042 return _wrap_close(io.TextIOWrapper(proc.stdin), proc)
1043
1044# Helper for popen() -- a proxy for a file whose close waits for the process
1045class _wrap_close:
1046 def __init__(self, stream, proc):
1047 self._stream = stream
1048 self._proc = proc
1049 def close(self):
1050 self._stream.close()
Amaury Forgeot d'Arc97e5f282009-07-11 09:35:13 +00001051 returncode = self._proc.wait()
1052 if returncode == 0:
1053 return None
1054 if name == 'nt':
1055 return returncode
1056 else:
1057 return returncode << 8 # Shift left to match old behavior
Antoine Pitrouac625352009-12-09 00:01:27 +00001058 def __enter__(self):
1059 return self
1060 def __exit__(self, *args):
1061 self.close()
Guido van Rossumc2f93dc2007-05-24 00:50:02 +00001062 def __getattr__(self, name):
1063 return getattr(self._stream, name)
Thomas Heller476157b2007-09-04 11:27:47 +00001064 def __iter__(self):
1065 return iter(self._stream)
Guido van Rossumc2f93dc2007-05-24 00:50:02 +00001066
Amaury Forgeot d'Arcbdbddf82008-08-01 00:06:49 +00001067# Supply os.fdopen()
1068def fdopen(fd, *args, **kwargs):
Guido van Rossumc2f93dc2007-05-24 00:50:02 +00001069 if not isinstance(fd, int):
1070 raise TypeError("invalid fd type (%s, expected integer)" % type(fd))
1071 import io
Amaury Forgeot d'Arcbdbddf82008-08-01 00:06:49 +00001072 return io.open(fd, *args, **kwargs)