more aspiration in boot-9
[bpt/guile.git] / module / ice-9 / boot-9.scm
1 ;;; -*- mode: scheme; coding: utf-8; -*-
2
3 ;;;; Copyright (C) 1995,1996,1997,1998,1999,2000,2001,2002,2003,2004,2005,2006,2007,2008,2009,2010
4 ;;;; Free Software Foundation, Inc.
5 ;;;;
6 ;;;; This library is free software; you can redistribute it and/or
7 ;;;; modify it under the terms of the GNU Lesser General Public
8 ;;;; License as published by the Free Software Foundation; either
9 ;;;; version 3 of the License, or (at your option) any later version.
10 ;;;;
11 ;;;; This library is distributed in the hope that it will be useful,
12 ;;;; but WITHOUT ANY WARRANTY; without even the implied warranty of
13 ;;;; MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU
14 ;;;; Lesser General Public License for more details.
15 ;;;;
16 ;;;; You should have received a copy of the GNU Lesser General Public
17 ;;;; License along with this library; if not, write to the Free Software
18 ;;;; Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA
19 ;;;;
20
21 \f
22
23 ;;; Commentary:
24
25 ;;; This file is the first thing loaded into Guile. It adds many mundane
26 ;;; definitions and a few that are interesting.
27 ;;;
28 ;;; The module system (hence the hierarchical namespace) are defined in this
29 ;;; file.
30 ;;;
31
32 ;;; Code:
33
34 \f
35
36 ;; Before compiling, make sure any symbols are resolved in the (guile)
37 ;; module, the primary location of those symbols, rather than in
38 ;; (guile-user), the default module that we compile in.
39
40 (eval-when (compile)
41 (set-current-module (resolve-module '(guile))))
42
43 \f
44
45 ;;; {Error handling}
46 ;;;
47
48 ;; Define delimited continuation operators, and implement catch and throw in
49 ;; terms of them.
50
51 (define make-prompt-tag
52 (lambda* (#:optional (stem "prompt"))
53 (gensym stem)))
54
55 (define default-prompt-tag
56 ;; not sure if we should expose this to the user as a fluid
57 (let ((%default-prompt-tag (make-prompt-tag)))
58 (lambda ()
59 %default-prompt-tag)))
60
61 (define (call-with-prompt tag thunk handler)
62 (@prompt tag (thunk) handler))
63 (define (abort-to-prompt tag . args)
64 (@abort tag args))
65
66
67 ;; Define catch and with-throw-handler, using some common helper routines and a
68 ;; shared fluid. Hide the helpers in a lexical contour.
69
70 (define with-throw-handler #f)
71 (let ()
72 ;; Ideally we'd like to be able to give these default values for all threads,
73 ;; even threads not created by Guile; but alack, that does not currently seem
74 ;; possible. So wrap the getters in thunks.
75 (define %running-exception-handlers (make-fluid))
76 (define %exception-handler (make-fluid))
77
78 (define (running-exception-handlers)
79 (or (fluid-ref %running-exception-handlers)
80 (begin
81 (fluid-set! %running-exception-handlers '())
82 '())))
83 (define (exception-handler)
84 (or (fluid-ref %exception-handler)
85 (begin
86 (fluid-set! %exception-handler default-exception-handler)
87 default-exception-handler)))
88
89 (define (default-exception-handler k . args)
90 (cond
91 ((eq? k 'quit)
92 (primitive-exit (cond
93 ((not (pair? args)) 0)
94 ((integer? (car args)) (car args))
95 ((not (car args)) 1)
96 (else 0))))
97 (else
98 (format (current-error-port) "guile: uncaught throw to ~a: ~a\n" k args)
99 (primitive-exit 1))))
100
101 (define (default-throw-handler prompt-tag catch-k)
102 (let ((prev (exception-handler)))
103 (lambda (thrown-k . args)
104 (if (or (eq? thrown-k catch-k) (eqv? catch-k #t))
105 (apply abort-to-prompt prompt-tag thrown-k args)
106 (apply prev thrown-k args)))))
107
108 (define (custom-throw-handler prompt-tag catch-k pre)
109 (let ((prev (exception-handler)))
110 (lambda (thrown-k . args)
111 (if (or (eq? thrown-k catch-k) (eqv? catch-k #t))
112 (let ((running (running-exception-handlers)))
113 (with-fluids ((%running-exception-handlers (cons pre running)))
114 (if (not (memq pre running))
115 (apply pre thrown-k args))
116 ;; fall through
117 (if prompt-tag
118 (apply abort-to-prompt prompt-tag thrown-k args)
119 (apply prev thrown-k args))))
120 (apply prev thrown-k args)))))
121
122 (set! catch
123 (lambda* (k thunk handler #:optional pre-unwind-handler)
124 "Invoke @var{thunk} in the dynamic context of @var{handler} for
125 exceptions matching @var{key}. If thunk throws to the symbol
126 @var{key}, then @var{handler} is invoked this way:
127 @lisp
128 (handler key args ...)
129 @end lisp
130
131 @var{key} is a symbol or @code{#t}.
132
133 @var{thunk} takes no arguments. If @var{thunk} returns
134 normally, that is the return value of @code{catch}.
135
136 Handler is invoked outside the scope of its own @code{catch}.
137 If @var{handler} again throws to the same key, a new handler
138 from further up the call chain is invoked.
139
140 If the key is @code{#t}, then a throw to @emph{any} symbol will
141 match this call to @code{catch}.
142
143 If a @var{pre-unwind-handler} is given and @var{thunk} throws
144 an exception that matches @var{key}, Guile calls the
145 @var{pre-unwind-handler} before unwinding the dynamic state and
146 invoking the main @var{handler}. @var{pre-unwind-handler} should
147 be a procedure with the same signature as @var{handler}, that
148 is @code{(lambda (key . args))}. It is typically used to save
149 the stack at the point where the exception occurred, but can also
150 query other parts of the dynamic state at that point, such as
151 fluid values.
152
153 A @var{pre-unwind-handler} can exit either normally or non-locally.
154 If it exits normally, Guile unwinds the stack and dynamic context
155 and then calls the normal (third argument) handler. If it exits
156 non-locally, that exit determines the continuation."
157 (if (not (or (symbol? k) (eqv? k #t)))
158 (scm-error "catch" 'wrong-type-arg
159 "Wrong type argument in position ~a: ~a"
160 (list 1 k) (list k)))
161 (let ((tag (make-prompt-tag "catch")))
162 (call-with-prompt
163 tag
164 (lambda ()
165 (with-fluids
166 ((%exception-handler
167 (if pre-unwind-handler
168 (custom-throw-handler tag k pre-unwind-handler)
169 (default-throw-handler tag k))))
170 (thunk)))
171 (lambda (cont k . args)
172 (apply handler k args))))))
173
174 (set! with-throw-handler
175 (lambda (k thunk pre-unwind-handler)
176 "Add @var{handler} to the dynamic context as a throw handler
177 for key @var{key}, then invoke @var{thunk}."
178 (if (not (or (symbol? k) (eqv? k #t)))
179 (scm-error "with-throw-handler" 'wrong-type-arg
180 "Wrong type argument in position ~a: ~a"
181 (list 1 k) (list k)))
182 (with-fluids ((%exception-handler
183 (custom-throw-handler #f k pre-unwind-handler)))
184 (thunk))))
185
186 (set! throw
187 (lambda (key . args)
188 "Invoke the catch form matching @var{key}, passing @var{args} to the
189 @var{handler}.
190
191 @var{key} is a symbol. It will match catches of the same symbol or of @code{#t}.
192
193 If there is no handler at all, Guile prints an error and then exits."
194 (if (not (symbol? key))
195 ((exception-handler) 'wrong-type-arg "throw"
196 "Wrong type argument in position ~a: ~a" (list 1 key) (list key))
197 (apply (exception-handler) key args)))))
198
199
200 \f
201
202 ;;; {R4RS compliance}
203 ;;;
204
205 (primitive-load-path "ice-9/r4rs")
206
207 \f
208
209 ;;; {Simple Debugging Tools}
210 ;;;
211
212 ;; peek takes any number of arguments, writes them to the
213 ;; current ouput port, and returns the last argument.
214 ;; It is handy to wrap around an expression to look at
215 ;; a value each time is evaluated, e.g.:
216 ;;
217 ;; (+ 10 (troublesome-fn))
218 ;; => (+ 10 (pk 'troublesome-fn-returned (troublesome-fn)))
219 ;;
220
221 (define (peek . stuff)
222 (newline)
223 (display ";;; ")
224 (write stuff)
225 (newline)
226 (car (last-pair stuff)))
227
228 (define pk peek)
229
230
231 (define (warn . stuff)
232 (with-output-to-port (current-error-port)
233 (lambda ()
234 (newline)
235 (display ";;; WARNING ")
236 (display stuff)
237 (newline)
238 (car (last-pair stuff)))))
239
240 \f
241
242 ;;; {Features}
243 ;;;
244
245 (define (provide sym)
246 (if (not (memq sym *features*))
247 (set! *features* (cons sym *features*))))
248
249 ;; Return #t iff FEATURE is available to this Guile interpreter. In SLIB,
250 ;; provided? also checks to see if the module is available. We should do that
251 ;; too, but don't.
252
253 (define (provided? feature)
254 (and (memq feature *features*) #t))
255
256 \f
257
258 ;;; {Structs}
259 ;;;
260
261 (define (make-struct/no-tail vtable . args)
262 (apply make-struct vtable 0 args))
263
264 \f
265
266 ;;; {and-map and or-map}
267 ;;;
268 ;;; (and-map fn lst) is like (and (fn (car lst)) (fn (cadr lst)) (fn...) ...)
269 ;;; (or-map fn lst) is like (or (fn (car lst)) (fn (cadr lst)) (fn...) ...)
270 ;;;
271
272 ;; and-map f l
273 ;;
274 ;; Apply f to successive elements of l until exhaustion or f returns #f.
275 ;; If returning early, return #f. Otherwise, return the last value returned
276 ;; by f. If f has never been called because l is empty, return #t.
277 ;;
278 (define (and-map f lst)
279 (let loop ((result #t)
280 (l lst))
281 (and result
282 (or (and (null? l)
283 result)
284 (loop (f (car l)) (cdr l))))))
285
286 ;; or-map f l
287 ;;
288 ;; Apply f to successive elements of l until exhaustion or while f returns #f.
289 ;; If returning early, return the return value of f.
290 ;;
291 (define (or-map f lst)
292 (let loop ((result #f)
293 (l lst))
294 (or result
295 (and (not (null? l))
296 (loop (f (car l)) (cdr l))))))
297
298 \f
299
300 ;; let format alias simple-format until the more complete version is loaded
301
302 (define format simple-format)
303
304 ;; this is scheme wrapping the C code so the final pred call is a tail call,
305 ;; per SRFI-13 spec
306 (define string-any
307 (lambda* (char_pred s #:optional (start 0) (end (string-length s)))
308 (if (and (procedure? char_pred)
309 (> end start)
310 (<= end (string-length s))) ;; let c-code handle range error
311 (or (string-any-c-code char_pred s start (1- end))
312 (char_pred (string-ref s (1- end))))
313 (string-any-c-code char_pred s start end))))
314
315 ;; this is scheme wrapping the C code so the final pred call is a tail call,
316 ;; per SRFI-13 spec
317 (define string-every
318 (lambda* (char_pred s #:optional (start 0) (end (string-length s)))
319 (if (and (procedure? char_pred)
320 (> end start)
321 (<= end (string-length s))) ;; let c-code handle range error
322 (and (string-every-c-code char_pred s start (1- end))
323 (char_pred (string-ref s (1- end))))
324 (string-every-c-code char_pred s start end))))
325
326 ;; A variant of string-fill! that we keep for compatability
327 ;;
328 (define (substring-fill! str start end fill)
329 (string-fill! str fill start end))
330
331 \f
332
333 ;; Define a minimal stub of the module API for psyntax, before modules
334 ;; have booted.
335 (define (module-name x)
336 '(guile))
337 (define (module-define! module sym val)
338 (let ((v (hashq-ref (%get-pre-modules-obarray) sym)))
339 (if v
340 (variable-set! v val)
341 (hashq-set! (%get-pre-modules-obarray) sym
342 (make-variable val)))))
343 (define (module-ref module sym)
344 (let ((v (module-variable module sym)))
345 (if v (variable-ref v) (error "badness!" (pk module) (pk sym)))))
346 (define (resolve-module . args)
347 #f)
348
349 ;; API provided by psyntax
350 (define syntax-violation #f)
351 (define datum->syntax #f)
352 (define syntax->datum #f)
353 (define syntax-source #f)
354 (define identifier? #f)
355 (define generate-temporaries #f)
356 (define bound-identifier=? #f)
357 (define free-identifier=? #f)
358
359 ;; $sc-dispatch is an implementation detail of psyntax. It is used by
360 ;; expanded macros, to dispatch an input against a set of patterns.
361 (define $sc-dispatch #f)
362
363 ;; Load it up!
364 (primitive-load-path "ice-9/psyntax-pp")
365 ;; The binding for `macroexpand' has now been overridden, making psyntax the
366 ;; expander now.
367
368 (define-syntax and
369 (syntax-rules ()
370 ((_) #t)
371 ((_ x) x)
372 ((_ x y ...) (if x (and y ...) #f))))
373
374 (define-syntax or
375 (syntax-rules ()
376 ((_) #f)
377 ((_ x) x)
378 ((_ x y ...) (let ((t x)) (if t t (or y ...))))))
379
380 ;; The "maybe-more" bits are something of a hack, so that we can support
381 ;; SRFI-61. Rewrites into a standalone syntax-case macro would be
382 ;; appreciated.
383 (define-syntax cond
384 (syntax-rules (=> else)
385 ((_ "maybe-more" test consequent)
386 (if test consequent))
387
388 ((_ "maybe-more" test consequent clause ...)
389 (if test consequent (cond clause ...)))
390
391 ((_ (else else1 else2 ...))
392 (begin else1 else2 ...))
393
394 ((_ (test => receiver) more-clause ...)
395 (let ((t test))
396 (cond "maybe-more" t (receiver t) more-clause ...)))
397
398 ((_ (generator guard => receiver) more-clause ...)
399 (call-with-values (lambda () generator)
400 (lambda t
401 (cond "maybe-more"
402 (apply guard t) (apply receiver t) more-clause ...))))
403
404 ((_ (test => receiver ...) more-clause ...)
405 (syntax-violation 'cond "wrong number of receiver expressions"
406 '(test => receiver ...)))
407 ((_ (generator guard => receiver ...) more-clause ...)
408 (syntax-violation 'cond "wrong number of receiver expressions"
409 '(generator guard => receiver ...)))
410
411 ((_ (test) more-clause ...)
412 (let ((t test))
413 (cond "maybe-more" t t more-clause ...)))
414
415 ((_ (test body1 body2 ...) more-clause ...)
416 (cond "maybe-more"
417 test (begin body1 body2 ...) more-clause ...))))
418
419 (define-syntax case
420 (syntax-rules (else)
421 ((case (key ...)
422 clauses ...)
423 (let ((atom-key (key ...)))
424 (case atom-key clauses ...)))
425 ((case key
426 (else result1 result2 ...))
427 (begin result1 result2 ...))
428 ((case key
429 ((atoms ...) result1 result2 ...))
430 (if (memv key '(atoms ...))
431 (begin result1 result2 ...)))
432 ((case key
433 ((atoms ...) result1 result2 ...)
434 clause clauses ...)
435 (if (memv key '(atoms ...))
436 (begin result1 result2 ...)
437 (case key clause clauses ...)))))
438
439 (define-syntax do
440 (syntax-rules ()
441 ((do ((var init step ...) ...)
442 (test expr ...)
443 command ...)
444 (letrec
445 ((loop
446 (lambda (var ...)
447 (if test
448 (begin
449 (if #f #f)
450 expr ...)
451 (begin
452 command
453 ...
454 (loop (do "step" var step ...)
455 ...))))))
456 (loop init ...)))
457 ((do "step" x)
458 x)
459 ((do "step" x y)
460 y)))
461
462 (define-syntax delay
463 (syntax-rules ()
464 ((_ exp) (make-promise (lambda () exp)))))
465
466 (include-from-path "ice-9/quasisyntax")
467
468 (define-syntax current-source-location
469 (lambda (x)
470 (syntax-case x ()
471 ((_)
472 (with-syntax ((s (datum->syntax x (syntax-source x))))
473 #''s)))))
474
475
476 \f
477
478 ;;; {Defmacros}
479 ;;;
480
481 (define-syntax define-macro
482 (lambda (x)
483 "Define a defmacro."
484 (syntax-case x ()
485 ((_ (macro . args) doc body1 body ...)
486 (string? (syntax->datum #'doc))
487 #'(define-macro macro doc (lambda args body1 body ...)))
488 ((_ (macro . args) body ...)
489 #'(define-macro macro #f (lambda args body ...)))
490 ((_ macro doc transformer)
491 (or (string? (syntax->datum #'doc))
492 (not (syntax->datum #'doc)))
493 #'(define-syntax macro
494 (lambda (y)
495 doc
496 #((macro-type . defmacro)
497 (defmacro-args args))
498 (syntax-case y ()
499 ((_ . args)
500 (let ((v (syntax->datum #'args)))
501 (datum->syntax y (apply transformer v)))))))))))
502
503 (define-syntax defmacro
504 (lambda (x)
505 "Define a defmacro, with the old lispy defun syntax."
506 (syntax-case x ()
507 ((_ macro args doc body1 body ...)
508 (string? (syntax->datum #'doc))
509 #'(define-macro macro doc (lambda args body1 body ...)))
510 ((_ macro args body ...)
511 #'(define-macro macro #f (lambda args body ...))))))
512
513 (provide 'defmacro)
514
515 \f
516
517 ;;; {Deprecation}
518 ;;;
519
520 (define-syntax begin-deprecated
521 (lambda (x)
522 (syntax-case x ()
523 ((_ form form* ...)
524 (if (include-deprecated-features)
525 #'(begin form form* ...)
526 #'(begin))))))
527
528 \f
529
530 ;;; {Trivial Functions}
531 ;;;
532
533 (define (identity x) x)
534 (define (and=> value procedure) (and value (procedure value)))
535 (define call/cc call-with-current-continuation)
536
537 (define-syntax false-if-exception
538 (syntax-rules ()
539 ((_ expr)
540 (catch #t
541 (lambda () expr)
542 (lambda (k . args) #f)))))
543
544 \f
545
546 ;;; {General Properties}
547 ;;;
548
549 ;; Properties are a lispy way to associate random info with random objects.
550 ;; Traditionally properties are implemented as an alist or a plist actually
551 ;; pertaining to the object in question.
552 ;;
553 ;; These "object properties" have the advantage that they can be associated with
554 ;; any object, even if the object has no plist. Object properties are good when
555 ;; you are extending pre-existing objects in unexpected ways. They also present
556 ;; a pleasing, uniform procedure-with-setter interface. But if you have a data
557 ;; type that always has properties, it's often still best to store those
558 ;; properties within the object itself.
559
560 (define (make-object-property)
561 (let ((prop (primitive-make-property #f)))
562 (make-procedure-with-setter
563 (lambda (obj) (primitive-property-ref prop obj))
564 (lambda (obj val) (primitive-property-set! prop obj val)))))
565
566 \f
567
568 ;;; {Symbol Properties}
569 ;;;
570
571 ;;; Symbol properties are something you see in old Lisp code. In most current
572 ;;; Guile code, symbols are not used as a data structure -- they are used as
573 ;;; keys into other data structures.
574
575 (define (symbol-property sym prop)
576 (let ((pair (assoc prop (symbol-pref sym))))
577 (and pair (cdr pair))))
578
579 (define (set-symbol-property! sym prop val)
580 (let ((pair (assoc prop (symbol-pref sym))))
581 (if pair
582 (set-cdr! pair val)
583 (symbol-pset! sym (acons prop val (symbol-pref sym))))))
584
585 (define (symbol-property-remove! sym prop)
586 (let ((pair (assoc prop (symbol-pref sym))))
587 (if pair
588 (symbol-pset! sym (delq! pair (symbol-pref sym))))))
589
590 \f
591
592 ;;; {Arrays}
593 ;;;
594
595 (define (array-shape a)
596 (map (lambda (ind) (if (number? ind) (list 0 (+ -1 ind)) ind))
597 (array-dimensions a)))
598
599 \f
600
601 ;;; {Keywords}
602 ;;;
603
604 ;;; It's much better if you can use lambda* / define*, of course.
605
606 (define (kw-arg-ref args kw)
607 (let ((rem (member kw args)))
608 (and rem (pair? (cdr rem)) (cadr rem))))
609
610 \f
611
612 ;;; {Structs}
613 ;;;
614
615 (define (struct-layout s)
616 (struct-ref (struct-vtable s) vtable-index-layout))
617
618 \f
619
620 ;;; {Records}
621 ;;;
622
623 ;; Printing records: by default, records are printed as
624 ;;
625 ;; #<type-name field1: val1 field2: val2 ...>
626 ;;
627 ;; You can change that by giving a custom printing function to
628 ;; MAKE-RECORD-TYPE (after the list of field symbols). This function
629 ;; will be called like
630 ;;
631 ;; (<printer> object port)
632 ;;
633 ;; It should print OBJECT to PORT.
634
635 (define (inherit-print-state old-port new-port)
636 (if (get-print-state old-port)
637 (port-with-print-state new-port (get-print-state old-port))
638 new-port))
639
640 ;; 0: type-name, 1: fields, 2: constructor
641 (define record-type-vtable
642 ;; FIXME: This should just call make-vtable, not make-vtable-vtable; but for
643 ;; that we need to expose the bare vtable-vtable to Scheme.
644 (make-vtable-vtable "prprpw" 0
645 (lambda (s p)
646 (cond ((eq? s record-type-vtable)
647 (display "#<record-type-vtable>" p))
648 (else
649 (display "#<record-type " p)
650 (display (record-type-name s) p)
651 (display ">" p))))))
652
653 (define (record-type? obj)
654 (and (struct? obj) (eq? record-type-vtable (struct-vtable obj))))
655
656 (define* (make-record-type type-name fields #:optional printer)
657 ;; Pre-generate constructors for nfields < 20.
658 (define-syntax make-constructor
659 (lambda (x)
660 (define *max-static-argument-count* 20)
661 (define (make-formals n)
662 (let lp ((i 0))
663 (if (< i n)
664 (cons (datum->syntax
665 x
666 (string->symbol
667 (string (integer->char (+ (char->integer #\a) i)))))
668 (lp (1+ i)))
669 '())))
670 (syntax-case x ()
671 ((_ rtd exp) (not (identifier? #'exp))
672 #'(let ((n exp))
673 (make-constructor rtd n)))
674 ((_ rtd nfields)
675 #`(case nfields
676 #,@(let lp ((n 0))
677 (if (< n *max-static-argument-count*)
678 (cons (with-syntax (((formal ...) (make-formals n))
679 (n n))
680 #'((n)
681 (lambda (formal ...)
682 (make-struct rtd 0 formal ...))))
683 (lp (1+ n)))
684 '()))
685 (else
686 (lambda args
687 (if (= (length args) nfields)
688 (apply make-struct rtd 0 args)
689 (scm-error 'wrong-number-of-args
690 (format #f "make-~a" type-name)
691 "Wrong number of arguments" '() #f)))))))))
692
693 (define (default-record-printer s p)
694 (display "#<" p)
695 (display (record-type-name (record-type-descriptor s)) p)
696 (let loop ((fields (record-type-fields (record-type-descriptor s)))
697 (off 0))
698 (cond
699 ((not (null? fields))
700 (display " " p)
701 (display (car fields) p)
702 (display ": " p)
703 (display (struct-ref s off) p)
704 (loop (cdr fields) (+ 1 off)))))
705 (display ">" p))
706
707 (let ((rtd (make-struct record-type-vtable 0
708 (make-struct-layout
709 (apply string-append
710 (map (lambda (f) "pw") fields)))
711 (or printer default-record-printer)
712 type-name
713 (copy-tree fields))))
714 (struct-set! rtd (+ vtable-offset-user 2)
715 (make-constructor rtd (length fields)))
716 ;; Temporary solution: Associate a name to the record type descriptor
717 ;; so that the object system can create a wrapper class for it.
718 (set-struct-vtable-name! rtd (if (symbol? type-name)
719 type-name
720 (string->symbol type-name)))
721 rtd))
722
723 (define (record-type-name obj)
724 (if (record-type? obj)
725 (struct-ref obj vtable-offset-user)
726 (error 'not-a-record-type obj)))
727
728 (define (record-type-fields obj)
729 (if (record-type? obj)
730 (struct-ref obj (+ 1 vtable-offset-user))
731 (error 'not-a-record-type obj)))
732
733 (define* (record-constructor rtd #:optional field-names)
734 (if (not field-names)
735 (struct-ref rtd (+ 2 vtable-offset-user))
736 (primitive-eval
737 `(lambda ,field-names
738 (make-struct ',rtd 0 ,@(map (lambda (f)
739 (if (memq f field-names)
740 f
741 #f))
742 (record-type-fields rtd)))))))
743
744 (define (record-predicate rtd)
745 (lambda (obj) (and (struct? obj) (eq? rtd (struct-vtable obj)))))
746
747 (define (%record-type-error rtd obj) ;; private helper
748 (or (eq? rtd (record-type-descriptor obj))
749 (scm-error 'wrong-type-arg "%record-type-check"
750 "Wrong type record (want `~S'): ~S"
751 (list (record-type-name rtd) obj)
752 #f)))
753
754 (define (record-accessor rtd field-name)
755 (let ((pos (list-index (record-type-fields rtd) field-name)))
756 (if (not pos)
757 (error 'no-such-field field-name))
758 (lambda (obj)
759 (if (eq? (struct-vtable obj) rtd)
760 (struct-ref obj pos)
761 (%record-type-error rtd obj)))))
762
763 (define (record-modifier rtd field-name)
764 (let ((pos (list-index (record-type-fields rtd) field-name)))
765 (if (not pos)
766 (error 'no-such-field field-name))
767 (lambda (obj val)
768 (if (eq? (struct-vtable obj) rtd)
769 (struct-set! obj pos val)
770 (%record-type-error rtd obj)))))
771
772 (define (record? obj)
773 (and (struct? obj) (record-type? (struct-vtable obj))))
774
775 (define (record-type-descriptor obj)
776 (if (struct? obj)
777 (struct-vtable obj)
778 (error 'not-a-record obj)))
779
780 (provide 'record)
781
782 \f
783
784 ;;; {Booleans}
785 ;;;
786
787 (define (->bool x) (not (not x)))
788
789 \f
790
791 ;;; {Symbols}
792 ;;;
793
794 (define (symbol-append . args)
795 (string->symbol (apply string-append (map symbol->string args))))
796
797 (define (list->symbol . args)
798 (string->symbol (apply list->string args)))
799
800 (define (symbol . args)
801 (string->symbol (apply string args)))
802
803 \f
804
805 ;;; {Lists}
806 ;;;
807
808 (define (list-index l k)
809 (let loop ((n 0)
810 (l l))
811 (and (not (null? l))
812 (if (eq? (car l) k)
813 n
814 (loop (+ n 1) (cdr l))))))
815
816 \f
817
818 (if (provided? 'posix)
819 (primitive-load-path "ice-9/posix"))
820
821 (if (provided? 'socket)
822 (primitive-load-path "ice-9/networking"))
823
824 ;; For reference, Emacs file-exists-p uses stat in this same way.
825 (define file-exists?
826 (if (provided? 'posix)
827 (lambda (str)
828 (->bool (stat str #f)))
829 (lambda (str)
830 (let ((port (catch 'system-error (lambda () (open-file str OPEN_READ))
831 (lambda args #f))))
832 (if port (begin (close-port port) #t)
833 #f)))))
834
835 (define file-is-directory?
836 (if (provided? 'posix)
837 (lambda (str)
838 (eq? (stat:type (stat str)) 'directory))
839 (lambda (str)
840 (let ((port (catch 'system-error
841 (lambda () (open-file (string-append str "/.")
842 OPEN_READ))
843 (lambda args #f))))
844 (if port (begin (close-port port) #t)
845 #f)))))
846
847 (define (system-error-errno args)
848 (if (eq? (car args) 'system-error)
849 (car (list-ref args 4))
850 #f))
851
852 \f
853
854 ;;; {Error Handling}
855 ;;;
856
857 (define error
858 (case-lambda
859 (()
860 (scm-error 'misc-error #f "?" #f #f))
861 ((message . args)
862 (let ((msg (string-join (cons "~A" (make-list (length args) "~S")))))
863 (scm-error 'misc-error #f msg (cons message args) #f)))))
864
865 \f
866
867 ;;; {Time Structures}
868 ;;;
869
870 (define (tm:sec obj) (vector-ref obj 0))
871 (define (tm:min obj) (vector-ref obj 1))
872 (define (tm:hour obj) (vector-ref obj 2))
873 (define (tm:mday obj) (vector-ref obj 3))
874 (define (tm:mon obj) (vector-ref obj 4))
875 (define (tm:year obj) (vector-ref obj 5))
876 (define (tm:wday obj) (vector-ref obj 6))
877 (define (tm:yday obj) (vector-ref obj 7))
878 (define (tm:isdst obj) (vector-ref obj 8))
879 (define (tm:gmtoff obj) (vector-ref obj 9))
880 (define (tm:zone obj) (vector-ref obj 10))
881
882 (define (set-tm:sec obj val) (vector-set! obj 0 val))
883 (define (set-tm:min obj val) (vector-set! obj 1 val))
884 (define (set-tm:hour obj val) (vector-set! obj 2 val))
885 (define (set-tm:mday obj val) (vector-set! obj 3 val))
886 (define (set-tm:mon obj val) (vector-set! obj 4 val))
887 (define (set-tm:year obj val) (vector-set! obj 5 val))
888 (define (set-tm:wday obj val) (vector-set! obj 6 val))
889 (define (set-tm:yday obj val) (vector-set! obj 7 val))
890 (define (set-tm:isdst obj val) (vector-set! obj 8 val))
891 (define (set-tm:gmtoff obj val) (vector-set! obj 9 val))
892 (define (set-tm:zone obj val) (vector-set! obj 10 val))
893
894 (define (tms:clock obj) (vector-ref obj 0))
895 (define (tms:utime obj) (vector-ref obj 1))
896 (define (tms:stime obj) (vector-ref obj 2))
897 (define (tms:cutime obj) (vector-ref obj 3))
898 (define (tms:cstime obj) (vector-ref obj 4))
899
900 \f
901
902 ;;; {File Descriptors and Ports}
903 ;;;
904
905 (define file-position ftell)
906 (define* (file-set-position port offset #:optional (whence SEEK_SET))
907 (seek port offset whence))
908
909 (define (move->fdes fd/port fd)
910 (cond ((integer? fd/port)
911 (dup->fdes fd/port fd)
912 (close fd/port)
913 fd)
914 (else
915 (primitive-move->fdes fd/port fd)
916 (set-port-revealed! fd/port 1)
917 fd/port)))
918
919 (define (release-port-handle port)
920 (let ((revealed (port-revealed port)))
921 (if (> revealed 0)
922 (set-port-revealed! port (- revealed 1)))))
923
924 (define dup->port
925 (case-lambda
926 ((port/fd mode)
927 (fdopen (dup->fdes port/fd) mode))
928 ((port/fd mode new-fd)
929 (let ((port (fdopen (dup->fdes port/fd new-fd) mode)))
930 (set-port-revealed! port 1)
931 port))))
932
933 (define dup->inport
934 (case-lambda
935 ((port/fd)
936 (dup->port port/fd "r"))
937 ((port/fd new-fd)
938 (dup->port port/fd "r" new-fd))))
939
940 (define dup->outport
941 (case-lambda
942 ((port/fd)
943 (dup->port port/fd "w"))
944 ((port/fd new-fd)
945 (dup->port port/fd "w" new-fd))))
946
947 (define dup
948 (case-lambda
949 ((port/fd)
950 (if (integer? port/fd)
951 (dup->fdes port/fd)
952 (dup->port port/fd (port-mode port/fd))))
953 ((port/fd new-fd)
954 (if (integer? port/fd)
955 (dup->fdes port/fd new-fd)
956 (dup->port port/fd (port-mode port/fd) new-fd)))))
957
958 (define (duplicate-port port modes)
959 (dup->port port modes))
960
961 (define (fdes->inport fdes)
962 (let loop ((rest-ports (fdes->ports fdes)))
963 (cond ((null? rest-ports)
964 (let ((result (fdopen fdes "r")))
965 (set-port-revealed! result 1)
966 result))
967 ((input-port? (car rest-ports))
968 (set-port-revealed! (car rest-ports)
969 (+ (port-revealed (car rest-ports)) 1))
970 (car rest-ports))
971 (else
972 (loop (cdr rest-ports))))))
973
974 (define (fdes->outport fdes)
975 (let loop ((rest-ports (fdes->ports fdes)))
976 (cond ((null? rest-ports)
977 (let ((result (fdopen fdes "w")))
978 (set-port-revealed! result 1)
979 result))
980 ((output-port? (car rest-ports))
981 (set-port-revealed! (car rest-ports)
982 (+ (port-revealed (car rest-ports)) 1))
983 (car rest-ports))
984 (else
985 (loop (cdr rest-ports))))))
986
987 (define (port->fdes port)
988 (set-port-revealed! port (+ (port-revealed port) 1))
989 (fileno port))
990
991 (define (setenv name value)
992 (if value
993 (putenv (string-append name "=" value))
994 (putenv name)))
995
996 (define (unsetenv name)
997 "Remove the entry for NAME from the environment."
998 (putenv name))
999
1000 \f
1001
1002 ;;; {Load Paths}
1003 ;;;
1004
1005 (define (in-vicinity vicinity file)
1006 (let ((tail (let ((len (string-length vicinity)))
1007 (if (zero? len)
1008 #f
1009 (string-ref vicinity (- len 1))))))
1010 (string-append vicinity
1011 (if (or (not tail)
1012 (eq? tail #\/))
1013 ""
1014 "/")
1015 file)))
1016
1017 \f
1018
1019 ;;; {Help for scm_shell}
1020 ;;;
1021 ;;; The argument-processing code used by Guile-based shells generates
1022 ;;; Scheme code based on the argument list. This page contains help
1023 ;;; functions for the code it generates.
1024 ;;;
1025
1026 (define (command-line) (program-arguments))
1027
1028 ;; This is mostly for the internal use of the code generated by
1029 ;; scm_compile_shell_switches.
1030
1031 (define (turn-on-debugging)
1032 (debug-enable 'debug)
1033 (debug-enable 'backtrace)
1034 (read-enable 'positions))
1035
1036 (define (load-user-init)
1037 (let* ((home (or (getenv "HOME")
1038 (false-if-exception (passwd:dir (getpwuid (getuid))))
1039 "/")) ;; fallback for cygwin etc.
1040 (init-file (in-vicinity home ".guile")))
1041 (if (file-exists? init-file)
1042 (primitive-load init-file))))
1043
1044 \f
1045
1046 ;;; {The interpreter stack}
1047 ;;;
1048
1049 ;; %stacks defined in stacks.c
1050 (define (%start-stack tag thunk)
1051 (let ((prompt-tag (make-prompt-tag "start-stack")))
1052 (call-with-prompt
1053 prompt-tag
1054 (lambda ()
1055 (with-fluids ((%stacks (acons tag prompt-tag
1056 (or (fluid-ref %stacks) '()))))
1057 (thunk)))
1058 (lambda (k . args)
1059 (%start-stack tag (lambda () (apply k args)))))))
1060 (define-syntax start-stack
1061 (syntax-rules ()
1062 ((_ tag exp)
1063 (%start-stack tag (lambda () exp)))))
1064
1065 \f
1066
1067 ;;; {Loading by paths}
1068 ;;;
1069
1070 ;;; Load a Scheme source file named NAME, searching for it in the
1071 ;;; directories listed in %load-path, and applying each of the file
1072 ;;; name extensions listed in %load-extensions.
1073 (define (load-from-path name)
1074 (start-stack 'load-stack
1075 (primitive-load-path name)))
1076
1077 (define %load-verbosely #f)
1078 (define (assert-load-verbosity v) (set! %load-verbosely v))
1079
1080 (define (%load-announce file)
1081 (if %load-verbosely
1082 (with-output-to-port (current-error-port)
1083 (lambda ()
1084 (display ";;; ")
1085 (display "loading ")
1086 (display file)
1087 (newline)
1088 (force-output)))))
1089
1090 (set! %load-hook %load-announce)
1091
1092 (define* (load name #:optional reader)
1093 ;; Returns the .go file corresponding to `name'. Does not search load
1094 ;; paths, only the fallback path. If the .go file is missing or out of
1095 ;; date, and autocompilation is enabled, will try autocompilation, just
1096 ;; as primitive-load-path does internally. primitive-load is
1097 ;; unaffected. Returns #f if autocompilation failed or was disabled.
1098 ;;
1099 ;; NB: Unless we need to compile the file, this function should not cause
1100 ;; (system base compile) to be loaded up. For that reason compiled-file-name
1101 ;; partially duplicates functionality from (system base compile).
1102 (define (compiled-file-name canon-path)
1103 (and %compile-fallback-path
1104 (string-append
1105 %compile-fallback-path
1106 ;; no need for '/' separator here, canon-path is absolute
1107 canon-path
1108 (cond ((or (null? %load-compiled-extensions)
1109 (string-null? (car %load-compiled-extensions)))
1110 (warn "invalid %load-compiled-extensions"
1111 %load-compiled-extensions)
1112 ".go")
1113 (else (car %load-compiled-extensions))))))
1114 (define (fresh-compiled-file-name go-path)
1115 (catch #t
1116 (lambda ()
1117 (let* ((scmstat (stat name))
1118 (gostat (stat go-path #f)))
1119 (if (and gostat (= (stat:mtime gostat) (stat:mtime scmstat)))
1120 go-path
1121 (begin
1122 (if gostat
1123 (format (current-error-port)
1124 ";;; note: source file ~a\n;;; newer than compiled ~a\n"
1125 name go-path))
1126 (cond
1127 (%load-should-autocompile
1128 (%warn-autocompilation-enabled)
1129 (format (current-error-port) ";;; compiling ~a\n" name)
1130 ;; This use of @ is (ironically?) boot-safe, as modules have
1131 ;; not been booted yet, so the resolve-module call in psyntax
1132 ;; doesn't try to load a module, and compile-file will be
1133 ;; treated as a function, not a macro.
1134 (let ((cfn ((@ (system base compile) compile-file) name
1135 #:env (current-module))))
1136 (format (current-error-port) ";;; compiled ~a\n" cfn)
1137 cfn))
1138 (else #f))))))
1139 (lambda (k . args)
1140 (format (current-error-port)
1141 ";;; WARNING: compilation of ~a failed:\n;;; key ~a, throw_args ~s\n"
1142 name k args)
1143 #f)))
1144 (with-fluids ((current-reader reader))
1145 (let ((cfn (and=> (and=> (false-if-exception (canonicalize-path name))
1146 compiled-file-name)
1147 fresh-compiled-file-name)))
1148 (if cfn
1149 (load-compiled cfn)
1150 (start-stack 'load-stack
1151 (primitive-load name))))))
1152
1153 \f
1154
1155 ;;; {Reader Extensions}
1156 ;;;
1157 ;;; Reader code for various "#c" forms.
1158 ;;;
1159
1160 (define read-eval? (make-fluid))
1161 (fluid-set! read-eval? #f)
1162 (read-hash-extend #\.
1163 (lambda (c port)
1164 (if (fluid-ref read-eval?)
1165 (eval (read port) (interaction-environment))
1166 (error
1167 "#. read expansion found and read-eval? is #f."))))
1168
1169 \f
1170
1171 ;;; {Low Level Modules}
1172 ;;;
1173 ;;; These are the low level data structures for modules.
1174 ;;;
1175 ;;; Every module object is of the type 'module-type', which is a record
1176 ;;; consisting of the following members:
1177 ;;;
1178 ;;; - eval-closure: the function that defines for its module the strategy that
1179 ;;; shall be followed when looking up symbols in the module.
1180 ;;;
1181 ;;; An eval-closure is a function taking two arguments: the symbol to be
1182 ;;; looked up and a boolean value telling whether a binding for the symbol
1183 ;;; should be created if it does not exist yet. If the symbol lookup
1184 ;;; succeeded (either because an existing binding was found or because a new
1185 ;;; binding was created), a variable object representing the binding is
1186 ;;; returned. Otherwise, the value #f is returned. Note that the eval
1187 ;;; closure does not take the module to be searched as an argument: During
1188 ;;; construction of the eval-closure, the eval-closure has to store the
1189 ;;; module it belongs to in its environment. This means, that any
1190 ;;; eval-closure can belong to only one module.
1191 ;;;
1192 ;;; The eval-closure of a module can be defined arbitrarily. However, three
1193 ;;; special cases of eval-closures are to be distinguished: During startup
1194 ;;; the module system is not yet activated. In this phase, no modules are
1195 ;;; defined and all bindings are automatically stored by the system in the
1196 ;;; pre-modules-obarray. Since no eval-closures exist at this time, the
1197 ;;; functions which require an eval-closure as their argument need to be
1198 ;;; passed the value #f.
1199 ;;;
1200 ;;; The other two special cases of eval-closures are the
1201 ;;; standard-eval-closure and the standard-interface-eval-closure. Both
1202 ;;; behave equally for the case that no new binding is to be created. The
1203 ;;; difference between the two comes in, when the boolean argument to the
1204 ;;; eval-closure indicates that a new binding shall be created if it is not
1205 ;;; found.
1206 ;;;
1207 ;;; Given that no new binding shall be created, both standard eval-closures
1208 ;;; define the following standard strategy of searching bindings in the
1209 ;;; module: First, the module's obarray is searched for the symbol. Second,
1210 ;;; if no binding for the symbol was found in the module's obarray, the
1211 ;;; module's binder procedure is exececuted. If this procedure did not
1212 ;;; return a binding for the symbol, the modules referenced in the module's
1213 ;;; uses list are recursively searched for a binding of the symbol. If the
1214 ;;; binding can not be found in these modules also, the symbol lookup has
1215 ;;; failed.
1216 ;;;
1217 ;;; If a new binding shall be created, the standard-interface-eval-closure
1218 ;;; immediately returns indicating failure. That is, it does not even try
1219 ;;; to look up the symbol. In contrast, the standard-eval-closure would
1220 ;;; first search the obarray, and if no binding was found there, would
1221 ;;; create a new binding in the obarray, therefore not calling the binder
1222 ;;; procedure or searching the modules in the uses list.
1223 ;;;
1224 ;;; The explanation of the following members obarray, binder and uses
1225 ;;; assumes that the symbol lookup follows the strategy that is defined in
1226 ;;; the standard-eval-closure and the standard-interface-eval-closure.
1227 ;;;
1228 ;;; - obarray: a hash table that maps symbols to variable objects. In this
1229 ;;; hash table, the definitions are found that are local to the module (that
1230 ;;; is, not imported from other modules). When looking up bindings in the
1231 ;;; module, this hash table is searched first.
1232 ;;;
1233 ;;; - binder: either #f or a function taking a module and a symbol argument.
1234 ;;; If it is a function it is called after the obarray has been
1235 ;;; unsuccessfully searched for a binding. It then can provide bindings
1236 ;;; that would otherwise not be found locally in the module.
1237 ;;;
1238 ;;; - uses: a list of modules from which non-local bindings can be inherited.
1239 ;;; These modules are the third place queried for bindings after the obarray
1240 ;;; has been unsuccessfully searched and the binder function did not deliver
1241 ;;; a result either.
1242 ;;;
1243 ;;; - transformer: either #f or a function taking a scheme expression as
1244 ;;; delivered by read. If it is a function, it will be called to perform
1245 ;;; syntax transformations (e. g. makro expansion) on the given scheme
1246 ;;; expression. The output of the transformer function will then be passed
1247 ;;; to Guile's internal memoizer. This means that the output must be valid
1248 ;;; scheme code. The only exception is, that the output may make use of the
1249 ;;; syntax extensions provided to identify the modules that a binding
1250 ;;; belongs to.
1251 ;;;
1252 ;;; - name: the name of the module. This is used for all kinds of printing
1253 ;;; outputs. In certain places the module name also serves as a way of
1254 ;;; identification. When adding a module to the uses list of another
1255 ;;; module, it is made sure that the new uses list will not contain two
1256 ;;; modules of the same name.
1257 ;;;
1258 ;;; - kind: classification of the kind of module. The value is (currently?)
1259 ;;; only used for printing. It has no influence on how a module is treated.
1260 ;;; Currently the following values are used when setting the module kind:
1261 ;;; 'module, 'directory, 'interface, 'custom-interface. If no explicit kind
1262 ;;; is set, it defaults to 'module.
1263 ;;;
1264 ;;; - duplicates-handlers: a list of procedures that get called to make a
1265 ;;; choice between two duplicate bindings when name clashes occur. See the
1266 ;;; `duplicate-handlers' global variable below.
1267 ;;;
1268 ;;; - observers: a list of procedures that get called when the module is
1269 ;;; modified.
1270 ;;;
1271 ;;; - weak-observers: a weak-key hash table of procedures that get called
1272 ;;; when the module is modified. See `module-observe-weak' for details.
1273 ;;;
1274 ;;; In addition, the module may (must?) contain a binding for
1275 ;;; `%module-public-interface'. This variable should be bound to a module
1276 ;;; representing the exported interface of a module. See the
1277 ;;; `module-public-interface' and `module-export!' procedures.
1278 ;;;
1279 ;;; !!! warning: The interface to lazy binder procedures is going
1280 ;;; to be changed in an incompatible way to permit all the basic
1281 ;;; module ops to be virtualized.
1282 ;;;
1283 ;;; (make-module size use-list lazy-binding-proc) => module
1284 ;;; module-{obarray,uses,binder}[|-set!]
1285 ;;; (module? obj) => [#t|#f]
1286 ;;; (module-locally-bound? module symbol) => [#t|#f]
1287 ;;; (module-bound? module symbol) => [#t|#f]
1288 ;;; (module-symbol-locally-interned? module symbol) => [#t|#f]
1289 ;;; (module-symbol-interned? module symbol) => [#t|#f]
1290 ;;; (module-local-variable module symbol) => [#<variable ...> | #f]
1291 ;;; (module-variable module symbol) => [#<variable ...> | #f]
1292 ;;; (module-symbol-binding module symbol opt-value)
1293 ;;; => [ <obj> | opt-value | an error occurs ]
1294 ;;; (module-make-local-var! module symbol) => #<variable...>
1295 ;;; (module-add! module symbol var) => unspecified
1296 ;;; (module-remove! module symbol) => unspecified
1297 ;;; (module-for-each proc module) => unspecified
1298 ;;; (make-scm-module) => module ; a lazy copy of the symhash module
1299 ;;; (set-current-module module) => unspecified
1300 ;;; (current-module) => #<module...>
1301 ;;;
1302 ;;;
1303
1304 \f
1305
1306 ;;; {Printing Modules}
1307 ;;;
1308
1309 ;; This is how modules are printed. You can re-define it.
1310 (define (%print-module mod port)
1311 (display "#<" port)
1312 (display (or (module-kind mod) "module") port)
1313 (display " " port)
1314 (display (module-name mod) port)
1315 (display " " port)
1316 (display (number->string (object-address mod) 16) port)
1317 (display ">" port))
1318
1319 (letrec-syntax
1320 ;; Locally extend the syntax to allow record accessors to be defined at
1321 ;; compile-time. Cache the rtd locally to the constructor, the getters and
1322 ;; the setters, in order to allow for redefinition of the record type; not
1323 ;; relevant in the case of modules, but perhaps if we make this public, it
1324 ;; could matter.
1325
1326 ((define-record-type
1327 (lambda (x)
1328 (define (make-id scope . fragments)
1329 (datum->syntax #'scope
1330 (apply symbol-append
1331 (map (lambda (x)
1332 (if (symbol? x) x (syntax->datum x)))
1333 fragments))))
1334
1335 (define (getter rtd type-name field slot)
1336 #`(define #,(make-id rtd type-name '- field)
1337 (let ((rtd #,rtd))
1338 (lambda (#,type-name)
1339 (if (eq? (struct-vtable #,type-name) rtd)
1340 (struct-ref #,type-name #,slot)
1341 (%record-type-error rtd #,type-name))))))
1342
1343 (define (setter rtd type-name field slot)
1344 #`(define #,(make-id rtd 'set- type-name '- field '!)
1345 (let ((rtd #,rtd))
1346 (lambda (#,type-name val)
1347 (if (eq? (struct-vtable #,type-name) rtd)
1348 (struct-set! #,type-name #,slot val)
1349 (%record-type-error rtd #,type-name))))))
1350
1351 (define (accessors rtd type-name fields n exp)
1352 (syntax-case fields ()
1353 (() exp)
1354 (((field #:no-accessors) field* ...) (identifier? #'field)
1355 (accessors rtd type-name #'(field* ...) (1+ n)
1356 exp))
1357 (((field #:no-setter) field* ...) (identifier? #'field)
1358 (accessors rtd type-name #'(field* ...) (1+ n)
1359 #`(begin #,exp
1360 #,(getter rtd type-name #'field n))))
1361 (((field #:no-getter) field* ...) (identifier? #'field)
1362 (accessors rtd type-name #'(field* ...) (1+ n)
1363 #`(begin #,exp
1364 #,(setter rtd type-name #'field n))))
1365 ((field field* ...) (identifier? #'field)
1366 (accessors rtd type-name #'(field* ...) (1+ n)
1367 #`(begin #,exp
1368 #,(getter rtd type-name #'field n)
1369 #,(setter rtd type-name #'field n))))))
1370
1371 (define (predicate rtd type-name fields exp)
1372 (accessors
1373 rtd type-name fields 0
1374 #`(begin
1375 #,exp
1376 (define (#,(make-id rtd type-name '?) obj)
1377 (and (struct? obj) (eq? (struct-vtable obj) #,rtd))))))
1378
1379 (define (field-list fields)
1380 (syntax-case fields ()
1381 (() '())
1382 (((f . opts) . rest) (identifier? #'f)
1383 (cons #'f (field-list #'rest)))
1384 ((f . rest) (identifier? #'f)
1385 (cons #'f (field-list #'rest)))))
1386
1387 (define (constructor rtd type-name fields exp)
1388 (let ((ctor (make-id rtd type-name '-constructor))
1389 (args (field-list fields)))
1390 (predicate rtd type-name fields
1391 #`(begin #,exp
1392 (define #,ctor
1393 (let ((rtd #,rtd))
1394 (lambda #,args
1395 (make-struct rtd 0 #,@args))))
1396 (struct-set! #,rtd (+ vtable-offset-user 2)
1397 #,ctor)))))
1398
1399 (define (type type-name printer fields)
1400 (define (make-layout)
1401 (let lp ((fields fields) (slots '()))
1402 (syntax-case fields ()
1403 (() (datum->syntax #'here
1404 (make-struct-layout
1405 (apply string-append slots))))
1406 ((_ . rest) (lp #'rest (cons "pw" slots))))))
1407
1408 (let ((rtd (make-id type-name type-name '-type)))
1409 (constructor rtd type-name fields
1410 #`(begin
1411 (define #,rtd
1412 (make-struct record-type-vtable 0
1413 '#,(make-layout)
1414 #,printer
1415 '#,type-name
1416 '#,(field-list fields)))
1417 (set-struct-vtable-name! #,rtd '#,type-name)))))
1418
1419 (syntax-case x ()
1420 ((_ type-name printer (field ...))
1421 (type #'type-name #'printer #'(field ...)))))))
1422
1423 ;; module-type
1424 ;;
1425 ;; A module is characterized by an obarray in which local symbols
1426 ;; are interned, a list of modules, "uses", from which non-local
1427 ;; bindings can be inherited, and an optional lazy-binder which
1428 ;; is a (CLOSURE module symbol) which, as a last resort, can provide
1429 ;; bindings that would otherwise not be found locally in the module.
1430 ;;
1431 ;; NOTE: If you change the set of fields or their order, you also need to
1432 ;; change the constants in libguile/modules.h.
1433 ;;
1434 ;; NOTE: The getter `module-eval-closure' is used in libguile/modules.c.
1435 ;; NOTE: The getter `module-transfomer' is defined libguile/modules.c.
1436 ;; NOTE: The getter `module-name' is defined later, due to boot reasons.
1437 ;; NOTE: The getter `module-public-interface' is used in libguile/modules.c.
1438 ;;
1439 (define-record-type module
1440 (lambda (obj port) (%print-module obj port))
1441 (obarray
1442 uses
1443 binder
1444 eval-closure
1445 (transformer #:no-getter)
1446 (name #:no-getter)
1447 kind
1448 duplicates-handlers
1449 (import-obarray #:no-setter)
1450 observers
1451 (weak-observers #:no-setter)
1452 version
1453 submodules
1454 submodule-binder
1455 public-interface
1456 filename)))
1457
1458
1459 ;; make-module &opt size uses binder
1460 ;;
1461 ;; Create a new module, perhaps with a particular size of obarray,
1462 ;; initial uses list, or binding procedure.
1463 ;;
1464 (define make-module
1465 (lambda args
1466
1467 (define (parse-arg index default)
1468 (if (> (length args) index)
1469 (list-ref args index)
1470 default))
1471
1472 (define %default-import-size
1473 ;; Typical number of imported bindings actually used by a module.
1474 600)
1475
1476 (if (> (length args) 3)
1477 (error "Too many args to make-module." args))
1478
1479 (let ((size (parse-arg 0 31))
1480 (uses (parse-arg 1 '()))
1481 (binder (parse-arg 2 #f)))
1482
1483 (if (not (integer? size))
1484 (error "Illegal size to make-module." size))
1485 (if (not (and (list? uses)
1486 (and-map module? uses)))
1487 (error "Incorrect use list." uses))
1488 (if (and binder (not (procedure? binder)))
1489 (error
1490 "Lazy-binder expected to be a procedure or #f." binder))
1491
1492 (let ((module (module-constructor (make-hash-table size)
1493 uses binder #f macroexpand
1494 #f #f #f
1495 (make-hash-table %default-import-size)
1496 '()
1497 (make-weak-key-hash-table 31) #f
1498 (make-hash-table 7) #f #f #f)))
1499
1500 ;; We can't pass this as an argument to module-constructor,
1501 ;; because we need it to close over a pointer to the module
1502 ;; itself.
1503 (set-module-eval-closure! module (standard-eval-closure module))
1504
1505 module))))
1506
1507
1508 \f
1509
1510 ;;; {Observer protocol}
1511 ;;;
1512
1513 (define (module-observe module proc)
1514 (set-module-observers! module (cons proc (module-observers module)))
1515 (cons module proc))
1516
1517 (define* (module-observe-weak module observer-id #:optional (proc observer-id))
1518 ;; Register PROC as an observer of MODULE under name OBSERVER-ID (which can
1519 ;; be any Scheme object). PROC is invoked and passed MODULE any time
1520 ;; MODULE is modified. PROC gets unregistered when OBSERVER-ID gets GC'd
1521 ;; (thus, it is never unregistered if OBSERVER-ID is an immediate value,
1522 ;; for instance).
1523
1524 ;; The two-argument version is kept for backward compatibility: when called
1525 ;; with two arguments, the observer gets unregistered when closure PROC
1526 ;; gets GC'd (making it impossible to use an anonymous lambda for PROC).
1527 (hashq-set! (module-weak-observers module) observer-id proc))
1528
1529 (define (module-unobserve token)
1530 (let ((module (car token))
1531 (id (cdr token)))
1532 (if (integer? id)
1533 (hash-remove! (module-weak-observers module) id)
1534 (set-module-observers! module (delq1! id (module-observers module)))))
1535 *unspecified*)
1536
1537 (define module-defer-observers #f)
1538 (define module-defer-observers-mutex (make-mutex 'recursive))
1539 (define module-defer-observers-table (make-hash-table))
1540
1541 (define (module-modified m)
1542 (if module-defer-observers
1543 (hash-set! module-defer-observers-table m #t)
1544 (module-call-observers m)))
1545
1546 ;;; This function can be used to delay calls to observers so that they
1547 ;;; can be called once only in the face of massive updating of modules.
1548 ;;;
1549 (define (call-with-deferred-observers thunk)
1550 (dynamic-wind
1551 (lambda ()
1552 (lock-mutex module-defer-observers-mutex)
1553 (set! module-defer-observers #t))
1554 thunk
1555 (lambda ()
1556 (set! module-defer-observers #f)
1557 (hash-for-each (lambda (m dummy)
1558 (module-call-observers m))
1559 module-defer-observers-table)
1560 (hash-clear! module-defer-observers-table)
1561 (unlock-mutex module-defer-observers-mutex))))
1562
1563 (define (module-call-observers m)
1564 (for-each (lambda (proc) (proc m)) (module-observers m))
1565
1566 ;; We assume that weak observers don't (un)register themselves as they are
1567 ;; called since this would preclude proper iteration over the hash table
1568 ;; elements.
1569 (hash-for-each (lambda (id proc) (proc m)) (module-weak-observers m)))
1570
1571 \f
1572
1573 ;;; {Module Searching in General}
1574 ;;;
1575 ;;; We sometimes want to look for properties of a symbol
1576 ;;; just within the obarray of one module. If the property
1577 ;;; holds, then it is said to hold ``locally'' as in, ``The symbol
1578 ;;; DISPLAY is locally rebound in the module `safe-guile'.''
1579 ;;;
1580 ;;;
1581 ;;; Other times, we want to test for a symbol property in the obarray
1582 ;;; of M and, if it is not found there, try each of the modules in the
1583 ;;; uses list of M. This is the normal way of testing for some
1584 ;;; property, so we state these properties without qualification as
1585 ;;; in: ``The symbol 'fnord is interned in module M because it is
1586 ;;; interned locally in module M2 which is a member of the uses list
1587 ;;; of M.''
1588 ;;;
1589
1590 ;; module-search fn m
1591 ;;
1592 ;; return the first non-#f result of FN applied to M and then to
1593 ;; the modules in the uses of m, and so on recursively. If all applications
1594 ;; return #f, then so does this function.
1595 ;;
1596 (define (module-search fn m v)
1597 (define (loop pos)
1598 (and (pair? pos)
1599 (or (module-search fn (car pos) v)
1600 (loop (cdr pos)))))
1601 (or (fn m v)
1602 (loop (module-uses m))))
1603
1604
1605 ;;; {Is a symbol bound in a module?}
1606 ;;;
1607 ;;; Symbol S in Module M is bound if S is interned in M and if the binding
1608 ;;; of S in M has been set to some well-defined value.
1609 ;;;
1610
1611 ;; module-locally-bound? module symbol
1612 ;;
1613 ;; Is a symbol bound (interned and defined) locally in a given module?
1614 ;;
1615 (define (module-locally-bound? m v)
1616 (let ((var (module-local-variable m v)))
1617 (and var
1618 (variable-bound? var))))
1619
1620 ;; module-bound? module symbol
1621 ;;
1622 ;; Is a symbol bound (interned and defined) anywhere in a given module
1623 ;; or its uses?
1624 ;;
1625 (define (module-bound? m v)
1626 (let ((var (module-variable m v)))
1627 (and var
1628 (variable-bound? var))))
1629
1630 ;;; {Is a symbol interned in a module?}
1631 ;;;
1632 ;;; Symbol S in Module M is interned if S occurs in
1633 ;;; of S in M has been set to some well-defined value.
1634 ;;;
1635 ;;; It is possible to intern a symbol in a module without providing
1636 ;;; an initial binding for the corresponding variable. This is done
1637 ;;; with:
1638 ;;; (module-add! module symbol (make-undefined-variable))
1639 ;;;
1640 ;;; In that case, the symbol is interned in the module, but not
1641 ;;; bound there. The unbound symbol shadows any binding for that
1642 ;;; symbol that might otherwise be inherited from a member of the uses list.
1643 ;;;
1644
1645 (define (module-obarray-get-handle ob key)
1646 ((if (symbol? key) hashq-get-handle hash-get-handle) ob key))
1647
1648 (define (module-obarray-ref ob key)
1649 ((if (symbol? key) hashq-ref hash-ref) ob key))
1650
1651 (define (module-obarray-set! ob key val)
1652 ((if (symbol? key) hashq-set! hash-set!) ob key val))
1653
1654 (define (module-obarray-remove! ob key)
1655 ((if (symbol? key) hashq-remove! hash-remove!) ob key))
1656
1657 ;; module-symbol-locally-interned? module symbol
1658 ;;
1659 ;; is a symbol interned (not neccessarily defined) locally in a given module
1660 ;; or its uses? Interned symbols shadow inherited bindings even if
1661 ;; they are not themselves bound to a defined value.
1662 ;;
1663 (define (module-symbol-locally-interned? m v)
1664 (not (not (module-obarray-get-handle (module-obarray m) v))))
1665
1666 ;; module-symbol-interned? module symbol
1667 ;;
1668 ;; is a symbol interned (not neccessarily defined) anywhere in a given module
1669 ;; or its uses? Interned symbols shadow inherited bindings even if
1670 ;; they are not themselves bound to a defined value.
1671 ;;
1672 (define (module-symbol-interned? m v)
1673 (module-search module-symbol-locally-interned? m v))
1674
1675
1676 ;;; {Mapping modules x symbols --> variables}
1677 ;;;
1678
1679 ;; module-local-variable module symbol
1680 ;; return the local variable associated with a MODULE and SYMBOL.
1681 ;;
1682 ;;; This function is very important. It is the only function that can
1683 ;;; return a variable from a module other than the mutators that store
1684 ;;; new variables in modules. Therefore, this function is the location
1685 ;;; of the "lazy binder" hack.
1686 ;;;
1687 ;;; If symbol is defined in MODULE, and if the definition binds symbol
1688 ;;; to a variable, return that variable object.
1689 ;;;
1690 ;;; If the symbols is not found at first, but the module has a lazy binder,
1691 ;;; then try the binder.
1692 ;;;
1693 ;;; If the symbol is not found at all, return #f.
1694 ;;;
1695 ;;; (This is now written in C, see `modules.c'.)
1696 ;;;
1697
1698 ;;; {Mapping modules x symbols --> bindings}
1699 ;;;
1700 ;;; These are similar to the mapping to variables, except that the
1701 ;;; variable is dereferenced.
1702 ;;;
1703
1704 ;; module-symbol-binding module symbol opt-value
1705 ;;
1706 ;; return the binding of a variable specified by name within
1707 ;; a given module, signalling an error if the variable is unbound.
1708 ;; If the OPT-VALUE is passed, then instead of signalling an error,
1709 ;; return OPT-VALUE.
1710 ;;
1711 (define (module-symbol-local-binding m v . opt-val)
1712 (let ((var (module-local-variable m v)))
1713 (if (and var (variable-bound? var))
1714 (variable-ref var)
1715 (if (not (null? opt-val))
1716 (car opt-val)
1717 (error "Locally unbound variable." v)))))
1718
1719 ;; module-symbol-binding module symbol opt-value
1720 ;;
1721 ;; return the binding of a variable specified by name within
1722 ;; a given module, signalling an error if the variable is unbound.
1723 ;; If the OPT-VALUE is passed, then instead of signalling an error,
1724 ;; return OPT-VALUE.
1725 ;;
1726 (define (module-symbol-binding m v . opt-val)
1727 (let ((var (module-variable m v)))
1728 (if (and var (variable-bound? var))
1729 (variable-ref var)
1730 (if (not (null? opt-val))
1731 (car opt-val)
1732 (error "Unbound variable." v)))))
1733
1734
1735 \f
1736
1737 ;;; {Adding Variables to Modules}
1738 ;;;
1739
1740 ;; module-make-local-var! module symbol
1741 ;;
1742 ;; ensure a variable for V in the local namespace of M.
1743 ;; If no variable was already there, then create a new and uninitialzied
1744 ;; variable.
1745 ;;
1746 ;; This function is used in modules.c.
1747 ;;
1748 (define (module-make-local-var! m v)
1749 (or (let ((b (module-obarray-ref (module-obarray m) v)))
1750 (and (variable? b)
1751 (begin
1752 ;; Mark as modified since this function is called when
1753 ;; the standard eval closure defines a binding
1754 (module-modified m)
1755 b)))
1756
1757 ;; Create a new local variable.
1758 (let ((local-var (make-undefined-variable)))
1759 (module-add! m v local-var)
1760 local-var)))
1761
1762 ;; module-ensure-local-variable! module symbol
1763 ;;
1764 ;; Ensure that there is a local variable in MODULE for SYMBOL. If
1765 ;; there is no binding for SYMBOL, create a new uninitialized
1766 ;; variable. Return the local variable.
1767 ;;
1768 (define (module-ensure-local-variable! module symbol)
1769 (or (module-local-variable module symbol)
1770 (let ((var (make-undefined-variable)))
1771 (module-add! module symbol var)
1772 var)))
1773
1774 ;; module-add! module symbol var
1775 ;;
1776 ;; ensure a particular variable for V in the local namespace of M.
1777 ;;
1778 (define (module-add! m v var)
1779 (if (not (variable? var))
1780 (error "Bad variable to module-add!" var))
1781 (module-obarray-set! (module-obarray m) v var)
1782 (module-modified m))
1783
1784 ;; module-remove!
1785 ;;
1786 ;; make sure that a symbol is undefined in the local namespace of M.
1787 ;;
1788 (define (module-remove! m v)
1789 (module-obarray-remove! (module-obarray m) v)
1790 (module-modified m))
1791
1792 (define (module-clear! m)
1793 (hash-clear! (module-obarray m))
1794 (module-modified m))
1795
1796 ;; MODULE-FOR-EACH -- exported
1797 ;;
1798 ;; Call PROC on each symbol in MODULE, with arguments of (SYMBOL VARIABLE).
1799 ;;
1800 (define (module-for-each proc module)
1801 (hash-for-each proc (module-obarray module)))
1802
1803 (define (module-map proc module)
1804 (hash-map->list proc (module-obarray module)))
1805
1806 ;; Submodules
1807 ;;
1808 ;; Modules exist in a separate namespace from values, because you generally do
1809 ;; not want the name of a submodule, which you might not even use, to collide
1810 ;; with local variables that happen to be named the same as the submodule.
1811 ;;
1812 (define (module-ref-submodule module name)
1813 (or (hashq-ref (module-submodules module) name)
1814 (and (module-submodule-binder module)
1815 ((module-submodule-binder module) module name))))
1816
1817 (define (module-define-submodule! module name submodule)
1818 (hashq-set! (module-submodules module) name submodule))
1819
1820 \f
1821
1822 ;;; {Low Level Bootstrapping}
1823 ;;;
1824
1825 ;; make-root-module
1826
1827 ;; A root module uses the pre-modules-obarray as its obarray. This
1828 ;; special obarray accumulates all bindings that have been established
1829 ;; before the module system is fully booted.
1830 ;;
1831 ;; (The obarray continues to be used by code that has been closed over
1832 ;; before the module system has been booted.)
1833
1834 (define (make-root-module)
1835 (let ((m (make-module 0)))
1836 (set-module-obarray! m (%get-pre-modules-obarray))
1837 m))
1838
1839 ;; make-scm-module
1840
1841 ;; The root interface is a module that uses the same obarray as the
1842 ;; root module. It does not allow new definitions, tho.
1843
1844 (define (make-scm-module)
1845 (let ((m (make-module 0)))
1846 (set-module-obarray! m (%get-pre-modules-obarray))
1847 (set-module-eval-closure! m (standard-interface-eval-closure m))
1848 m))
1849
1850
1851 \f
1852
1853 ;;; {Module-based Loading}
1854 ;;;
1855
1856 (define (save-module-excursion thunk)
1857 (let ((inner-module (current-module))
1858 (outer-module #f))
1859 (dynamic-wind (lambda ()
1860 (set! outer-module (current-module))
1861 (set-current-module inner-module)
1862 (set! inner-module #f))
1863 thunk
1864 (lambda ()
1865 (set! inner-module (current-module))
1866 (set-current-module outer-module)
1867 (set! outer-module #f)))))
1868
1869 (define basic-load load)
1870
1871 (define* (load-module filename #:optional reader)
1872 (save-module-excursion
1873 (lambda ()
1874 (let ((oldname (and (current-load-port)
1875 (port-filename (current-load-port)))))
1876 (basic-load (if (and oldname
1877 (> (string-length filename) 0)
1878 (not (char=? (string-ref filename 0) #\/))
1879 (not (string=? (dirname oldname) ".")))
1880 (string-append (dirname oldname) "/" filename)
1881 filename)
1882 reader)))))
1883
1884
1885 \f
1886
1887 ;;; {MODULE-REF -- exported}
1888 ;;;
1889
1890 ;; Returns the value of a variable called NAME in MODULE or any of its
1891 ;; used modules. If there is no such variable, then if the optional third
1892 ;; argument DEFAULT is present, it is returned; otherwise an error is signaled.
1893 ;;
1894 (define (module-ref module name . rest)
1895 (let ((variable (module-variable module name)))
1896 (if (and variable (variable-bound? variable))
1897 (variable-ref variable)
1898 (if (null? rest)
1899 (error "No variable named" name 'in module)
1900 (car rest) ; default value
1901 ))))
1902
1903 ;; MODULE-SET! -- exported
1904 ;;
1905 ;; Sets the variable called NAME in MODULE (or in a module that MODULE uses)
1906 ;; to VALUE; if there is no such variable, an error is signaled.
1907 ;;
1908 (define (module-set! module name value)
1909 (let ((variable (module-variable module name)))
1910 (if variable
1911 (variable-set! variable value)
1912 (error "No variable named" name 'in module))))
1913
1914 ;; MODULE-DEFINE! -- exported
1915 ;;
1916 ;; Sets the variable called NAME in MODULE to VALUE; if there is no such
1917 ;; variable, it is added first.
1918 ;;
1919 (define (module-define! module name value)
1920 (let ((variable (module-local-variable module name)))
1921 (if variable
1922 (begin
1923 (variable-set! variable value)
1924 (module-modified module))
1925 (let ((variable (make-variable value)))
1926 (module-add! module name variable)))))
1927
1928 ;; MODULE-DEFINED? -- exported
1929 ;;
1930 ;; Return #t iff NAME is defined in MODULE (or in a module that MODULE
1931 ;; uses)
1932 ;;
1933 (define (module-defined? module name)
1934 (let ((variable (module-variable module name)))
1935 (and variable (variable-bound? variable))))
1936
1937 ;; MODULE-USE! module interface
1938 ;;
1939 ;; Add INTERFACE to the list of interfaces used by MODULE.
1940 ;;
1941 (define (module-use! module interface)
1942 (if (not (or (eq? module interface)
1943 (memq interface (module-uses module))))
1944 (begin
1945 ;; Newly used modules must be appended rather than consed, so that
1946 ;; `module-variable' traverses the use list starting from the first
1947 ;; used module.
1948 (set-module-uses! module
1949 (append (filter (lambda (m)
1950 (not
1951 (equal? (module-name m)
1952 (module-name interface))))
1953 (module-uses module))
1954 (list interface)))
1955 (hash-clear! (module-import-obarray module))
1956 (module-modified module))))
1957
1958 ;; MODULE-USE-INTERFACES! module interfaces
1959 ;;
1960 ;; Same as MODULE-USE! but add multiple interfaces and check for duplicates
1961 ;;
1962 (define (module-use-interfaces! module interfaces)
1963 (set-module-uses! module
1964 (append (module-uses module) interfaces))
1965 (hash-clear! (module-import-obarray module))
1966 (module-modified module))
1967
1968 \f
1969
1970 ;;; {Recursive Namespaces}
1971 ;;;
1972 ;;; A hierarchical namespace emerges if we consider some module to be
1973 ;;; root, and submodules of that module to be nested namespaces.
1974 ;;;
1975 ;;; The routines here manage variable names in hierarchical namespace.
1976 ;;; Each variable name is a list of elements, looked up in successively nested
1977 ;;; modules.
1978 ;;;
1979 ;;; (nested-ref some-root-module '(foo bar baz))
1980 ;;; => <value of a variable named baz in the submodule bar of
1981 ;;; the submodule foo of some-root-module>
1982 ;;;
1983 ;;;
1984 ;;; There are:
1985 ;;;
1986 ;;; ;; a-root is a module
1987 ;;; ;; name is a list of symbols
1988 ;;;
1989 ;;; nested-ref a-root name
1990 ;;; nested-set! a-root name val
1991 ;;; nested-define! a-root name val
1992 ;;; nested-remove! a-root name
1993 ;;;
1994 ;;; These functions manipulate values in namespaces. For referencing the
1995 ;;; namespaces themselves, use the following:
1996 ;;;
1997 ;;; nested-ref-module a-root name
1998 ;;; nested-define-module! a-root name mod
1999 ;;;
2000 ;;; (current-module) is a natural choice for a root so for convenience there are
2001 ;;; also:
2002 ;;;
2003 ;;; local-ref name == nested-ref (current-module) name
2004 ;;; local-set! name val == nested-set! (current-module) name val
2005 ;;; local-define name val == nested-define! (current-module) name val
2006 ;;; local-remove name == nested-remove! (current-module) name
2007 ;;; local-ref-module name == nested-ref-module (current-module) name
2008 ;;; local-define-module! name m == nested-define-module! (current-module) name m
2009 ;;;
2010
2011
2012 (define (nested-ref root names)
2013 (if (null? names)
2014 root
2015 (let loop ((cur root)
2016 (head (car names))
2017 (tail (cdr names)))
2018 (if (null? tail)
2019 (module-ref cur head #f)
2020 (let ((cur (module-ref-submodule cur head)))
2021 (and cur
2022 (loop cur (car tail) (cdr tail))))))))
2023
2024 (define (nested-set! root names val)
2025 (let loop ((cur root)
2026 (head (car names))
2027 (tail (cdr names)))
2028 (if (null? tail)
2029 (module-set! cur head val)
2030 (let ((cur (module-ref-submodule cur head)))
2031 (if (not cur)
2032 (error "failed to resolve module" names)
2033 (loop cur (car tail) (cdr tail)))))))
2034
2035 (define (nested-define! root names val)
2036 (let loop ((cur root)
2037 (head (car names))
2038 (tail (cdr names)))
2039 (if (null? tail)
2040 (module-define! cur head val)
2041 (let ((cur (module-ref-submodule cur head)))
2042 (if (not cur)
2043 (error "failed to resolve module" names)
2044 (loop cur (car tail) (cdr tail)))))))
2045
2046 (define (nested-remove! root names)
2047 (let loop ((cur root)
2048 (head (car names))
2049 (tail (cdr names)))
2050 (if (null? tail)
2051 (module-remove! cur head)
2052 (let ((cur (module-ref-submodule cur head)))
2053 (if (not cur)
2054 (error "failed to resolve module" names)
2055 (loop cur (car tail) (cdr tail)))))))
2056
2057
2058 (define (nested-ref-module root names)
2059 (let loop ((cur root)
2060 (names names))
2061 (if (null? names)
2062 cur
2063 (let ((cur (module-ref-submodule cur (car names))))
2064 (and cur
2065 (loop cur (cdr names)))))))
2066
2067 (define (nested-define-module! root names module)
2068 (if (null? names)
2069 (error "can't redefine root module" root module)
2070 (let loop ((cur root)
2071 (head (car names))
2072 (tail (cdr names)))
2073 (if (null? tail)
2074 (module-define-submodule! cur head module)
2075 (let ((cur (or (module-ref-submodule cur head)
2076 (let ((m (make-module 31)))
2077 (set-module-kind! m 'directory)
2078 (set-module-name! m (append (module-name cur)
2079 (list head)))
2080 (module-define-submodule! cur head m)
2081 m))))
2082 (loop cur (car tail) (cdr tail)))))))
2083
2084
2085 (define (local-ref names)
2086 (nested-ref (current-module) names))
2087
2088 (define (local-set! names val)
2089 (nested-set! (current-module) names val))
2090
2091 (define (local-define names val)
2092 (nested-define! (current-module) names val))
2093
2094 (define (local-remove names)
2095 (nested-remove! (current-module) names))
2096
2097 (define (local-ref-module names)
2098 (nested-ref-module (current-module) names))
2099
2100 (define (local-define-module names mod)
2101 (nested-define-module! (current-module) names mod))
2102
2103
2104
2105 \f
2106
2107 ;;; {The (guile) module}
2108 ;;;
2109 ;;; The standard module, which has the core Guile bindings. Also called the
2110 ;;; "root module", as it is imported by many other modules, but it is not
2111 ;;; necessarily the root of anything; and indeed, the module named '() might be
2112 ;;; better thought of as a root.
2113 ;;;
2114
2115 (define (set-system-module! m s)
2116 (set-procedure-property! (module-eval-closure m) 'system-module s))
2117 (define the-root-module (make-root-module))
2118 (define the-scm-module (make-scm-module))
2119 (set-module-public-interface! the-root-module the-scm-module)
2120 (set-module-name! the-root-module '(guile))
2121 (set-module-name! the-scm-module '(guile))
2122 (set-module-kind! the-scm-module 'interface)
2123 (set-system-module! the-root-module #t)
2124 (set-system-module! the-scm-module #t)
2125
2126
2127 \f
2128
2129 ;; Now that we have a root module, even though modules aren't fully booted,
2130 ;; expand the definition of resolve-module.
2131 ;;
2132 (define (resolve-module name . args)
2133 (if (equal? name '(guile))
2134 the-root-module
2135 (error "unexpected module to resolve during module boot" name)))
2136
2137 ;; Cheat. These bindings are needed by modules.c, but we don't want
2138 ;; to move their real definition here because that would be unnatural.
2139 ;;
2140 (define process-define-module #f)
2141 (define process-use-modules #f)
2142 (define module-export! #f)
2143 (define default-duplicate-binding-procedures #f)
2144
2145 ;; This boots the module system. All bindings needed by modules.c
2146 ;; must have been defined by now.
2147 ;;
2148 (set-current-module the-root-module)
2149
2150
2151 \f
2152
2153 ;; Now that modules are booted, give module-name its final definition.
2154 ;;
2155 (define module-name
2156 (let ((accessor (record-accessor module-type 'name)))
2157 (lambda (mod)
2158 (or (accessor mod)
2159 (let ((name (list (gensym))))
2160 ;; Name MOD and bind it in the module root so that it's visible to
2161 ;; `resolve-module'. This is important as `psyntax' stores module
2162 ;; names and relies on being able to `resolve-module' them.
2163 (set-module-name! mod name)
2164 (nested-define-module! (resolve-module '() #f) name mod)
2165 (accessor mod))))))
2166
2167 (define (make-modules-in module name)
2168 (or (nested-ref-module module name)
2169 (let ((m (make-module 31)))
2170 (set-module-kind! m 'directory)
2171 (set-module-name! m (append (module-name module) name))
2172 (nested-define-module! module name m)
2173 m)))
2174
2175 (define (beautify-user-module! module)
2176 (let ((interface (module-public-interface module)))
2177 (if (or (not interface)
2178 (eq? interface module))
2179 (let ((interface (make-module 31)))
2180 (set-module-name! interface (module-name module))
2181 (set-module-version! interface (module-version module))
2182 (set-module-kind! interface 'interface)
2183 (set-module-public-interface! module interface))))
2184 (if (and (not (memq the-scm-module (module-uses module)))
2185 (not (eq? module the-root-module)))
2186 ;; Import the default set of bindings (from the SCM module) in MODULE.
2187 (module-use! module the-scm-module)))
2188
2189 (define (version-matches? version-ref target)
2190 (define (sub-versions-match? v-refs t)
2191 (define (sub-version-matches? v-ref t)
2192 (let ((matches? (lambda (v) (sub-version-matches? v t))))
2193 (cond
2194 ((number? v-ref) (eqv? v-ref t))
2195 ((list? v-ref)
2196 (case (car v-ref)
2197 ((>=) (>= t (cadr v-ref)))
2198 ((<=) (<= t (cadr v-ref)))
2199 ((and) (and-map matches? (cdr v-ref)))
2200 ((or) (or-map matches? (cdr v-ref)))
2201 ((not) (not (matches? (cadr v-ref))))
2202 (else (error "Invalid sub-version reference" v-ref))))
2203 (else (error "Invalid sub-version reference" v-ref)))))
2204 (or (null? v-refs)
2205 (and (not (null? t))
2206 (sub-version-matches? (car v-refs) (car t))
2207 (sub-versions-match? (cdr v-refs) (cdr t)))))
2208
2209 (let ((matches? (lambda (v) (version-matches? v target))))
2210 (or (null? version-ref)
2211 (case (car version-ref)
2212 ((and) (and-map matches? (cdr version-ref)))
2213 ((or) (or-map matches? (cdr version-ref)))
2214 ((not) (not (matches? (cadr version-ref))))
2215 (else (sub-versions-match? version-ref target))))))
2216
2217 (define (make-fresh-user-module)
2218 (let ((m (make-module)))
2219 (beautify-user-module! m)
2220 m))
2221
2222 ;; NOTE: This binding is used in libguile/modules.c.
2223 ;;
2224 (define resolve-module
2225 (let ((root (make-module)))
2226 (set-module-name! root '())
2227 ;; Define the-root-module as '(guile).
2228 (module-define-submodule! root 'guile the-root-module)
2229
2230 (lambda* (name #:optional (autoload #t) (version #f) #:key (ensure #t))
2231 (let ((already (nested-ref-module root name)))
2232 (cond
2233 ((and already
2234 (or (not autoload) (module-public-interface already)))
2235 ;; A hit, a palpable hit.
2236 (if (and version
2237 (not (version-matches? version (module-version already))))
2238 (error "incompatible module version already loaded" name))
2239 already)
2240 (autoload
2241 ;; Try to autoload the module, and recurse.
2242 (try-load-module name version)
2243 (resolve-module name #f #:ensure ensure))
2244 (else
2245 ;; No module found (or if one was, it had no public interface), and
2246 ;; we're not autoloading. Make an empty module if #:ensure is true.
2247 (or already
2248 (and ensure
2249 (make-modules-in root name)))))))))
2250
2251
2252 (define (try-load-module name version)
2253 (try-module-autoload name version))
2254
2255 (define (purify-module! module)
2256 "Removes bindings in MODULE which are inherited from the (guile) module."
2257 (let ((use-list (module-uses module)))
2258 (if (and (pair? use-list)
2259 (eq? (car (last-pair use-list)) the-scm-module))
2260 (set-module-uses! module (reverse (cdr (reverse use-list)))))))
2261
2262 ;; Return a module that is an interface to the module designated by
2263 ;; NAME.
2264 ;;
2265 ;; `resolve-interface' takes four keyword arguments:
2266 ;;
2267 ;; #:select SELECTION
2268 ;;
2269 ;; SELECTION is a list of binding-specs to be imported; A binding-spec
2270 ;; is either a symbol or a pair of symbols (ORIG . SEEN), where ORIG
2271 ;; is the name in the used module and SEEN is the name in the using
2272 ;; module. Note that SEEN is also passed through RENAMER, below. The
2273 ;; default is to select all bindings. If you specify no selection but
2274 ;; a renamer, only the bindings that already exist in the used module
2275 ;; are made available in the interface. Bindings that are added later
2276 ;; are not picked up.
2277 ;;
2278 ;; #:hide BINDINGS
2279 ;;
2280 ;; BINDINGS is a list of bindings which should not be imported.
2281 ;;
2282 ;; #:prefix PREFIX
2283 ;;
2284 ;; PREFIX is a symbol that will be appended to each exported name.
2285 ;; The default is to not perform any renaming.
2286 ;;
2287 ;; #:renamer RENAMER
2288 ;;
2289 ;; RENAMER is a procedure that takes a symbol and returns its new
2290 ;; name. The default is not perform any renaming.
2291 ;;
2292 ;; Signal "no code for module" error if module name is not resolvable
2293 ;; or its public interface is not available. Signal "no binding"
2294 ;; error if selected binding does not exist in the used module.
2295 ;;
2296 (define* (resolve-interface name #:key
2297 (select #f)
2298 (hide '())
2299 (prefix #f)
2300 (renamer (if prefix
2301 (symbol-prefix-proc prefix)
2302 identity))
2303 version)
2304 (let* ((module (resolve-module name #t version #:ensure #f))
2305 (public-i (and module (module-public-interface module))))
2306 (and (or (not module) (not public-i))
2307 (error "no code for module" name))
2308 (if (and (not select) (null? hide) (eq? renamer identity))
2309 public-i
2310 (let ((selection (or select (module-map (lambda (sym var) sym)
2311 public-i)))
2312 (custom-i (make-module 31)))
2313 (set-module-kind! custom-i 'custom-interface)
2314 (set-module-name! custom-i name)
2315 ;; XXX - should use a lazy binder so that changes to the
2316 ;; used module are picked up automatically.
2317 (for-each (lambda (bspec)
2318 (let* ((direct? (symbol? bspec))
2319 (orig (if direct? bspec (car bspec)))
2320 (seen (if direct? bspec (cdr bspec)))
2321 (var (or (module-local-variable public-i orig)
2322 (module-local-variable module orig)
2323 (error
2324 ;; fixme: format manually for now
2325 (simple-format
2326 #f "no binding `~A' in module ~A"
2327 orig name)))))
2328 (if (memq orig hide)
2329 (set! hide (delq! orig hide))
2330 (module-add! custom-i
2331 (renamer seen)
2332 var))))
2333 selection)
2334 ;; Check that we are not hiding bindings which don't exist
2335 (for-each (lambda (binding)
2336 (if (not (module-local-variable public-i binding))
2337 (error
2338 (simple-format
2339 #f "no binding `~A' to hide in module ~A"
2340 binding name))))
2341 hide)
2342 custom-i))))
2343
2344 (define (symbol-prefix-proc prefix)
2345 (lambda (symbol)
2346 (symbol-append prefix symbol)))
2347
2348 ;; This function is called from "modules.c". If you change it, be
2349 ;; sure to update "modules.c" as well.
2350
2351 (define (process-define-module args)
2352 (let* ((module-id (car args))
2353 (module (resolve-module module-id #f))
2354 (kws (cdr args))
2355 (unrecognized (lambda (arg)
2356 (error "unrecognized define-module argument" arg))))
2357 (beautify-user-module! module)
2358 (let loop ((kws kws)
2359 (reversed-interfaces '())
2360 (exports '())
2361 (re-exports '())
2362 (replacements '())
2363 (autoloads '()))
2364
2365 (if (null? kws)
2366 (call-with-deferred-observers
2367 (lambda ()
2368 (module-use-interfaces! module (reverse reversed-interfaces))
2369 (module-export! module exports)
2370 (module-replace! module replacements)
2371 (module-re-export! module re-exports)
2372 (if (not (null? autoloads))
2373 (apply module-autoload! module autoloads))))
2374 (case (car kws)
2375 ((#:use-module #:use-syntax)
2376 (or (pair? (cdr kws))
2377 (unrecognized kws))
2378 (cond
2379 ((equal? (caadr kws) '(ice-9 syncase))
2380 (issue-deprecation-warning
2381 "(ice-9 syncase) is deprecated. Support for syntax-case is now in Guile core.")
2382 (loop (cddr kws)
2383 reversed-interfaces
2384 exports
2385 re-exports
2386 replacements
2387 autoloads))
2388 (else
2389 (let* ((interface-args (cadr kws))
2390 (interface (apply resolve-interface interface-args)))
2391 (and (eq? (car kws) #:use-syntax)
2392 (or (symbol? (caar interface-args))
2393 (error "invalid module name for use-syntax"
2394 (car interface-args)))
2395 (set-module-transformer!
2396 module
2397 (module-ref interface
2398 (car (last-pair (car interface-args)))
2399 #f)))
2400 (loop (cddr kws)
2401 (cons interface reversed-interfaces)
2402 exports
2403 re-exports
2404 replacements
2405 autoloads)))))
2406 ((#:autoload)
2407 (or (and (pair? (cdr kws)) (pair? (cddr kws)))
2408 (unrecognized kws))
2409 (loop (cdddr kws)
2410 reversed-interfaces
2411 exports
2412 re-exports
2413 replacements
2414 (let ((name (cadr kws))
2415 (bindings (caddr kws)))
2416 (cons* name bindings autoloads))))
2417 ((#:no-backtrace)
2418 (set-system-module! module #t)
2419 (loop (cdr kws) reversed-interfaces exports re-exports
2420 replacements autoloads))
2421 ((#:pure)
2422 (purify-module! module)
2423 (loop (cdr kws) reversed-interfaces exports re-exports
2424 replacements autoloads))
2425 ((#:version)
2426 (or (pair? (cdr kws))
2427 (unrecognized kws))
2428 (let ((version (cadr kws)))
2429 (set-module-version! module version)
2430 (set-module-version! (module-public-interface module) version))
2431 (loop (cddr kws) reversed-interfaces exports re-exports
2432 replacements autoloads))
2433 ((#:duplicates)
2434 (if (not (pair? (cdr kws)))
2435 (unrecognized kws))
2436 (set-module-duplicates-handlers!
2437 module
2438 (lookup-duplicates-handlers (cadr kws)))
2439 (loop (cddr kws) reversed-interfaces exports re-exports
2440 replacements autoloads))
2441 ((#:export #:export-syntax)
2442 (or (pair? (cdr kws))
2443 (unrecognized kws))
2444 (loop (cddr kws)
2445 reversed-interfaces
2446 (append (cadr kws) exports)
2447 re-exports
2448 replacements
2449 autoloads))
2450 ((#:re-export #:re-export-syntax)
2451 (or (pair? (cdr kws))
2452 (unrecognized kws))
2453 (loop (cddr kws)
2454 reversed-interfaces
2455 exports
2456 (append (cadr kws) re-exports)
2457 replacements
2458 autoloads))
2459 ((#:replace #:replace-syntax)
2460 (or (pair? (cdr kws))
2461 (unrecognized kws))
2462 (loop (cddr kws)
2463 reversed-interfaces
2464 exports
2465 re-exports
2466 (append (cadr kws) replacements)
2467 autoloads))
2468 ((#:filename)
2469 (or (pair? (cdr kws))
2470 (unrecognized kws))
2471 (set-module-filename! module (cadr kws))
2472 (loop (cddr kws)
2473 reversed-interfaces
2474 exports
2475 re-exports
2476 replacements
2477 autoloads))
2478 (else
2479 (unrecognized kws)))))
2480 (run-hook module-defined-hook module)
2481 module))
2482
2483 ;; `module-defined-hook' is a hook that is run whenever a new module
2484 ;; is defined. Its members are called with one argument, the new
2485 ;; module.
2486 (define module-defined-hook (make-hook 1))
2487
2488 \f
2489
2490 ;;; {Autoload}
2491 ;;;
2492
2493 (define (make-autoload-interface module name bindings)
2494 (let ((b (lambda (a sym definep)
2495 (and (memq sym bindings)
2496 (let ((i (module-public-interface (resolve-module name))))
2497 (if (not i)
2498 (error "missing interface for module" name))
2499 (let ((autoload (memq a (module-uses module))))
2500 ;; Replace autoload-interface with actual interface if
2501 ;; that has not happened yet.
2502 (if (pair? autoload)
2503 (set-car! autoload i)))
2504 (module-local-variable i sym))))))
2505 (module-constructor (make-hash-table 0) '() b #f #f name 'autoload #f
2506 (make-hash-table 0) '() (make-weak-value-hash-table 31) #f
2507 (make-hash-table 0) #f #f #f)))
2508
2509 (define (module-autoload! module . args)
2510 "Have @var{module} automatically load the module named @var{name} when one
2511 of the symbols listed in @var{bindings} is looked up. @var{args} should be a
2512 list of module-name/binding-list pairs, e.g., as in @code{(module-autoload!
2513 module '(ice-9 q) '(make-q q-length))}."
2514 (let loop ((args args))
2515 (cond ((null? args)
2516 #t)
2517 ((null? (cdr args))
2518 (error "invalid name+binding autoload list" args))
2519 (else
2520 (let ((name (car args))
2521 (bindings (cadr args)))
2522 (module-use! module (make-autoload-interface module
2523 name bindings))
2524 (loop (cddr args)))))))
2525
2526
2527 \f
2528
2529 ;;; {Autoloading modules}
2530 ;;;
2531
2532 (define autoloads-in-progress '())
2533
2534 ;; This function is called from "modules.c". If you change it, be
2535 ;; sure to update "modules.c" as well.
2536
2537 (define* (try-module-autoload module-name #:optional version)
2538 (let* ((reverse-name (reverse module-name))
2539 (name (symbol->string (car reverse-name)))
2540 (dir-hint-module-name (reverse (cdr reverse-name)))
2541 (dir-hint (apply string-append
2542 (map (lambda (elt)
2543 (string-append (symbol->string elt) "/"))
2544 dir-hint-module-name))))
2545 (resolve-module dir-hint-module-name #f)
2546 (and (not (autoload-done-or-in-progress? dir-hint name))
2547 (let ((didit #f))
2548 (dynamic-wind
2549 (lambda () (autoload-in-progress! dir-hint name))
2550 (lambda ()
2551 (with-fluids ((current-reader #f))
2552 (save-module-excursion
2553 (lambda ()
2554 ;; The initial environment when loading a module is a fresh
2555 ;; user module.
2556 (set-current-module (make-fresh-user-module))
2557 ;; Here we could allow some other search strategy (other than
2558 ;; primitive-load-path), for example using versions encoded
2559 ;; into the file system -- but then we would have to figure
2560 ;; out how to locate the compiled file, do autocompilation,
2561 ;; etc. Punt for now, and don't use versions when locating
2562 ;; the file.
2563 (primitive-load-path (in-vicinity dir-hint name) #f)
2564 (set! didit #t)))))
2565 (lambda () (set-autoloaded! dir-hint name didit)))
2566 didit))))
2567
2568 \f
2569
2570 ;;; {Dynamic linking of modules}
2571 ;;;
2572
2573 (define autoloads-done '((guile . guile)))
2574
2575 (define (autoload-done-or-in-progress? p m)
2576 (let ((n (cons p m)))
2577 (->bool (or (member n autoloads-done)
2578 (member n autoloads-in-progress)))))
2579
2580 (define (autoload-done! p m)
2581 (let ((n (cons p m)))
2582 (set! autoloads-in-progress
2583 (delete! n autoloads-in-progress))
2584 (or (member n autoloads-done)
2585 (set! autoloads-done (cons n autoloads-done)))))
2586
2587 (define (autoload-in-progress! p m)
2588 (let ((n (cons p m)))
2589 (set! autoloads-done
2590 (delete! n autoloads-done))
2591 (set! autoloads-in-progress (cons n autoloads-in-progress))))
2592
2593 (define (set-autoloaded! p m done?)
2594 (if done?
2595 (autoload-done! p m)
2596 (let ((n (cons p m)))
2597 (set! autoloads-done (delete! n autoloads-done))
2598 (set! autoloads-in-progress (delete! n autoloads-in-progress)))))
2599
2600 \f
2601
2602 ;;; {Run-time options}
2603 ;;;
2604
2605 (define-syntax define-option-interface
2606 (syntax-rules ()
2607 ((_ (interface (options enable disable) (option-set!)))
2608 (begin
2609 (define options
2610 (case-lambda
2611 (() (interface))
2612 ((arg)
2613 (if (list? arg)
2614 (begin (interface arg) (interface))
2615 (for-each
2616 (lambda (option)
2617 (apply (lambda (name value documentation)
2618 (display name)
2619 (if (< (string-length (symbol->string name)) 8)
2620 (display #\tab))
2621 (display #\tab)
2622 (display value)
2623 (display #\tab)
2624 (display documentation)
2625 (newline))
2626 option))
2627 (interface #t))))))
2628 (define (enable . flags)
2629 (interface (append flags (interface)))
2630 (interface))
2631 (define (disable . flags)
2632 (let ((options (interface)))
2633 (for-each (lambda (flag) (set! options (delq! flag options)))
2634 flags)
2635 (interface options)
2636 (interface)))
2637 (define-syntax option-set!
2638 (syntax-rules ()
2639 ((_ opt val)
2640 (options (append (options) (list 'opt val))))))))))
2641
2642 (define-option-interface
2643 (eval-options-interface
2644 (eval-options eval-enable eval-disable)
2645 (eval-set!)))
2646
2647 (define-option-interface
2648 (debug-options-interface
2649 (debug-options debug-enable debug-disable)
2650 (debug-set!)))
2651
2652 (define-option-interface
2653 (evaluator-traps-interface
2654 (traps trap-enable trap-disable)
2655 (trap-set!)))
2656
2657 (define-option-interface
2658 (read-options-interface
2659 (read-options read-enable read-disable)
2660 (read-set!)))
2661
2662 (define-option-interface
2663 (print-options-interface
2664 (print-options print-enable print-disable)
2665 (print-set!)))
2666
2667 \f
2668
2669 ;;; {The Unspecified Value}
2670 ;;;
2671 ;;; Currently Guile represents unspecified values via one particular value,
2672 ;;; which may be obtained by evaluating (if #f #f). It would be nice in the
2673 ;;; future if we could replace this with a return of 0 values, though.
2674 ;;;
2675
2676 (define-syntax *unspecified*
2677 (identifier-syntax (if #f #f)))
2678
2679 (define (unspecified? v) (eq? v *unspecified*))
2680
2681
2682 \f
2683
2684 ;;; {Running Repls}
2685 ;;;
2686
2687 ;; Programs can call `batch-mode?' to see if they are running as part of a
2688 ;; script or if they are running interactively. REPL implementations ensure that
2689 ;; `batch-mode?' returns #f during their extent.
2690 ;;
2691 ;; Programs can re-enter batch mode, for example after a fork, by calling
2692 ;; `ensure-batch-mode!'. It's not a great interface, though; it would be better
2693 ;; to abort to the outermost prompt, and call a thunk there.
2694 (define *repl-level* (make-fluid))
2695 (define (batch-mode?)
2696 (negative? (or (fluid-ref *repl-level*) -1)))
2697 (define (ensure-batch-mode!)
2698 (fluid-set! *repl-level* #f))
2699
2700 (define (quit . args)
2701 (apply throw 'quit args))
2702
2703 (define exit quit)
2704
2705 (define (gc-run-time)
2706 (cdr (assq 'gc-time-taken (gc-stats))))
2707
2708 (define abort-hook (make-hook))
2709 (define before-error-hook (make-hook))
2710 (define after-error-hook (make-hook))
2711 (define before-backtrace-hook (make-hook))
2712 (define after-backtrace-hook (make-hook))
2713
2714 (define before-read-hook (make-hook))
2715 (define after-read-hook (make-hook))
2716 (define before-eval-hook (make-hook 1))
2717 (define after-eval-hook (make-hook 1))
2718 (define before-print-hook (make-hook 1))
2719 (define after-print-hook (make-hook 1))
2720
2721 ;;; The default repl-reader function. We may override this if we've
2722 ;;; the readline library.
2723 (define repl-reader
2724 (lambda* (prompt #:optional (reader (fluid-ref current-reader)))
2725 (if (not (char-ready?))
2726 (display (if (string? prompt) prompt (prompt))))
2727 (force-output)
2728 (run-hook before-read-hook)
2729 ((or reader read) (current-input-port))))
2730
2731
2732 \f
2733
2734 ;;; {IOTA functions: generating lists of numbers}
2735 ;;;
2736
2737 (define (iota n)
2738 (let loop ((count (1- n)) (result '()))
2739 (if (< count 0) result
2740 (loop (1- count) (cons count result)))))
2741
2742 \f
2743
2744 ;;; {While}
2745 ;;;
2746 ;;; with `continue' and `break'.
2747 ;;;
2748
2749 ;; The inliner will remove the prompts at compile-time if it finds that
2750 ;; `continue' or `break' are not used.
2751 ;;
2752 (define-syntax while
2753 (lambda (x)
2754 (syntax-case x ()
2755 ((while cond body ...)
2756 #`(let ((break-tag (make-prompt-tag "break"))
2757 (continue-tag (make-prompt-tag "continue")))
2758 (call-with-prompt
2759 break-tag
2760 (lambda ()
2761 (define-syntax #,(datum->syntax #'while 'break)
2762 (lambda (x)
2763 (syntax-case x ()
2764 ((_)
2765 #'(abort-to-prompt break-tag))
2766 ((_ . args)
2767 (syntax-violation 'break "too many arguments" x))
2768 (_
2769 #'(lambda ()
2770 (abort-to-prompt break-tag))))))
2771 (let lp ()
2772 (call-with-prompt
2773 continue-tag
2774 (lambda ()
2775 (define-syntax #,(datum->syntax #'while 'continue)
2776 (lambda (x)
2777 (syntax-case x ()
2778 ((_)
2779 #'(abort-to-prompt continue-tag))
2780 ((_ . args)
2781 (syntax-violation 'continue "too many arguments" x))
2782 (_
2783 #'(lambda args
2784 (apply abort-to-prompt continue-tag args))))))
2785 (do () ((not cond)) body ...))
2786 (lambda (k) (lp)))))
2787 (lambda (k)
2788 #t)))))))
2789
2790
2791 \f
2792
2793 ;;; {Module System Macros}
2794 ;;;
2795
2796 ;; Return a list of expressions that evaluate to the appropriate
2797 ;; arguments for resolve-interface according to SPEC.
2798
2799 (eval-when
2800 (compile)
2801 (if (memq 'prefix (read-options))
2802 (error "boot-9 must be compiled with #:kw, not :kw")))
2803
2804 (define (keyword-like-symbol->keyword sym)
2805 (symbol->keyword (string->symbol (substring (symbol->string sym) 1))))
2806
2807 ;; FIXME: we really need to clean up the guts of the module system.
2808 ;; We can compile to something better than process-define-module.
2809 (define-syntax define-module
2810 (lambda (x)
2811 (define (keyword-like? stx)
2812 (let ((dat (syntax->datum stx)))
2813 (and (symbol? dat)
2814 (eqv? (string-ref (symbol->string dat) 0) #\:))))
2815 (define (->keyword sym)
2816 (symbol->keyword (string->symbol (substring (symbol->string sym) 1))))
2817
2818 (define (quotify-iface args)
2819 (let loop ((in args) (out '()))
2820 (syntax-case in ()
2821 (() (reverse! out))
2822 ;; The user wanted #:foo, but wrote :foo. Fix it.
2823 ((sym . in) (keyword-like? #'sym)
2824 (loop #`(#,(->keyword (syntax->datum #'sym)) . in) out))
2825 ((kw . in) (not (keyword? (syntax->datum #'kw)))
2826 (syntax-violation 'define-module "expected keyword arg" x #'kw))
2827 ((#:renamer renamer . in)
2828 (loop #'in (cons* #'renamer #:renamer out)))
2829 ((kw val . in)
2830 (loop #'in (cons* #''val #'kw out))))))
2831
2832 (define (quotify args)
2833 ;; Just quote everything except #:use-module and #:use-syntax. We
2834 ;; need to know about all arguments regardless since we want to turn
2835 ;; symbols that look like keywords into real keywords, and the
2836 ;; keyword args in a define-module form are not regular
2837 ;; (i.e. no-backtrace doesn't take a value).
2838 (let loop ((in args) (out '()))
2839 (syntax-case in ()
2840 (() (reverse! out))
2841 ;; The user wanted #:foo, but wrote :foo. Fix it.
2842 ((sym . in) (keyword-like? #'sym)
2843 (loop #`(#,(->keyword (syntax->datum #'sym)) . in) out))
2844 ((kw . in) (not (keyword? (syntax->datum #'kw)))
2845 (syntax-violation 'define-module "expected keyword arg" x #'kw))
2846 ((#:no-backtrace . in)
2847 (loop #'in (cons #:no-backtrace out)))
2848 ((#:pure . in)
2849 (loop #'in (cons #:pure out)))
2850 ((kw)
2851 (syntax-violation 'define-module "keyword arg without value" x #'kw))
2852 ((use-module (name name* ...) . in)
2853 (and (memq (syntax->datum #'use-module) '(#:use-module #:use-syntax))
2854 (and-map symbol? (syntax->datum #'(name name* ...))))
2855 (loop #'in
2856 (cons* #''((name name* ...))
2857 #'use-module
2858 out)))
2859 ((use-module ((name name* ...) arg ...) . in)
2860 (and (memq (syntax->datum #'use-module) '(#:use-module #:use-syntax))
2861 (and-map symbol? (syntax->datum #'(name name* ...))))
2862 (loop #'in
2863 (cons* #`(list '(name name* ...) #,@(quotify-iface #'(arg ...)))
2864 #'use-module
2865 out)))
2866 ((#:autoload name bindings . in)
2867 (loop #'in (cons* #''bindings #''name #:autoload out)))
2868 ((kw val . in)
2869 (loop #'in (cons* #''val #'kw out))))))
2870
2871 (syntax-case x ()
2872 ((_ (name name* ...) arg ...)
2873 (with-syntax (((quoted-arg ...) (quotify #'(arg ...))))
2874 #'(eval-when (eval load compile expand)
2875 (let ((m (process-define-module
2876 (list '(name name* ...)
2877 #:filename (assq-ref
2878 (or (current-source-location) '())
2879 'filename)
2880 quoted-arg ...))))
2881 (set-current-module m)
2882 m)))))))
2883
2884 ;; The guts of the use-modules macro. Add the interfaces of the named
2885 ;; modules to the use-list of the current module, in order.
2886
2887 ;; This function is called by "modules.c". If you change it, be sure
2888 ;; to change scm_c_use_module as well.
2889
2890 (define (process-use-modules module-interface-args)
2891 (let ((interfaces (map (lambda (mif-args)
2892 (or (apply resolve-interface mif-args)
2893 (error "no such module" mif-args)))
2894 module-interface-args)))
2895 (call-with-deferred-observers
2896 (lambda ()
2897 (module-use-interfaces! (current-module) interfaces)))))
2898
2899 (define-syntax use-modules
2900 (lambda (x)
2901 (define (keyword-like? stx)
2902 (let ((dat (syntax->datum stx)))
2903 (and (symbol? dat)
2904 (eqv? (string-ref (symbol->string dat) 0) #\:))))
2905 (define (->keyword sym)
2906 (symbol->keyword (string->symbol (substring (symbol->string sym) 1))))
2907
2908 (define (quotify-iface args)
2909 (let loop ((in args) (out '()))
2910 (syntax-case in ()
2911 (() (reverse! out))
2912 ;; The user wanted #:foo, but wrote :foo. Fix it.
2913 ((sym . in) (keyword-like? #'sym)
2914 (loop #`(#,(->keyword (syntax->datum #'sym)) . in) out))
2915 ((kw . in) (not (keyword? (syntax->datum #'kw)))
2916 (syntax-violation 'define-module "expected keyword arg" x #'kw))
2917 ((#:renamer renamer . in)
2918 (loop #'in (cons* #'renamer #:renamer out)))
2919 ((kw val . in)
2920 (loop #'in (cons* #''val #'kw out))))))
2921
2922 (define (quotify specs)
2923 (let lp ((in specs) (out '()))
2924 (syntax-case in ()
2925 (() (reverse out))
2926 (((name name* ...) . in)
2927 (and-map symbol? (syntax->datum #'(name name* ...)))
2928 (lp #'in (cons #''((name name* ...)) out)))
2929 ((((name name* ...) arg ...) . in)
2930 (and-map symbol? (syntax->datum #'(name name* ...)))
2931 (with-syntax (((quoted-arg ...) (quotify-iface #'(arg ...))))
2932 (lp #'in (cons #`(list '(name name* ...) quoted-arg ...)
2933 out)))))))
2934
2935 (syntax-case x ()
2936 ((_ spec ...)
2937 (with-syntax (((quoted-args ...) (quotify #'(spec ...))))
2938 #'(eval-when (eval load compile expand)
2939 (process-use-modules (list quoted-args ...))
2940 *unspecified*))))))
2941
2942 (define-syntax use-syntax
2943 (syntax-rules ()
2944 ((_ spec ...)
2945 (begin
2946 (eval-when (eval load compile expand)
2947 (issue-deprecation-warning
2948 "`use-syntax' is deprecated. Please contact guile-devel for more info."))
2949 (use-modules spec ...)))))
2950
2951 (include-from-path "ice-9/r6rs-libraries")
2952
2953 (define-syntax define-private
2954 (syntax-rules ()
2955 ((_ foo bar)
2956 (define foo bar))))
2957
2958 (define-syntax define-public
2959 (syntax-rules ()
2960 ((_ (name . args) . body)
2961 (define-public name (lambda args . body)))
2962 ((_ name val)
2963 (begin
2964 (define name val)
2965 (export name)))))
2966
2967 (define-syntax defmacro-public
2968 (syntax-rules ()
2969 ((_ name args . body)
2970 (begin
2971 (defmacro name args . body)
2972 (export-syntax name)))))
2973
2974 ;; And now for the most important macro.
2975 (define-syntax λ
2976 (syntax-rules ()
2977 ((_ formals body ...)
2978 (lambda formals body ...))))
2979
2980 \f
2981 ;; Export a local variable
2982
2983 ;; This function is called from "modules.c". If you change it, be
2984 ;; sure to update "modules.c" as well.
2985
2986 (define (module-export! m names)
2987 (let ((public-i (module-public-interface m)))
2988 (for-each (lambda (name)
2989 (let* ((internal-name (if (pair? name) (car name) name))
2990 (external-name (if (pair? name) (cdr name) name))
2991 (var (module-ensure-local-variable! m internal-name)))
2992 (module-add! public-i external-name var)))
2993 names)))
2994
2995 (define (module-replace! m names)
2996 (let ((public-i (module-public-interface m)))
2997 (for-each (lambda (name)
2998 (let* ((internal-name (if (pair? name) (car name) name))
2999 (external-name (if (pair? name) (cdr name) name))
3000 (var (module-ensure-local-variable! m internal-name)))
3001 (set-object-property! var 'replace #t)
3002 (module-add! public-i external-name var)))
3003 names)))
3004
3005 ;; Export all local variables from a module
3006 ;;
3007 (define (module-export-all! mod)
3008 (define (fresh-interface!)
3009 (let ((iface (make-module)))
3010 (set-module-name! iface (module-name mod))
3011 (set-module-version! iface (module-version mod))
3012 (set-module-kind! iface 'interface)
3013 (set-module-public-interface! mod iface)
3014 iface))
3015 (let ((iface (or (module-public-interface mod)
3016 (fresh-interface!))))
3017 (set-module-obarray! iface (module-obarray mod))))
3018
3019 ;; Re-export a imported variable
3020 ;;
3021 (define (module-re-export! m names)
3022 (let ((public-i (module-public-interface m)))
3023 (for-each (lambda (name)
3024 (let* ((internal-name (if (pair? name) (car name) name))
3025 (external-name (if (pair? name) (cdr name) name))
3026 (var (module-variable m internal-name)))
3027 (cond ((not var)
3028 (error "Undefined variable:" internal-name))
3029 ((eq? var (module-local-variable m internal-name))
3030 (error "re-exporting local variable:" internal-name))
3031 (else
3032 (module-add! public-i external-name var)))))
3033 names)))
3034
3035 (define-syntax export
3036 (syntax-rules ()
3037 ((_ name ...)
3038 (eval-when (eval load compile expand)
3039 (call-with-deferred-observers
3040 (lambda ()
3041 (module-export! (current-module) '(name ...))))))))
3042
3043 (define-syntax re-export
3044 (syntax-rules ()
3045 ((_ name ...)
3046 (eval-when (eval load compile expand)
3047 (call-with-deferred-observers
3048 (lambda ()
3049 (module-re-export! (current-module) '(name ...))))))))
3050
3051 (define-syntax export!
3052 (syntax-rules ()
3053 ((_ name ...)
3054 (eval-when (eval load compile expand)
3055 (call-with-deferred-observers
3056 (lambda ()
3057 (module-replace! (current-module) '(name ...))))))))
3058
3059 (define-syntax export-syntax
3060 (syntax-rules ()
3061 ((_ name ...)
3062 (export name ...))))
3063
3064 (define-syntax re-export-syntax
3065 (syntax-rules ()
3066 ((_ name ...)
3067 (re-export name ...))))
3068
3069 (define load load-module)
3070
3071 \f
3072
3073 ;;; {Parameters}
3074 ;;;
3075
3076 (define make-mutable-parameter
3077 (let ((make (lambda (fluid converter)
3078 (lambda args
3079 (if (null? args)
3080 (fluid-ref fluid)
3081 (fluid-set! fluid (converter (car args))))))))
3082 (lambda* (init #:optional (converter identity))
3083 (let ((fluid (make-fluid)))
3084 (fluid-set! fluid (converter init))
3085 (make fluid converter)))))
3086
3087 \f
3088
3089 ;;; {Handling of duplicate imported bindings}
3090 ;;;
3091
3092 ;; Duplicate handlers take the following arguments:
3093 ;;
3094 ;; module importing module
3095 ;; name conflicting name
3096 ;; int1 old interface where name occurs
3097 ;; val1 value of binding in old interface
3098 ;; int2 new interface where name occurs
3099 ;; val2 value of binding in new interface
3100 ;; var previous resolution or #f
3101 ;; val value of previous resolution
3102 ;;
3103 ;; A duplicate handler can take three alternative actions:
3104 ;;
3105 ;; 1. return #f => leave responsibility to next handler
3106 ;; 2. exit with an error
3107 ;; 3. return a variable resolving the conflict
3108 ;;
3109
3110 (define duplicate-handlers
3111 (let ((m (make-module 7)))
3112
3113 (define (check module name int1 val1 int2 val2 var val)
3114 (scm-error 'misc-error
3115 #f
3116 "~A: `~A' imported from both ~A and ~A"
3117 (list (module-name module)
3118 name
3119 (module-name int1)
3120 (module-name int2))
3121 #f))
3122
3123 (define (warn module name int1 val1 int2 val2 var val)
3124 (format (current-error-port)
3125 "WARNING: ~A: `~A' imported from both ~A and ~A\n"
3126 (module-name module)
3127 name
3128 (module-name int1)
3129 (module-name int2))
3130 #f)
3131
3132 (define (replace module name int1 val1 int2 val2 var val)
3133 (let ((old (or (and var (object-property var 'replace) var)
3134 (module-variable int1 name)))
3135 (new (module-variable int2 name)))
3136 (if (object-property old 'replace)
3137 (and (or (eq? old new)
3138 (not (object-property new 'replace)))
3139 old)
3140 (and (object-property new 'replace)
3141 new))))
3142
3143 (define (warn-override-core module name int1 val1 int2 val2 var val)
3144 (and (eq? int1 the-scm-module)
3145 (begin
3146 (format (current-error-port)
3147 "WARNING: ~A: imported module ~A overrides core binding `~A'\n"
3148 (module-name module)
3149 (module-name int2)
3150 name)
3151 (module-local-variable int2 name))))
3152
3153 (define (first module name int1 val1 int2 val2 var val)
3154 (or var (module-local-variable int1 name)))
3155
3156 (define (last module name int1 val1 int2 val2 var val)
3157 (module-local-variable int2 name))
3158
3159 (define (noop module name int1 val1 int2 val2 var val)
3160 #f)
3161
3162 (set-module-name! m 'duplicate-handlers)
3163 (set-module-kind! m 'interface)
3164 (module-define! m 'check check)
3165 (module-define! m 'warn warn)
3166 (module-define! m 'replace replace)
3167 (module-define! m 'warn-override-core warn-override-core)
3168 (module-define! m 'first first)
3169 (module-define! m 'last last)
3170 (module-define! m 'merge-generics noop)
3171 (module-define! m 'merge-accessors noop)
3172 m))
3173
3174 (define (lookup-duplicates-handlers handler-names)
3175 (and handler-names
3176 (map (lambda (handler-name)
3177 (or (module-symbol-local-binding
3178 duplicate-handlers handler-name #f)
3179 (error "invalid duplicate handler name:"
3180 handler-name)))
3181 (if (list? handler-names)
3182 handler-names
3183 (list handler-names)))))
3184
3185 (define default-duplicate-binding-procedures
3186 (make-mutable-parameter #f))
3187
3188 (define default-duplicate-binding-handler
3189 (make-mutable-parameter '(replace warn-override-core warn last)
3190 (lambda (handler-names)
3191 (default-duplicate-binding-procedures
3192 (lookup-duplicates-handlers handler-names))
3193 handler-names)))
3194
3195 \f
3196
3197 ;;; {`cond-expand' for SRFI-0 support.}
3198 ;;;
3199 ;;; This syntactic form expands into different commands or
3200 ;;; definitions, depending on the features provided by the Scheme
3201 ;;; implementation.
3202 ;;;
3203 ;;; Syntax:
3204 ;;;
3205 ;;; <cond-expand>
3206 ;;; --> (cond-expand <cond-expand-clause>+)
3207 ;;; | (cond-expand <cond-expand-clause>* (else <command-or-definition>))
3208 ;;; <cond-expand-clause>
3209 ;;; --> (<feature-requirement> <command-or-definition>*)
3210 ;;; <feature-requirement>
3211 ;;; --> <feature-identifier>
3212 ;;; | (and <feature-requirement>*)
3213 ;;; | (or <feature-requirement>*)
3214 ;;; | (not <feature-requirement>)
3215 ;;; <feature-identifier>
3216 ;;; --> <a symbol which is the name or alias of a SRFI>
3217 ;;;
3218 ;;; Additionally, this implementation provides the
3219 ;;; <feature-identifier>s `guile' and `r5rs', so that programs can
3220 ;;; determine the implementation type and the supported standard.
3221 ;;;
3222 ;;; Currently, the following feature identifiers are supported:
3223 ;;;
3224 ;;; guile r5rs srfi-0 srfi-4 srfi-6 srfi-13 srfi-14 srfi-55 srfi-61
3225 ;;;
3226 ;;; Remember to update the features list when adding more SRFIs.
3227 ;;;
3228
3229 (define %cond-expand-features
3230 ;; Adjust the above comment when changing this.
3231 '(guile
3232 guile-2
3233 r5rs
3234 srfi-0 ;; cond-expand itself
3235 srfi-4 ;; homogenous numeric vectors
3236 srfi-6 ;; open-input-string etc, in the guile core
3237 srfi-13 ;; string library
3238 srfi-14 ;; character sets
3239 srfi-55 ;; require-extension
3240 srfi-61 ;; general cond clause
3241 ))
3242
3243 ;; This table maps module public interfaces to the list of features.
3244 ;;
3245 (define %cond-expand-table (make-hash-table 31))
3246
3247 ;; Add one or more features to the `cond-expand' feature list of the
3248 ;; module `module'.
3249 ;;
3250 (define (cond-expand-provide module features)
3251 (let ((mod (module-public-interface module)))
3252 (and mod
3253 (hashq-set! %cond-expand-table mod
3254 (append (hashq-ref %cond-expand-table mod '())
3255 features)))))
3256
3257 (define-macro (cond-expand . clauses)
3258 (let ((syntax-error (lambda (cl)
3259 (error "invalid clause in `cond-expand'" cl))))
3260 (letrec
3261 ((test-clause
3262 (lambda (clause)
3263 (cond
3264 ((symbol? clause)
3265 (or (memq clause %cond-expand-features)
3266 (let lp ((uses (module-uses (current-module))))
3267 (if (pair? uses)
3268 (or (memq clause
3269 (hashq-ref %cond-expand-table
3270 (car uses) '()))
3271 (lp (cdr uses)))
3272 #f))))
3273 ((pair? clause)
3274 (cond
3275 ((eq? 'and (car clause))
3276 (let lp ((l (cdr clause)))
3277 (cond ((null? l)
3278 #t)
3279 ((pair? l)
3280 (and (test-clause (car l)) (lp (cdr l))))
3281 (else
3282 (syntax-error clause)))))
3283 ((eq? 'or (car clause))
3284 (let lp ((l (cdr clause)))
3285 (cond ((null? l)
3286 #f)
3287 ((pair? l)
3288 (or (test-clause (car l)) (lp (cdr l))))
3289 (else
3290 (syntax-error clause)))))
3291 ((eq? 'not (car clause))
3292 (cond ((not (pair? (cdr clause)))
3293 (syntax-error clause))
3294 ((pair? (cddr clause))
3295 ((syntax-error clause))))
3296 (not (test-clause (cadr clause))))
3297 (else
3298 (syntax-error clause))))
3299 (else
3300 (syntax-error clause))))))
3301 (let lp ((c clauses))
3302 (cond
3303 ((null? c)
3304 (error "Unfulfilled `cond-expand'"))
3305 ((not (pair? c))
3306 (syntax-error c))
3307 ((not (pair? (car c)))
3308 (syntax-error (car c)))
3309 ((test-clause (caar c))
3310 `(begin ,@(cdar c)))
3311 ((eq? (caar c) 'else)
3312 (if (pair? (cdr c))
3313 (syntax-error c))
3314 `(begin ,@(cdar c)))
3315 (else
3316 (lp (cdr c))))))))
3317
3318 ;; This procedure gets called from the startup code with a list of
3319 ;; numbers, which are the numbers of the SRFIs to be loaded on startup.
3320 ;;
3321 (define (use-srfis srfis)
3322 (process-use-modules
3323 (map (lambda (num)
3324 (list (list 'srfi (string->symbol
3325 (string-append "srfi-" (number->string num))))))
3326 srfis)))
3327
3328 \f
3329
3330 ;;; srfi-55: require-extension
3331 ;;;
3332
3333 (define-macro (require-extension extension-spec)
3334 ;; This macro only handles the srfi extension, which, at present, is
3335 ;; the only one defined by the standard.
3336 (if (not (pair? extension-spec))
3337 (scm-error 'wrong-type-arg "require-extension"
3338 "Not an extension: ~S" (list extension-spec) #f))
3339 (let ((extension (car extension-spec))
3340 (extension-args (cdr extension-spec)))
3341 (case extension
3342 ((srfi)
3343 (let ((use-list '()))
3344 (for-each
3345 (lambda (i)
3346 (if (not (integer? i))
3347 (scm-error 'wrong-type-arg "require-extension"
3348 "Invalid srfi name: ~S" (list i) #f))
3349 (let ((srfi-sym (string->symbol
3350 (string-append "srfi-" (number->string i)))))
3351 (if (not (memq srfi-sym %cond-expand-features))
3352 (set! use-list (cons `(use-modules (srfi ,srfi-sym))
3353 use-list)))))
3354 extension-args)
3355 (if (pair? use-list)
3356 ;; i.e. (begin (use-modules x) (use-modules y) (use-modules z))
3357 `(begin ,@(reverse! use-list)))))
3358 (else
3359 (scm-error
3360 'wrong-type-arg "require-extension"
3361 "Not a recognized extension type: ~S" (list extension) #f)))))
3362
3363 \f
3364
3365 ;;; {Load emacs interface support if emacs option is given.}
3366 ;;;
3367
3368 (define (named-module-use! user usee)
3369 (module-use! (resolve-module user) (resolve-interface usee)))
3370
3371 (define (load-emacs-interface)
3372 (and (provided? 'debug-extensions)
3373 (debug-enable 'backtrace))
3374 (named-module-use! '(guile-user) '(ice-9 emacs)))
3375
3376 \f
3377
3378 (define using-readline?
3379 (let ((using-readline? (make-fluid)))
3380 (make-procedure-with-setter
3381 (lambda () (fluid-ref using-readline?))
3382 (lambda (v) (fluid-set! using-readline? v)))))
3383
3384 (define (top-repl)
3385 (let ((guile-user-module (resolve-module '(guile-user))))
3386
3387 ;; Load emacs interface support if emacs option is given.
3388 (if (and (module-defined? guile-user-module 'use-emacs-interface)
3389 (module-ref guile-user-module 'use-emacs-interface))
3390 (load-emacs-interface))
3391
3392 ;; Use some convenient modules (in reverse order)
3393
3394 (set-current-module guile-user-module)
3395 (process-use-modules
3396 (append
3397 '(((ice-9 r5rs))
3398 ((ice-9 session))
3399 ((ice-9 debug)))
3400 (if (provided? 'regex)
3401 '(((ice-9 regex)))
3402 '())
3403 (if (provided? 'threads)
3404 '(((ice-9 threads)))
3405 '())))
3406 ;; load debugger on demand
3407 (module-autoload! guile-user-module '(system vm debug) '(debug))
3408
3409 ;; Note: SIGFPE, SIGSEGV and SIGBUS are actually "query-only" (see
3410 ;; scmsigs.c scm_sigaction_for_thread), so the handlers setup here have
3411 ;; no effect.
3412 (let ((old-handlers #f)
3413 ;; We can't use @ here, as modules have been booted, but in Guile's
3414 ;; build the srfi-1 helper lib hasn't been built yet, which will
3415 ;; result in an error when (system repl repl) is loaded at compile
3416 ;; time (to see if it is a macro or not).
3417 (start-repl (module-ref (resolve-module '(system repl repl))
3418 'start-repl))
3419 (signals (if (provided? 'posix)
3420 `((,SIGINT . "User interrupt")
3421 (,SIGFPE . "Arithmetic error")
3422 (,SIGSEGV
3423 . "Bad memory access (Segmentation violation)"))
3424 '())))
3425 ;; no SIGBUS on mingw
3426 (if (defined? 'SIGBUS)
3427 (set! signals (acons SIGBUS "Bad memory access (bus error)"
3428 signals)))
3429
3430 (dynamic-wind
3431
3432 ;; call at entry
3433 (lambda ()
3434 (let ((make-handler (lambda (msg)
3435 (lambda (sig)
3436 (scm-error 'signal
3437 #f
3438 msg
3439 #f
3440 (list sig))))))
3441 (set! old-handlers
3442 (map (lambda (sig-msg)
3443 (sigaction (car sig-msg)
3444 (make-handler (cdr sig-msg))))
3445 signals))))
3446
3447 ;; the protected thunk.
3448 (lambda ()
3449 (let ((status (start-repl 'scheme)))
3450 (run-hook exit-hook)
3451 status))
3452
3453 ;; call at exit.
3454 (lambda ()
3455 (map (lambda (sig-msg old-handler)
3456 (if (not (car old-handler))
3457 ;; restore original C handler.
3458 (sigaction (car sig-msg) #f)
3459 ;; restore Scheme handler, SIG_IGN or SIG_DFL.
3460 (sigaction (car sig-msg)
3461 (car old-handler)
3462 (cdr old-handler))))
3463 signals old-handlers))))))
3464
3465 ;;; This hook is run at the very end of an interactive session.
3466 ;;;
3467 (define exit-hook (make-hook))
3468
3469 \f
3470
3471 ;;; {Deprecated stuff}
3472 ;;;
3473
3474 (begin-deprecated
3475 (module-use! the-scm-module (resolve-interface '(ice-9 deprecated))))
3476
3477 \f
3478
3479 ;;; Place the user in the guile-user module.
3480 ;;;
3481
3482 ;; FIXME:
3483 (module-use! the-scm-module (resolve-interface '(srfi srfi-4)))
3484
3485 (define-module (guile-user)
3486 #:autoload (system base compile) (compile))
3487
3488 ;; Remain in the `(guile)' module at compilation-time so that the
3489 ;; `-Wunused-toplevel' warning works as expected.
3490 (eval-when (compile) (set-current-module the-root-module))
3491
3492 ;;; boot-9.scm ends here