1.0.13.19: Odds and ends (OpenBSD NEWS, minor bug in PROBE-FILE, mkstemp())
[sbcl/simd.git] / src / code / filesys.lisp
blob9ac3ae31864463a86cdec479c3fcd3fc7b32282e
1 ;;;; file system interface functions -- fairly Unix-centric, but with
2 ;;;; differences between Unix and Win32 papered over.
4 ;;;; This software is part of the SBCL system. See the README file for
5 ;;;; more information.
6 ;;;;
7 ;;;; This software is derived from the CMU CL system, which was
8 ;;;; written at Carnegie Mellon University and released into the
9 ;;;; public domain. The software is in the public domain and is
10 ;;;; provided with absolutely no warranty. See the COPYING and CREDITS
11 ;;;; files for more information.
13 (in-package "SB!IMPL")
15 ;;;; Unix pathname host support
17 ;;; FIXME: the below shouldn't really be here, but in documentation
18 ;;; (chapter 19 makes a lot of requirements for documenting
19 ;;; implementation-dependent decisions), but anyway it's probably not
20 ;;; what we currently do.
21 ;;;
22 ;;; Unix namestrings have the following format:
23 ;;;
24 ;;; namestring := [ directory ] [ file [ type [ version ]]]
25 ;;; directory := [ "/" ] { file "/" }*
26 ;;; file := [^/]*
27 ;;; type := "." [^/.]*
28 ;;; version := "." ([0-9]+ | "*")
29 ;;;
30 ;;; Note: this grammar is ambiguous. The string foo.bar.5 can be
31 ;;; parsed as either just the file specified or as specifying the
32 ;;; file, type, and version. Therefore, we use the following rules
33 ;;; when confronted with an ambiguous file.type.version string:
34 ;;;
35 ;;; - If the first character is a dot, it's part of the file. It is not
36 ;;; considered a dot in the following rules.
37 ;;;
38 ;;; - Otherwise, the last dot separates the file and the type.
39 ;;;
40 ;;; Wildcard characters:
41 ;;;
42 ;;; If the directory, file, type components contain any of the
43 ;;; following characters, it is considered part of a wildcard pattern
44 ;;; and has the following meaning.
45 ;;;
46 ;;; ? - matches any one character
47 ;;; * - matches any zero or more characters.
48 ;;; [abc] - matches any of a, b, or c.
49 ;;; {str1,str2,...,strn} - matches any of str1, str2, ..., or strn.
50 ;;; (FIXME: no it doesn't)
51 ;;;
52 ;;; Any of these special characters can be preceded by a backslash to
53 ;;; cause it to be treated as a regular character.
54 (defun remove-backslashes (namestr start end)
55 #!+sb-doc
56 "Remove any occurrences of #\\ from the string because we've already
57 checked for whatever they may have protected."
58 (declare (type simple-string namestr)
59 (type index start end))
60 (let* ((result (make-string (- end start) :element-type 'character))
61 (dst 0)
62 (quoted nil))
63 (do ((src start (1+ src)))
64 ((= src end))
65 (cond (quoted
66 (setf (schar result dst) (schar namestr src))
67 (setf quoted nil)
68 (incf dst))
70 (let ((char (schar namestr src)))
71 (cond ((char= char #\\)
72 (setq quoted t))
74 (setf (schar result dst) char)
75 (incf dst)))))))
76 (when quoted
77 (error 'namestring-parse-error
78 :complaint "backslash in a bad place"
79 :namestring namestr
80 :offset (1- end)))
81 (%shrink-vector result dst)))
83 (defvar *ignore-wildcards* nil)
85 (/show0 "filesys.lisp 86")
87 (defun maybe-make-pattern (namestr start end)
88 (declare (type simple-string namestr)
89 (type index start end))
90 (if *ignore-wildcards*
91 (subseq namestr start end)
92 (collect ((pattern))
93 (let ((quoted nil)
94 (any-quotes nil)
95 (last-regular-char nil)
96 (index start))
97 (flet ((flush-pending-regulars ()
98 (when last-regular-char
99 (pattern (if any-quotes
100 (remove-backslashes namestr
101 last-regular-char
102 index)
103 (subseq namestr last-regular-char index)))
104 (setf any-quotes nil)
105 (setf last-regular-char nil))))
106 (loop
107 (when (>= index end)
108 (return))
109 (let ((char (schar namestr index)))
110 (cond (quoted
111 (incf index)
112 (setf quoted nil))
113 ((char= char #\\)
114 (setf quoted t)
115 (setf any-quotes t)
116 (unless last-regular-char
117 (setf last-regular-char index))
118 (incf index))
119 ((char= char #\?)
120 (flush-pending-regulars)
121 (pattern :single-char-wild)
122 (incf index))
123 ((char= char #\*)
124 (flush-pending-regulars)
125 (pattern :multi-char-wild)
126 (incf index))
127 ((char= char #\[)
128 (flush-pending-regulars)
129 (let ((close-bracket
130 (position #\] namestr :start index :end end)))
131 (unless close-bracket
132 (error 'namestring-parse-error
133 :complaint "#\\[ with no corresponding #\\]"
134 :namestring namestr
135 :offset index))
136 (pattern (cons :character-set
137 (subseq namestr
138 (1+ index)
139 close-bracket)))
140 (setf index (1+ close-bracket))))
142 (unless last-regular-char
143 (setf last-regular-char index))
144 (incf index)))))
145 (flush-pending-regulars)))
146 (cond ((null (pattern))
148 ((null (cdr (pattern)))
149 (let ((piece (first (pattern))))
150 (typecase piece
151 ((member :multi-char-wild) :wild)
152 (simple-string piece)
154 (make-pattern (pattern))))))
156 (make-pattern (pattern)))))))
158 (/show0 "filesys.lisp 160")
160 (defun extract-name-type-and-version (namestr start end)
161 (declare (type simple-string namestr)
162 (type index start end))
163 (let* ((last-dot (position #\. namestr :start (1+ start) :end end
164 :from-end t)))
165 (cond
166 (last-dot
167 (values (maybe-make-pattern namestr start last-dot)
168 (maybe-make-pattern namestr (1+ last-dot) end)
169 :newest))
171 (values (maybe-make-pattern namestr start end)
173 :newest)))))
175 (/show0 "filesys.lisp 200")
178 ;;;; wildcard matching stuff
180 ;;; Return a list of all the Lispy filenames (not including e.g. the
181 ;;; Unix magic "." and "..") in the directory named by DIRECTORY-NAME.
182 (defun directory-lispy-filenames (directory-name)
183 (with-alien ((adlf (* c-string)
184 (alien-funcall (extern-alien
185 "alloc_directory_lispy_filenames"
186 (function (* c-string) c-string))
187 directory-name)))
188 (if (null-alien adlf)
189 (error 'simple-file-error
190 :pathname directory-name
191 :format-control "~@<couldn't read directory ~S: ~2I~_~A~:>"
192 :format-arguments (list directory-name (strerror)))
193 (unwind-protect
194 (c-strings->string-list adlf)
195 (alien-funcall (extern-alien "free_directory_lispy_filenames"
196 (function void (* c-string)))
197 adlf)))))
199 (/show0 "filesys.lisp 498")
201 (defmacro !enumerate-matches ((var pathname &optional result
202 &key (verify-existence t)
203 (follow-links t))
204 &body body)
205 `(block nil
206 (%enumerate-matches (pathname ,pathname)
207 ,verify-existence
208 ,follow-links
209 (lambda (,var) ,@body))
210 ,result))
212 (/show0 "filesys.lisp 500")
214 ;;; Call FUNCTION on matches.
216 ;;; KLUDGE: this assumes that an absolute pathname is indicated to the
217 ;;; operating system by having a directory separator as the first
218 ;;; character in the directory part. This is true for Win32 pathnames
219 ;;; and for Unix pathnames, but it isn't true for LispM pathnames (and
220 ;;; their bastard offspring, logical pathnames. Also it assumes that
221 ;;; Unix pathnames have an empty or :unspecific device, and that
222 ;;; windows drive letters are the only kinds of non-empty/:UNSPECIFIC
223 ;;; devices.
224 (defun %enumerate-matches (pathname verify-existence follow-links function)
225 (/noshow0 "entering %ENUMERATE-MATCHES")
226 (when (pathname-type pathname)
227 (unless (pathname-name pathname)
228 (error "cannot supply a type without a name:~% ~S" pathname)))
229 (when (and (integerp (pathname-version pathname))
230 (member (pathname-type pathname) '(nil :unspecific)))
231 (error "cannot supply a version without a type:~% ~S" pathname))
232 (let ((host (pathname-host pathname))
233 (device (pathname-device pathname))
234 (directory (pathname-directory pathname)))
235 (/noshow0 "computed HOST and DIRECTORY")
236 (let* ((dirstring (if directory
237 (ecase (first directory)
238 (:absolute (host-unparse-directory-separator host))
239 (:relative ""))
240 ""))
241 (devstring (if (and device (not (eq device :unspecific)))
242 (concatenate 'simple-string (string device) (string #\:))
243 ""))
244 (headstring (concatenate 'simple-string devstring dirstring)))
245 (if directory
246 (%enumerate-directories headstring (rest directory) pathname
247 verify-existence follow-links nil function)
248 (%enumerate-files headstring pathname verify-existence function)))))
250 ;;; Call FUNCTION on directories.
251 (defun %enumerate-directories (head tail pathname verify-existence
252 follow-links nodes function
253 &aux (host (pathname-host pathname)))
254 (declare (simple-string head))
255 #!+win32
256 (setf follow-links nil)
257 (macrolet ((unix-xstat (name)
258 `(if follow-links
259 (sb!unix:unix-stat ,name)
260 (sb!unix:unix-lstat ,name)))
261 (with-directory-node-noted ((head) &body body)
262 `(multiple-value-bind (res dev ino mode)
263 (unix-xstat ,head)
264 (when (and res (eql (logand mode sb!unix:s-ifmt)
265 sb!unix:s-ifdir))
266 (let ((nodes (cons (cons dev ino) nodes)))
267 ,@body))))
268 (with-directory-node-removed ((head) &body body)
269 `(multiple-value-bind (res dev ino mode)
270 (unix-xstat ,head)
271 (when (and res (eql (logand mode sb!unix:s-ifmt)
272 sb!unix:s-ifdir))
273 (let ((nodes (remove (cons dev ino) nodes :test #'equal)))
274 ,@body)))))
275 (if tail
276 (let ((piece (car tail)))
277 (etypecase piece
278 (simple-string
279 (let ((head (concatenate 'string head piece)))
280 (with-directory-node-noted (head)
281 (%enumerate-directories
282 (concatenate 'string head
283 (host-unparse-directory-separator host))
284 (cdr tail) pathname
285 verify-existence follow-links
286 nodes function))))
287 ((member :wild-inferiors)
288 ;; now with extra error case handling from CLHS
289 ;; 19.2.2.4.3 -- CSR, 2004-01-24
290 (when (member (cadr tail) '(:up :back))
291 (error 'simple-file-error
292 :pathname pathname
293 :format-control "~@<invalid use of ~S after :WILD-INFERIORS~@:>."
294 :format-arguments (list (cadr tail))))
295 (%enumerate-directories head (rest tail) pathname
296 verify-existence follow-links
297 nodes function)
298 (dolist (name (directory-lispy-filenames head))
299 (let ((subdir (concatenate 'string head name)))
300 (multiple-value-bind (res dev ino mode)
301 (unix-xstat subdir)
302 (declare (type (or fixnum null) mode))
303 (when (and res (eql (logand mode sb!unix:s-ifmt)
304 sb!unix:s-ifdir))
305 (unless (dolist (dir nodes nil)
306 (when (and (eql (car dir) dev)
307 #!+win32 ;; KLUDGE
308 (not (zerop ino))
309 (eql (cdr dir) ino))
310 (return t)))
311 (let ((nodes (cons (cons dev ino) nodes))
312 (subdir (concatenate 'string subdir (host-unparse-directory-separator host))))
313 (%enumerate-directories subdir tail pathname
314 verify-existence follow-links
315 nodes function))))))))
316 ((or pattern (member :wild))
317 (dolist (name (directory-lispy-filenames head))
318 (when (or (eq piece :wild) (pattern-matches piece name))
319 (let ((subdir (concatenate 'string head name)))
320 (multiple-value-bind (res dev ino mode)
321 (unix-xstat subdir)
322 (declare (type (or fixnum null) mode))
323 (when (and res
324 (eql (logand mode sb!unix:s-ifmt)
325 sb!unix:s-ifdir))
326 (let ((nodes (cons (cons dev ino) nodes))
327 (subdir (concatenate 'string subdir (host-unparse-directory-separator host))))
328 (%enumerate-directories subdir (rest tail) pathname
329 verify-existence follow-links
330 nodes function))))))))
331 ((member :up)
332 (when (string= head (host-unparse-directory-separator host))
333 (error 'simple-file-error
334 :pathname pathname
335 :format-control "~@<invalid use of :UP after :ABSOLUTE.~@:>"))
336 (with-directory-node-removed (head)
337 (let ((head (concatenate 'string head "..")))
338 (with-directory-node-noted (head)
339 (%enumerate-directories (concatenate 'string head (host-unparse-directory-separator host))
340 (rest tail) pathname
341 verify-existence follow-links
342 nodes function)))))
343 ((member :back)
344 ;; :WILD-INFERIORS is handled above, so the only case here
345 ;; should be (:ABSOLUTE :BACK)
346 (aver (string= head (host-unparse-directory-separator host)))
347 (error 'simple-file-error
348 :pathname pathname
349 :format-control "~@<invalid use of :BACK after :ABSOLUTE.~@:>"))))
350 (%enumerate-files head pathname verify-existence function))))
352 ;;; Call FUNCTION on files.
353 (defun %enumerate-files (directory pathname verify-existence function)
354 (declare (simple-string directory))
355 (/noshow0 "entering %ENUMERATE-FILES")
356 (let ((name (%pathname-name pathname))
357 (type (%pathname-type pathname))
358 (version (%pathname-version pathname)))
359 (/noshow0 "computed NAME, TYPE, and VERSION")
360 (cond ((member name '(nil :unspecific))
361 (/noshow0 "UNSPECIFIC, more or less")
362 (let ((directory (coerce directory 'string)))
363 (when (or (not verify-existence)
364 (sb!unix:unix-file-kind directory))
365 (funcall function directory))))
366 ((or (pattern-p name)
367 (pattern-p type)
368 (eq name :wild)
369 (eq type :wild))
370 (/noshow0 "WILD, more or less")
371 ;; I IGNORE-ERRORS here just because the original CMU CL
372 ;; code did. I think the intent is that it's not an error
373 ;; to request matches to a wild pattern when no matches
374 ;; exist, but I haven't tried to figure out whether
375 ;; everything is kosher. (E.g. what if we try to match a
376 ;; wildcard but we don't have permission to read one of the
377 ;; relevant directories?) -- WHN 2001-04-17
378 (dolist (complete-filename (ignore-errors
379 (directory-lispy-filenames directory)))
380 (multiple-value-bind
381 (file-name file-type file-version)
382 (let ((*ignore-wildcards* t))
383 (extract-name-type-and-version
384 complete-filename 0 (length complete-filename)))
385 (when (and (components-match file-name name)
386 (components-match file-type type)
387 (components-match file-version version))
388 (funcall function
389 (concatenate 'string
390 directory
391 complete-filename))))))
393 (/noshow0 "default case")
394 (let ((file (concatenate 'string directory name)))
395 (/noshow "computed basic FILE")
396 (unless (or (null type) (eq type :unspecific))
397 (/noshow0 "tweaking FILE for more-or-less-:UNSPECIFIC case")
398 (setf file (concatenate 'string file "." type)))
399 (unless (member version '(nil :newest :wild :unspecific))
400 (/noshow0 "tweaking FILE for more-or-less-:WILD case")
401 (setf file (concatenate 'string file "."
402 (quick-integer-to-string version))))
403 (/noshow0 "finished possibly tweaking FILE")
404 (when (or (not verify-existence)
405 (sb!unix:unix-file-kind file t))
406 (/noshow0 "calling FUNCTION on FILE")
407 (funcall function file)))))))
409 (/noshow0 "filesys.lisp 603")
411 ;;; FIXME: Why do we need this?
412 (defun quick-integer-to-string (n)
413 (declare (type integer n))
414 (cond ((not (fixnump n))
415 (write-to-string n :base 10 :radix nil))
416 ((zerop n) "0")
417 ((eql n 1) "1")
418 ((minusp n)
419 (concatenate 'simple-base-string "-"
420 (the simple-base-string (quick-integer-to-string (- n)))))
422 (do* ((len (1+ (truncate (integer-length n) 3)))
423 (res (make-string len :element-type 'base-char))
424 (i (1- len) (1- i))
425 (q n)
426 (r 0))
427 ((zerop q)
428 (incf i)
429 (replace res res :start2 i :end2 len)
430 (%shrink-vector res (- len i)))
431 (declare (simple-string res)
432 (fixnum len i r q))
433 (multiple-value-setq (q r) (truncate q 10))
434 (setf (schar res i) (schar "0123456789" r))))))
436 ;;;; UNIX-NAMESTRING
438 (defun empty-relative-pathname-spec-p (x)
439 (or (equal x "")
440 (and (pathnamep x)
441 (or (equal (pathname-directory x) '(:relative))
442 ;; KLUDGE: I'm not sure this second check should really
443 ;; have to be here. But on sbcl-0.6.12.7,
444 ;; (PATHNAME-DIRECTORY (PATHNAME "")) is NIL, and
445 ;; (PATHNAME "") seems to act like an empty relative
446 ;; pathname, so in order to work with that, I test
447 ;; for NIL here. -- WHN 2001-05-18
448 (null (pathname-directory x)))
449 (null (pathname-name x))
450 (null (pathname-type x)))
451 ;; (The ANSI definition of "pathname specifier" has
452 ;; other cases, but none of them seem to admit the possibility
453 ;; of being empty and relative.)
456 ;;; Convert PATHNAME into a string that can be used with UNIX system
457 ;;; calls, or return NIL if no match is found. Wild-cards are expanded.
459 ;;; FIXME: apart from the error checking (for wildness and for
460 ;;; existence) and conversion to physical pathanme, this is redundant
461 ;;; with UNPARSE-NATIVE-UNIX-NAMESTRING; one should probably be
462 ;;; written in terms of the other.
464 ;;; FIXME: actually this (I think) works not just for Unix.
465 (defun unix-namestring (pathname-spec &optional (for-input t))
466 (let* ((namestring (physicalize-pathname (merge-pathnames pathname-spec)))
467 (matches nil)) ; an accumulator for actual matches
468 (when (wild-pathname-p namestring)
469 (error 'simple-file-error
470 :pathname namestring
471 :format-control "bad place for a wild pathname"))
472 (!enumerate-matches (match namestring nil :verify-existence for-input)
473 (push match matches))
474 (case (length matches)
475 (0 nil)
476 (1 (first matches))
477 (t (bug "!ENUMERATE-MATCHES returned more than one match on a non-wild pathname")))))
479 ;;;; TRUENAME, PROBE-FILE, FILE-AUTHOR, FILE-WRITE-DATE.
481 ;;; Rewritten in 12/2007 by RMK, replacing 13+ year old CMU code that
482 ;;; made a mess of things in order to support search lists (which SBCL
483 ;;; has never had). These are now all relatively straightforward
484 ;;; wrappers around stat(2) and realpath(2), with the same basic logic
485 ;;; in all cases. The wrinkles to be aware of:
487 ;;; * SBCL defines the truename of an existing, dangling or
488 ;;; self-referring symlink to be the symlink itself.
489 ;;; * The old version of PROBE-FILE merged the pathspec against
490 ;;; *DEFAULT-PATHNAME-DEFAULTS* twice, and so lost when *D-P-D*
491 ;;; was a relative pathname. Even if the case where *D-P-D* is a
492 ;;; relative pathname is problematic, there's no particular reason
493 ;;; to get that wrong, so let's try not to.
494 ;;; * Note that while stat(2) is probably atomic, getting the truename
495 ;;; for a filename involves poking all over the place, and so is
496 ;;; subject to race conditions if other programs mutate the file
497 ;;; system while we're resolving symlinks. So it's not implausible for
498 ;;; realpath(3) to fail even if stat(2) succeeded. There's nothing
499 ;;; obvious we can do about this, however.
500 ;;; * Windows' apparent analogue of realpath(3) is called
501 ;;; GetFullPathName, and it's a bit less useful than realpath(3).
502 ;;; In particular, while realpath(3) errors in case the file doesn't
503 ;;; exist, GetFullPathName seems to return a filename in all cases.
504 ;;; As realpath(3) is not atomic anyway, we only ever call it when
505 ;;; we think a file exists, so just be careful when rewriting this
506 ;;; routine.
507 (defun query-file-system (pathspec query-for enoent-errorp)
508 (let ((pathname (translate-logical-pathname
509 (merge-pathnames
510 (pathname pathspec)
511 (sane-default-pathname-defaults)))))
512 (when (wild-pathname-p pathname)
513 (error 'simple-file-error
514 :pathname pathname
515 :format-control "~@<can't find the ~A of wild pathname ~A~
516 (physicalized from ~A).~:>"
517 :format-arguments (list query-for pathname pathspec)))
518 (let ((filename (native-namestring pathname :as-file t)))
519 (multiple-value-bind (existsp errno ino mode nlink uid gid rdev size
520 atime mtime)
521 (sb!unix:unix-stat filename)
522 (declare (ignore ino nlink gid rdev size atime))
523 (if existsp
524 (case query-for
525 (:truename (nth-value
527 (parse-native-namestring
528 ;; Note: in case the file is stat'able, POSIX
529 ;; realpath(3) gets us a canonical absolute
530 ;; filename, even if the post-merge PATHNAME
531 ;; is not absolute...
532 (multiple-value-bind (realpath errno)
533 (sb!unix:unix-realpath filename)
534 (if realpath
535 realpath
536 (simple-file-perror "couldn't resolve ~A"
537 filename errno)))
538 (pathname-host pathname)
539 (sane-default-pathname-defaults)
540 ;; ... but without any trailing slash.
541 :as-directory (eql (logand mode sb!unix:s-ifmt)
542 sb!unix:s-ifdir))))
543 (:author (sb!unix:uid-username uid))
544 (:write-date (+ unix-to-universal-time mtime)))
545 (progn
546 ;; SBCL has for many years had a policy that a pathname
547 ;; that names an existing, dangling or self-referential
548 ;; symlink denotes the symlink itself. stat(2) fails
549 ;; and sets errno to ELOOP in this case, but we must
550 ;; distinguish cases where the symlink exists from ones
551 ;; where there's a loop in the apparent containing
552 ;; directory.
553 #!-win32
554 (multiple-value-bind (linkp ignore ino mode nlink uid gid rdev
555 size atime mtime)
556 (sb!unix:unix-lstat filename)
557 (declare (ignore ignore ino mode nlink gid rdev size atime))
558 (when (and (or (= errno sb!unix:enoent)
559 (= errno sb!unix:eloop))
560 linkp)
561 (return-from query-file-system
562 (case query-for
563 (:truename
564 ;; So here's a trick: since lstat succeded,
565 ;; FILENAME exists, so its directory exists and
566 ;; only the non-directory part is loopy. So
567 ;; let's resolve FILENAME's directory part with
568 ;; realpath(3), in order to get a canonical
569 ;; absolute name for the directory, and then
570 ;; return a pathname having PATHNAME's name,
571 ;; type, and version, but the rest from the
572 ;; truename of the directory. Since we turned
573 ;; PATHNAME into FILENAME "as a file", FILENAME
574 ;; does not end in a slash, and so we get the
575 ;; directory part of FILENAME by reparsing
576 ;; FILENAME and masking off its name, type, and
577 ;; version bits. But note not to call ourselves
578 ;; recursively, because we don't want to
579 ;; re-merge against *DEFAULT-PATHNAME-DEFAULTS*,
580 ;; since PATHNAME may be a relative pathname.
581 (merge-pathnames
582 (nth-value
584 (parse-native-namestring
585 (multiple-value-bind (realpath errno)
586 (sb!unix:unix-realpath
587 (native-namestring
588 (make-pathname
589 :name :unspecific
590 :type :unspecific
591 :version :unspecific
592 :defaults (parse-native-namestring
593 filename
594 (pathname-host pathname)
595 (sane-default-pathname-defaults)))))
596 (if realpath
597 realpath
598 (simple-file-perror "couldn't resolve ~A"
599 filename errno)))
600 (pathname-host pathname)
601 (sane-default-pathname-defaults)
602 :as-directory t))
603 pathname))
604 (:author (sb!unix:uid-username uid))
605 (:write-date (+ unix-to-universal-time mtime))))))
606 ;; If we're still here, the file doesn't exist; return
607 ;; NIL or error.
608 (if (and (= errno sb!unix:enoent) (not enoent-errorp))
610 (simple-file-perror
611 (format nil "failed to find the ~A of ~~A" query-for)
612 pathspec errno))))))))
615 (defun probe-file (pathspec)
616 #!+sb-doc
617 "Return the truename of PATHSPEC if such a file exists, the
618 coercion of PATHSPEC to a pathname if PATHSPEC names a symlink
619 that links to itself or to a file that doesn't exist, or NIL if
620 errno is set to ENOENT after trying to stat(2) the file. An
621 error of type FILE-ERROR is signaled if PATHSPEC is a wild
622 pathname, or for any other circumstance where stat(2) fails."
623 (query-file-system pathspec :truename nil))
626 (defun truename (pathspec)
627 #!+sb-doc
628 "If PATHSPEC is a pathname that names an existing file, return
629 a pathname that denotes a canonicalized name for the file. If
630 pathspec is a stream associated with a file, return a pathname
631 that denotes a canonicalized name for the file associated with
632 the stream.
634 An error of type FILE-ERROR is signalled if no such file exists
635 or if the file system is such that a canonicalized file name
636 cannot be determined or if the pathname is wild.
638 Under Unix, the TRUENAME of a symlink that links to itself or to
639 a file that doesn't exist is considered to be the name of the
640 broken symlink itself."
641 ;; Note that eventually this routine might be different for streams
642 ;; than for other pathname designators.
643 (if (streamp pathspec)
644 (query-file-system pathspec :truename t)
645 (query-file-system pathspec :truename t)))
647 (defun file-author (pathspec)
648 #!+sb-doc
649 "Return the author of the file specified by PATHSPEC. Signal an
650 error of type FILE-ERROR if no such file exists, or if PATHSPEC
651 is a wild pathname."
652 (query-file-system pathspec :author t))
654 (defun file-write-date (pathspec)
655 #!+sb-doc
656 "Return the write date of the file specified by PATHSPEC.
657 An error of type FILE-ERROR is signaled if no such file exists,
658 or if PATHSPEC is a wild pathname."
659 (query-file-system pathspec :write-date t))
661 ;;;; miscellaneous other operations
663 (/show0 "filesys.lisp 700")
665 (defun rename-file (file new-name)
666 #!+sb-doc
667 "Rename FILE to have the specified NEW-NAME. If FILE is a stream open to a
668 file, then the associated file is renamed."
669 (let* ((original (truename file))
670 (original-namestring (unix-namestring original t))
671 (new-name (merge-pathnames new-name original))
672 (new-namestring (unix-namestring new-name nil)))
673 (unless new-namestring
674 (error 'simple-file-error
675 :pathname new-name
676 :format-control "~S can't be created."
677 :format-arguments (list new-name)))
678 (multiple-value-bind (res error)
679 (sb!unix:unix-rename original-namestring new-namestring)
680 (unless res
681 (error 'simple-file-error
682 :pathname new-name
683 :format-control "~@<couldn't rename ~2I~_~A ~I~_to ~2I~_~A: ~
684 ~I~_~A~:>"
685 :format-arguments (list original new-name (strerror error))))
686 (when (streamp file)
687 (file-name file new-name))
688 (values new-name original (truename new-name)))))
690 (defun delete-file (file)
691 #!+sb-doc
692 "Delete the specified FILE."
693 (let ((namestring (unix-namestring file t)))
694 (when (streamp file)
695 (close file :abort t))
696 (unless namestring
697 (error 'simple-file-error
698 :pathname file
699 :format-control "~S doesn't exist."
700 :format-arguments (list file)))
701 (multiple-value-bind (res err) (sb!unix:unix-unlink namestring)
702 (unless res
703 (simple-file-perror "couldn't delete ~A" namestring err))))
706 (defun sbcl-homedir-pathname ()
707 (let ((sbcl-home (posix-getenv "SBCL_HOME")))
708 ;; SBCL_HOME isn't set for :EXECUTABLE T embedded cores
709 (when (and sbcl-home (not (string= sbcl-home "")))
710 (parse-native-namestring sbcl-home
711 #-win32 sb!impl::*unix-host*
712 #+win32 sb!impl::*win32-host*
713 *default-pathname-defaults*
714 :as-directory t))))
716 ;;; (This is an ANSI Common Lisp function.)
717 (defun user-homedir-pathname (&optional host)
718 #!+sb-doc
719 "Return the home directory of the user as a pathname. If the HOME
720 environment variable has been specified, the directory it designates
721 is returned; otherwise obtains the home directory from the operating
722 system."
723 (declare (ignore host))
724 (let ((env-home (posix-getenv "HOME")))
725 (parse-native-namestring
726 (if (and env-home (not (string= env-home "")))
727 env-home
728 #!-win32
729 (sb!unix:uid-homedir (sb!unix:unix-getuid))
730 #!+win32
731 ;; Needs to bypass PARSE-NATIVE-NAMESTRING & ENSURE-TRAILING-SLASH
732 ;; What?! -- RMK, 2007-12-31
733 (return-from user-homedir-pathname
734 (sb!win32::get-folder-pathname sb!win32::csidl_profile)))
735 #-win32 sb!impl::*unix-host*
736 #+win32 sb!impl::*win32-host*
737 *default-pathname-defaults*
738 :as-directory t)))
740 ;;;; DIRECTORY
742 (/show0 "filesys.lisp 800")
744 ;;; NOTE: There is a fair amount of hair below that is probably not
745 ;;; strictly necessary.
747 ;;; The issue is the following: what does (DIRECTORY "SYS:*;") mean?
748 ;;; Until 2004-01, SBCL's behaviour was unquestionably wrong, as it
749 ;;; did not translate the logical pathname at all, but instead treated
750 ;;; it as a physical one. Other Lisps seem to to treat this call as
751 ;;; equivalent to (DIRECTORY (TRANSLATE-LOGICAL-PATHNAME "SYS:*;")),
752 ;;; which is fine as far as it goes, but not very interesting, and
753 ;;; arguably counterintuitive. (PATHNAME-MATCH-P "SYS:SRC;" "SYS:*;")
754 ;;; is true, so why should "SYS:SRC;" not show up in the call to
755 ;;; DIRECTORY? (assuming the physical pathname corresponding to it
756 ;;; exists, of course).
758 ;;; So, the interpretation that I am pushing is for all pathnames
759 ;;; matching the input pathname to be queried. This means that we
760 ;;; need to compute the intersection of the input pathname and the
761 ;;; logical host FROM translations, and then translate the resulting
762 ;;; pathname using the host to the TO translation; this treatment is
763 ;;; recursively invoked until we get a physical pathname, whereupon
764 ;;; our physical DIRECTORY implementation takes over.
766 ;;; FIXME: this is an incomplete implementation. It only works when
767 ;;; both are logical pathnames (which is OK, because that's the only
768 ;;; case when we call it), but there are other pitfalls as well: see
769 ;;; the DIRECTORY-HELPER below for some, but others include a lack of
770 ;;; pattern handling.
772 ;;; The above was written by CSR, I (RMK) believe. The argument that
773 ;;; motivates the interpretation is faulty, however: PATHNAME-MATCH-P
774 ;;; returns true for (PATHNAME-MATCH-P #P"/tmp/*/" #P"/tmp/../"), but
775 ;;; the latter pathname is not in the result of DIRECTORY on the
776 ;;; former. Indeed, if DIRECTORY were constrained to return the
777 ;;; truename for every pathname for which PATHNAME-MATCH-P returned
778 ;;; true and which denoted a filename that named an existing file,
779 ;;; (DIRECTORY #P"/tmp/**/") would be required to list every file on a
780 ;;; Unix system, since any file can be named as though it were "below"
781 ;;; /tmp, given the dotdot entries. So I think the strongest
782 ;;; "consistency" we can define between PATHNAME-MATCH-P and DIRECTORY
783 ;;; is that PATHNAME-MATCH-P returns true of everything DIRECTORY
784 ;;; returns, but not vice versa.
786 ;;; In any case, even if the motivation were sound, DIRECTORY on a
787 ;;; wild logical pathname has no portable semantics. I see nothing in
788 ;;; ANSI that requires implementations to support wild physical
789 ;;; pathnames, and so there need not be any translation of a wild
790 ;;; logical pathname to a phyiscal pathname. So a program that calls
791 ;;; DIRECTORY on a wild logical pathname is doing something
792 ;;; non-portable at best. And if the only sensible semantics for
793 ;;; DIRECTORY on a wild logical pathname is something like the
794 ;;; following, it would be just as well if it signaled an error, since
795 ;;; a program can't possibly rely on the result of an intersection of
796 ;;; user-defined translations with a file system probe. (Potentially
797 ;;; useful kinds of "pathname" that might not support wildcards could
798 ;;; include pathname hosts that model unqueryable namespaces like HTTP
799 ;;; URIs, or that model namespaces that it's not convenient to
800 ;;; investigate, such as the namespace of TCP ports that some network
801 ;;; host listens on. I happen to think it a bad idea to try to
802 ;;; shoehorn such namespaces into a pathnames system, but people
803 ;;; sometimes claim to want pathnames for these things.) -- RMK
804 ;;; 2007-12-31.
806 (defun pathname-intersections (one two)
807 (aver (logical-pathname-p one))
808 (aver (logical-pathname-p two))
809 (labels
810 ((intersect-version (one two)
811 (aver (typep one '(or null (member :newest :wild :unspecific)
812 integer)))
813 (aver (typep two '(or null (member :newest :wild :unspecific)
814 integer)))
815 (cond
816 ((eq one :wild) two)
817 ((eq two :wild) one)
818 ((or (null one) (eq one :unspecific)) two)
819 ((or (null two) (eq two :unspecific)) one)
820 ((eql one two) one)
821 (t nil)))
822 (intersect-name/type (one two)
823 (aver (typep one '(or null (member :wild :unspecific) string)))
824 (aver (typep two '(or null (member :wild :unspecific) string)))
825 (cond
826 ((eq one :wild) two)
827 ((eq two :wild) one)
828 ((or (null one) (eq one :unspecific)) two)
829 ((or (null two) (eq two :unspecific)) one)
830 ((string= one two) one)
831 (t nil)))
832 (intersect-directory (one two)
833 (aver (typep one '(or null (member :wild :unspecific) list)))
834 (aver (typep two '(or null (member :wild :unspecific) list)))
835 (cond
836 ((eq one :wild) two)
837 ((eq two :wild) one)
838 ((or (null one) (eq one :unspecific)) two)
839 ((or (null two) (eq two :unspecific)) one)
840 (t (aver (eq (car one) (car two)))
841 (mapcar
842 (lambda (x) (cons (car one) x))
843 (intersect-directory-helper (cdr one) (cdr two)))))))
844 (let ((version (intersect-version
845 (pathname-version one) (pathname-version two)))
846 (name (intersect-name/type
847 (pathname-name one) (pathname-name two)))
848 (type (intersect-name/type
849 (pathname-type one) (pathname-type two)))
850 (host (pathname-host one)))
851 (mapcar (lambda (d)
852 (make-pathname :host host :name name :type type
853 :version version :directory d))
854 (intersect-directory
855 (pathname-directory one) (pathname-directory two))))))
857 ;;; FIXME: written as its own function because I (CSR) don't
858 ;;; understand it, so helping both debuggability and modularity. In
859 ;;; case anyone is motivated to rewrite it, it returns a list of
860 ;;; sublists representing the intersection of the two input directory
861 ;;; paths (excluding the initial :ABSOLUTE or :RELATIVE).
863 ;;; FIXME: Does not work with :UP or :BACK
864 ;;; FIXME: Does not work with patterns
866 ;;; FIXME: PFD suggests replacing this implementation with a DFA
867 ;;; conversion of a NDFA. Find out (a) what this means and (b) if it
868 ;;; turns out to be worth it.
869 (defun intersect-directory-helper (one two)
870 (flet ((simple-intersection (cone ctwo)
871 (cond
872 ((eq cone :wild) ctwo)
873 ((eq ctwo :wild) cone)
874 (t (aver (typep cone 'string))
875 (aver (typep ctwo 'string))
876 (if (string= cone ctwo) cone nil)))))
877 (macrolet
878 ((loop-possible-wild-inferiors-matches
879 (lower-bound bounding-sequence order)
880 (let ((index (gensym)) (g2 (gensym)) (g3 (gensym)) (l (gensym)))
881 `(let ((,l (length ,bounding-sequence)))
882 (loop for ,index from ,lower-bound to ,l
883 append (mapcar (lambda (,g2)
884 (append
885 (butlast ,bounding-sequence (- ,l ,index))
886 ,g2))
887 (mapcar
888 (lambda (,g3)
889 (append
890 (if (eq (car (nthcdr ,index ,bounding-sequence))
891 :wild-inferiors)
892 '(:wild-inferiors)
893 nil) ,g3))
894 (intersect-directory-helper
895 ,@(if order
896 `((nthcdr ,index one) (cdr two))
897 `((cdr one) (nthcdr ,index two)))))))))))
898 (cond
899 ((and (eq (car one) :wild-inferiors)
900 (eq (car two) :wild-inferiors))
901 (delete-duplicates
902 (append (mapcar (lambda (x) (cons :wild-inferiors x))
903 (intersect-directory-helper (cdr one) (cdr two)))
904 (loop-possible-wild-inferiors-matches 2 one t)
905 (loop-possible-wild-inferiors-matches 2 two nil))
906 :test 'equal))
907 ((eq (car one) :wild-inferiors)
908 (delete-duplicates (loop-possible-wild-inferiors-matches 0 two nil)
909 :test 'equal))
910 ((eq (car two) :wild-inferiors)
911 (delete-duplicates (loop-possible-wild-inferiors-matches 0 one t)
912 :test 'equal))
913 ((and (null one) (null two)) (list nil))
914 ((null one) nil)
915 ((null two) nil)
916 (t (and (simple-intersection (car one) (car two))
917 (mapcar (lambda (x) (cons (simple-intersection
918 (car one) (car two)) x))
919 (intersect-directory-helper (cdr one) (cdr two)))))))))
921 (defun directory (pathname &key)
922 #!+sb-doc
923 "Return a list of PATHNAMEs, each the TRUENAME of a file that matched the
924 given pathname. Note that the interaction between this ANSI-specified
925 TRUENAMEing and the semantics of the Unix filesystem (symbolic links..)
926 means this function can sometimes return files which don't have the same
927 directory as PATHNAME."
928 (let (;; We create one entry in this hash table for each truename,
929 ;; as an asymptotically efficient way of removing duplicates
930 ;; (which can arise when e.g. multiple symlinks map to the
931 ;; same truename).
932 (truenames (make-hash-table :test #'equal))
933 ;; FIXME: Possibly this MERGE-PATHNAMES call should only
934 ;; happen once we get a physical pathname.
935 (merged-pathname (merge-pathnames pathname)))
936 (labels ((do-physical-directory (pathname)
937 (aver (not (logical-pathname-p pathname)))
938 (!enumerate-matches (match pathname)
939 (let* ((*ignore-wildcards* t)
940 ;; FIXME: Why not TRUENAME? As reported by
941 ;; Milan Zamazal sbcl-devel 2003-10-05, using
942 ;; TRUENAME causes a race condition whereby
943 ;; removal of a file during the directory
944 ;; operation causes an error. It's not clear
945 ;; what the right thing to do is, though. --
946 ;; CSR, 2003-10-13
947 (truename (probe-file match)))
948 (when truename
949 (setf (gethash (namestring truename) truenames)
950 truename)))))
951 (do-directory (pathname)
952 (if (logical-pathname-p pathname)
953 (let ((host (intern-logical-host (pathname-host pathname))))
954 (dolist (x (logical-host-canon-transls host))
955 (destructuring-bind (from to) x
956 (let ((intersections
957 (pathname-intersections pathname from)))
958 (dolist (p intersections)
959 (do-directory (translate-pathname p from to)))))))
960 (do-physical-directory pathname))))
961 (do-directory merged-pathname))
962 (mapcar #'cdr
963 ;; Sorting isn't required by the ANSI spec, but sorting
964 ;; into some canonical order seems good just on the
965 ;; grounds that the implementation should have repeatable
966 ;; behavior when possible.
967 (sort (loop for name being each hash-key in truenames
968 using (hash-value truename)
969 collect (cons name truename))
970 #'string<
971 :key #'car))))
973 (/show0 "filesys.lisp 899")
975 ;;; predicate to order pathnames by; goes by name
976 ;; FIXME: Does anything use this? It's not exported, and I don't find
977 ;; the name anywhere else.
978 (defun pathname-order (x y)
979 (let ((xn (%pathname-name x))
980 (yn (%pathname-name y)))
981 (if (and xn yn)
982 (let ((res (string-lessp xn yn)))
983 (cond ((not res) nil)
984 ((= res (length (the simple-string xn))) t)
985 ((= res (length (the simple-string yn))) nil)
986 (t t)))
987 xn)))
989 (defun ensure-directories-exist (pathspec &key verbose (mode #o777))
990 #!+sb-doc
991 "Test whether the directories containing the specified file
992 actually exist, and attempt to create them if they do not.
993 The MODE argument is a CMUCL/SBCL-specific extension to control
994 the Unix permission bits."
995 (let ((pathname (physicalize-pathname (merge-pathnames (pathname pathspec))))
996 (created-p nil))
997 (when (wild-pathname-p pathname)
998 (error 'simple-file-error
999 :format-control "bad place for a wild pathname"
1000 :pathname pathspec))
1001 (let ((dir (pathname-directory pathname)))
1002 (loop for i from 1 upto (length dir)
1003 do (let ((newpath (make-pathname
1004 :host (pathname-host pathname)
1005 :device (pathname-device pathname)
1006 :directory (subseq dir 0 i))))
1007 (unless (probe-file newpath)
1008 (let ((namestring (coerce (native-namestring newpath)
1009 'string)))
1010 (when verbose
1011 (format *standard-output*
1012 "~&creating directory: ~A~%"
1013 namestring))
1014 (sb!unix:unix-mkdir namestring mode)
1015 (unless (probe-file newpath)
1016 (restart-case (error
1017 'simple-file-error
1018 :pathname pathspec
1019 :format-control
1020 "can't create directory ~A"
1021 :format-arguments (list namestring))
1022 (retry ()
1023 :report "Retry directory creation."
1024 (ensure-directories-exist
1025 pathspec
1026 :verbose verbose :mode mode))
1027 (continue ()
1028 :report
1029 "Continue as if directory creation was successful."
1030 nil)))
1031 (setf created-p t)))))
1032 (values pathspec created-p))))
1034 (/show0 "filesys.lisp 1000")