macpath.py 5.8 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211
  1. """Pathname and path-related operations for the Macintosh."""
  2. import os
  3. from stat import *
  4. import genericpath
  5. from genericpath import *
  6. __all__ = ["normcase","isabs","join","splitdrive","split","splitext",
  7. "basename","dirname","commonprefix","getsize","getmtime",
  8. "getatime","getctime", "islink","exists","lexists","isdir","isfile",
  9. "expanduser","expandvars","normpath","abspath",
  10. "curdir","pardir","sep","pathsep","defpath","altsep","extsep",
  11. "devnull","realpath","supports_unicode_filenames"]
  12. # strings representing various path-related bits and pieces
  13. # These are primarily for export; internally, they are hardcoded.
  14. curdir = ':'
  15. pardir = '::'
  16. extsep = '.'
  17. sep = ':'
  18. pathsep = '\n'
  19. defpath = ':'
  20. altsep = None
  21. devnull = 'Dev:Null'
  22. def _get_colon(path):
  23. if isinstance(path, bytes):
  24. return b':'
  25. else:
  26. return ':'
  27. # Normalize the case of a pathname. Dummy in Posix, but <s>.lower() here.
  28. def normcase(path):
  29. if not isinstance(path, (bytes, str)):
  30. raise TypeError("normcase() argument must be str or bytes, "
  31. "not '{}'".format(path.__class__.__name__))
  32. return path.lower()
  33. def isabs(s):
  34. """Return true if a path is absolute.
  35. On the Mac, relative paths begin with a colon,
  36. but as a special case, paths with no colons at all are also relative.
  37. Anything else is absolute (the string up to the first colon is the
  38. volume name)."""
  39. colon = _get_colon(s)
  40. return colon in s and s[:1] != colon
  41. def join(s, *p):
  42. try:
  43. colon = _get_colon(s)
  44. path = s
  45. if not p:
  46. path[:0] + colon #23780: Ensure compatible data type even if p is null.
  47. for t in p:
  48. if (not path) or isabs(t):
  49. path = t
  50. continue
  51. if t[:1] == colon:
  52. t = t[1:]
  53. if colon not in path:
  54. path = colon + path
  55. if path[-1:] != colon:
  56. path = path + colon
  57. path = path + t
  58. return path
  59. except (TypeError, AttributeError, BytesWarning):
  60. genericpath._check_arg_types('join', s, *p)
  61. raise
  62. def split(s):
  63. """Split a pathname into two parts: the directory leading up to the final
  64. bit, and the basename (the filename, without colons, in that directory).
  65. The result (s, t) is such that join(s, t) yields the original argument."""
  66. colon = _get_colon(s)
  67. if colon not in s: return s[:0], s
  68. col = 0
  69. for i in range(len(s)):
  70. if s[i:i+1] == colon: col = i + 1
  71. path, file = s[:col-1], s[col:]
  72. if path and not colon in path:
  73. path = path + colon
  74. return path, file
  75. def splitext(p):
  76. if isinstance(p, bytes):
  77. return genericpath._splitext(p, b':', altsep, b'.')
  78. else:
  79. return genericpath._splitext(p, sep, altsep, extsep)
  80. splitext.__doc__ = genericpath._splitext.__doc__
  81. def splitdrive(p):
  82. """Split a pathname into a drive specification and the rest of the
  83. path. Useful on DOS/Windows/NT; on the Mac, the drive is always
  84. empty (don't use the volume name -- it doesn't have the same
  85. syntactic and semantic oddities as DOS drive letters, such as there
  86. being a separate current directory per drive)."""
  87. return p[:0], p
  88. # Short interfaces to split()
  89. def dirname(s): return split(s)[0]
  90. def basename(s): return split(s)[1]
  91. def ismount(s):
  92. if not isabs(s):
  93. return False
  94. components = split(s)
  95. return len(components) == 2 and not components[1]
  96. def islink(s):
  97. """Return true if the pathname refers to a symbolic link."""
  98. try:
  99. import Carbon.File
  100. return Carbon.File.ResolveAliasFile(s, 0)[2]
  101. except:
  102. return False
  103. # Is `stat`/`lstat` a meaningful difference on the Mac? This is safe in any
  104. # case.
  105. def lexists(path):
  106. """Test whether a path exists. Returns True for broken symbolic links"""
  107. try:
  108. st = os.lstat(path)
  109. except OSError:
  110. return False
  111. return True
  112. def expandvars(path):
  113. """Dummy to retain interface-compatibility with other operating systems."""
  114. return path
  115. def expanduser(path):
  116. """Dummy to retain interface-compatibility with other operating systems."""
  117. return path
  118. class norm_error(Exception):
  119. """Path cannot be normalized"""
  120. def normpath(s):
  121. """Normalize a pathname. Will return the same result for
  122. equivalent paths."""
  123. colon = _get_colon(s)
  124. if colon not in s:
  125. return colon + s
  126. comps = s.split(colon)
  127. i = 1
  128. while i < len(comps)-1:
  129. if not comps[i] and comps[i-1]:
  130. if i > 1:
  131. del comps[i-1:i+1]
  132. i = i - 1
  133. else:
  134. # best way to handle this is to raise an exception
  135. raise norm_error('Cannot use :: immediately after volume name')
  136. else:
  137. i = i + 1
  138. s = colon.join(comps)
  139. # remove trailing ":" except for ":" and "Volume:"
  140. if s[-1:] == colon and len(comps) > 2 and s != colon*len(s):
  141. s = s[:-1]
  142. return s
  143. def abspath(path):
  144. """Return an absolute path."""
  145. if not isabs(path):
  146. if isinstance(path, bytes):
  147. cwd = os.getcwdb()
  148. else:
  149. cwd = os.getcwd()
  150. path = join(cwd, path)
  151. return normpath(path)
  152. # realpath is a no-op on systems without islink support
  153. def realpath(path):
  154. path = abspath(path)
  155. try:
  156. import Carbon.File
  157. except ImportError:
  158. return path
  159. if not path:
  160. return path
  161. colon = _get_colon(path)
  162. components = path.split(colon)
  163. path = components[0] + colon
  164. for c in components[1:]:
  165. path = join(path, c)
  166. try:
  167. path = Carbon.File.FSResolveAliasFile(path, 1)[0].as_pathname()
  168. except Carbon.File.Error:
  169. pass
  170. return path
  171. supports_unicode_filenames = True